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.

1314 lines
46KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library.
  4. Copyright (c) 2017 - ROLI Ltd.
  5. JUCE is an open source library subject to commercial or open-source
  6. licensing.
  7. The code included in this file is provided under the terms of the ISC license
  8. http://www.isc.org/downloads/software-support-policy/isc-license. Permission
  9. To use, copy, modify, and/or distribute this software for any purpose with or
  10. without fee is hereby granted provided that the above copyright notice and
  11. this permission notice appear in all copies.
  12. JUCE IS PROVIDED "AS IS" WITHOUT ANY WARRANTY, AND ALL WARRANTIES, WHETHER
  13. EXPRESSED OR IMPLIED, INCLUDING MERCHANTABILITY AND FITNESS FOR PURPOSE, ARE
  14. DISCLAIMED.
  15. ==============================================================================
  16. */
  17. namespace juce
  18. {
  19. namespace
  20. {
  21. #ifndef JUCE_ALSA_LOGGING
  22. #define JUCE_ALSA_LOGGING 0
  23. #endif
  24. #if JUCE_ALSA_LOGGING
  25. #define JUCE_ALSA_LOG(dbgtext) { juce::String tempDbgBuf ("ALSA: "); tempDbgBuf << dbgtext; Logger::writeToLog (tempDbgBuf); DBG (tempDbgBuf); }
  26. #define JUCE_CHECKED_RESULT(x) (logErrorMessage (x, __LINE__))
  27. static int logErrorMessage (int err, int lineNum)
  28. {
  29. if (err < 0)
  30. JUCE_ALSA_LOG ("Error: line " << lineNum << ": code " << err << " (" << snd_strerror (err) << ")");
  31. return err;
  32. }
  33. #else
  34. #define JUCE_ALSA_LOG(x) {}
  35. #define JUCE_CHECKED_RESULT(x) (x)
  36. #endif
  37. #define JUCE_ALSA_FAILED(x) failed (x)
  38. static void getDeviceSampleRates (snd_pcm_t* handle, Array<double>& rates)
  39. {
  40. const int ratesToTry[] = { 22050, 32000, 44100, 48000, 88200, 96000, 176400, 192000, 0 };
  41. snd_pcm_hw_params_t* hwParams;
  42. snd_pcm_hw_params_alloca (&hwParams);
  43. for (int i = 0; ratesToTry[i] != 0; ++i)
  44. {
  45. if (snd_pcm_hw_params_any (handle, hwParams) >= 0
  46. && snd_pcm_hw_params_test_rate (handle, hwParams, (unsigned int) ratesToTry[i], 0) == 0)
  47. {
  48. rates.addIfNotAlreadyThere ((double) ratesToTry[i]);
  49. }
  50. }
  51. }
  52. static void getDeviceNumChannels (snd_pcm_t* handle, unsigned int* minChans, unsigned int* maxChans)
  53. {
  54. snd_pcm_hw_params_t *params;
  55. snd_pcm_hw_params_alloca (&params);
  56. if (snd_pcm_hw_params_any (handle, params) >= 0)
  57. {
  58. snd_pcm_hw_params_get_channels_min (params, minChans);
  59. snd_pcm_hw_params_get_channels_max (params, maxChans);
  60. JUCE_ALSA_LOG ("getDeviceNumChannels: " << (int) *minChans << " " << (int) *maxChans);
  61. // some virtual devices (dmix for example) report 10000 channels , we have to clamp these values
  62. *maxChans = jmin (*maxChans, 256u);
  63. *minChans = jmin (*minChans, *maxChans);
  64. }
  65. else
  66. {
  67. JUCE_ALSA_LOG ("getDeviceNumChannels failed");
  68. }
  69. }
  70. static void getDeviceProperties (const String& deviceID,
  71. unsigned int& minChansOut,
  72. unsigned int& maxChansOut,
  73. unsigned int& minChansIn,
  74. unsigned int& maxChansIn,
  75. Array<double>& rates,
  76. bool testOutput,
  77. bool testInput)
  78. {
  79. minChansOut = maxChansOut = minChansIn = maxChansIn = 0;
  80. if (deviceID.isEmpty())
  81. return;
  82. JUCE_ALSA_LOG ("getDeviceProperties(" << deviceID.toUTF8().getAddress() << ")");
  83. snd_pcm_info_t* info;
  84. snd_pcm_info_alloca (&info);
  85. if (testOutput)
  86. {
  87. snd_pcm_t* pcmHandle;
  88. if (JUCE_CHECKED_RESULT (snd_pcm_open (&pcmHandle, deviceID.toUTF8().getAddress(), SND_PCM_STREAM_PLAYBACK, SND_PCM_NONBLOCK)) >= 0)
  89. {
  90. getDeviceNumChannels (pcmHandle, &minChansOut, &maxChansOut);
  91. getDeviceSampleRates (pcmHandle, rates);
  92. snd_pcm_close (pcmHandle);
  93. }
  94. }
  95. if (testInput)
  96. {
  97. snd_pcm_t* pcmHandle;
  98. if (JUCE_CHECKED_RESULT (snd_pcm_open (&pcmHandle, deviceID.toUTF8(), SND_PCM_STREAM_CAPTURE, SND_PCM_NONBLOCK) >= 0))
  99. {
  100. getDeviceNumChannels (pcmHandle, &minChansIn, &maxChansIn);
  101. if (rates.size() == 0)
  102. getDeviceSampleRates (pcmHandle, rates);
  103. snd_pcm_close (pcmHandle);
  104. }
  105. }
  106. }
  107. static void ensureMinimumNumBitsSet (BigInteger& chans, int minNumChans)
  108. {
  109. int i = 0;
  110. while (chans.countNumberOfSetBits() < minNumChans)
  111. chans.setBit (i++);
  112. }
  113. static void silentErrorHandler (const char*, int, const char*, int, const char*,...) {}
  114. //==============================================================================
  115. class ALSADevice
  116. {
  117. public:
  118. ALSADevice (const String& devID, bool forInput)
  119. : handle (nullptr),
  120. bitDepth (16),
  121. numChannelsRunning (0),
  122. latency (0),
  123. deviceID (devID),
  124. isInput (forInput),
  125. isInterleaved (true)
  126. {
  127. JUCE_ALSA_LOG ("snd_pcm_open (" << deviceID.toUTF8().getAddress() << ", forInput=" << (int) forInput << ")");
  128. int err = snd_pcm_open (&handle, deviceID.toUTF8(),
  129. forInput ? SND_PCM_STREAM_CAPTURE : SND_PCM_STREAM_PLAYBACK,
  130. SND_PCM_ASYNC);
  131. if (err < 0)
  132. {
  133. if (-err == EBUSY)
  134. error << "The device \"" << deviceID << "\" is busy (another application is using it).";
  135. else if (-err == ENOENT)
  136. error << "The device \"" << deviceID << "\" is not available.";
  137. else
  138. error << "Could not open " << (forInput ? "input" : "output") << " device \"" << deviceID
  139. << "\": " << snd_strerror(err) << " (" << err << ")";
  140. JUCE_ALSA_LOG ("snd_pcm_open failed; " << error);
  141. }
  142. }
  143. ~ALSADevice()
  144. {
  145. closeNow();
  146. }
  147. void closeNow()
  148. {
  149. if (handle != nullptr)
  150. {
  151. snd_pcm_close (handle);
  152. handle = nullptr;
  153. }
  154. }
  155. bool setParameters (unsigned int sampleRate, int numChannels, int bufferSize)
  156. {
  157. if (handle == nullptr)
  158. return false;
  159. JUCE_ALSA_LOG ("ALSADevice::setParameters(" << deviceID << ", "
  160. << (int) sampleRate << ", " << numChannels << ", " << bufferSize << ")");
  161. snd_pcm_hw_params_t* hwParams;
  162. snd_pcm_hw_params_alloca (&hwParams);
  163. if (snd_pcm_hw_params_any (handle, hwParams) < 0)
  164. {
  165. // this is the error message that aplay returns when an error happens here,
  166. // it is a bit more explicit that "Invalid parameter"
  167. error = "Broken configuration for this PCM: no configurations available";
  168. return false;
  169. }
  170. if (snd_pcm_hw_params_set_access (handle, hwParams, SND_PCM_ACCESS_RW_INTERLEAVED) >= 0) // works better for plughw..
  171. isInterleaved = true;
  172. else if (snd_pcm_hw_params_set_access (handle, hwParams, SND_PCM_ACCESS_RW_NONINTERLEAVED) >= 0)
  173. isInterleaved = false;
  174. else
  175. {
  176. jassertfalse;
  177. return false;
  178. }
  179. enum { isFloatBit = 1 << 16, isLittleEndianBit = 1 << 17, onlyUseLower24Bits = 1 << 18 };
  180. const int formatsToTry[] = { SND_PCM_FORMAT_FLOAT_LE, 32 | isFloatBit | isLittleEndianBit,
  181. SND_PCM_FORMAT_FLOAT_BE, 32 | isFloatBit,
  182. SND_PCM_FORMAT_S32_LE, 32 | isLittleEndianBit,
  183. SND_PCM_FORMAT_S32_BE, 32,
  184. SND_PCM_FORMAT_S24_3LE, 24 | isLittleEndianBit,
  185. SND_PCM_FORMAT_S24_3BE, 24,
  186. SND_PCM_FORMAT_S24_LE, 32 | isLittleEndianBit | onlyUseLower24Bits,
  187. SND_PCM_FORMAT_S16_LE, 16 | isLittleEndianBit,
  188. SND_PCM_FORMAT_S16_BE, 16 };
  189. bitDepth = 0;
  190. for (int i = 0; i < numElementsInArray (formatsToTry); i += 2)
  191. {
  192. if (snd_pcm_hw_params_set_format (handle, hwParams, (_snd_pcm_format) formatsToTry [i]) >= 0)
  193. {
  194. const int type = formatsToTry [i + 1];
  195. bitDepth = type & 255;
  196. converter.reset (createConverter (isInput, bitDepth,
  197. (type & isFloatBit) != 0,
  198. (type & isLittleEndianBit) != 0,
  199. (type & onlyUseLower24Bits) != 0,
  200. numChannels,
  201. isInterleaved));
  202. break;
  203. }
  204. }
  205. if (bitDepth == 0)
  206. {
  207. error = "device doesn't support a compatible PCM format";
  208. JUCE_ALSA_LOG ("Error: " + error);
  209. return false;
  210. }
  211. int dir = 0;
  212. unsigned int periods = 4;
  213. snd_pcm_uframes_t samplesPerPeriod = (snd_pcm_uframes_t) bufferSize;
  214. if (JUCE_ALSA_FAILED (snd_pcm_hw_params_set_rate_near (handle, hwParams, &sampleRate, 0))
  215. || JUCE_ALSA_FAILED (snd_pcm_hw_params_set_channels (handle, hwParams, (unsigned int ) numChannels))
  216. || JUCE_ALSA_FAILED (snd_pcm_hw_params_set_periods_near (handle, hwParams, &periods, &dir))
  217. || JUCE_ALSA_FAILED (snd_pcm_hw_params_set_period_size_near (handle, hwParams, &samplesPerPeriod, &dir))
  218. || JUCE_ALSA_FAILED (snd_pcm_hw_params (handle, hwParams)))
  219. {
  220. return false;
  221. }
  222. snd_pcm_uframes_t frames = 0;
  223. if (JUCE_ALSA_FAILED (snd_pcm_hw_params_get_period_size (hwParams, &frames, &dir))
  224. || JUCE_ALSA_FAILED (snd_pcm_hw_params_get_periods (hwParams, &periods, &dir)))
  225. latency = 0;
  226. else
  227. latency = (int) frames * ((int) periods - 1); // (this is the method JACK uses to guess the latency..)
  228. JUCE_ALSA_LOG ("frames: " << (int) frames << ", periods: " << (int) periods
  229. << ", samplesPerPeriod: " << (int) samplesPerPeriod);
  230. snd_pcm_sw_params_t* swParams;
  231. snd_pcm_sw_params_alloca (&swParams);
  232. snd_pcm_uframes_t boundary;
  233. if (JUCE_ALSA_FAILED (snd_pcm_sw_params_current (handle, swParams))
  234. || JUCE_ALSA_FAILED (snd_pcm_sw_params_get_boundary (swParams, &boundary))
  235. || JUCE_ALSA_FAILED (snd_pcm_sw_params_set_silence_threshold (handle, swParams, 0))
  236. || JUCE_ALSA_FAILED (snd_pcm_sw_params_set_silence_size (handle, swParams, boundary))
  237. || JUCE_ALSA_FAILED (snd_pcm_sw_params_set_start_threshold (handle, swParams, samplesPerPeriod))
  238. || JUCE_ALSA_FAILED (snd_pcm_sw_params_set_stop_threshold (handle, swParams, boundary))
  239. || JUCE_ALSA_FAILED (snd_pcm_sw_params (handle, swParams)))
  240. {
  241. return false;
  242. }
  243. #if JUCE_ALSA_LOGGING
  244. // enable this to dump the config of the devices that get opened
  245. snd_output_t* out;
  246. snd_output_stdio_attach (&out, stderr, 0);
  247. snd_pcm_hw_params_dump (hwParams, out);
  248. snd_pcm_sw_params_dump (swParams, out);
  249. #endif
  250. numChannelsRunning = numChannels;
  251. return true;
  252. }
  253. //==============================================================================
  254. bool writeToOutputDevice (AudioBuffer<float>& outputChannelBuffer, const int numSamples)
  255. {
  256. jassert (numChannelsRunning <= outputChannelBuffer.getNumChannels());
  257. float* const* const data = outputChannelBuffer.getArrayOfWritePointers();
  258. snd_pcm_sframes_t numDone = 0;
  259. if (isInterleaved)
  260. {
  261. scratch.ensureSize ((size_t) ((int) sizeof (float) * numSamples * numChannelsRunning), false);
  262. for (int i = 0; i < numChannelsRunning; ++i)
  263. converter->convertSamples (scratch.getData(), i, data[i], 0, numSamples);
  264. numDone = snd_pcm_writei (handle, scratch.getData(), (snd_pcm_uframes_t) numSamples);
  265. }
  266. else
  267. {
  268. for (int i = 0; i < numChannelsRunning; ++i)
  269. converter->convertSamples (data[i], data[i], numSamples);
  270. numDone = snd_pcm_writen (handle, (void**) data, (snd_pcm_uframes_t) numSamples);
  271. }
  272. if (numDone < 0)
  273. {
  274. if (numDone == -(EPIPE))
  275. underrunCount++;
  276. if (JUCE_ALSA_FAILED (snd_pcm_recover (handle, (int) numDone, 1 /* silent */)))
  277. return false;
  278. }
  279. if (numDone < numSamples)
  280. JUCE_ALSA_LOG ("Did not write all samples: numDone: " << numDone << ", numSamples: " << numSamples);
  281. return true;
  282. }
  283. bool readFromInputDevice (AudioBuffer<float>& inputChannelBuffer, const int numSamples)
  284. {
  285. jassert (numChannelsRunning <= inputChannelBuffer.getNumChannels());
  286. float* const* const data = inputChannelBuffer.getArrayOfWritePointers();
  287. if (isInterleaved)
  288. {
  289. scratch.ensureSize ((size_t) ((int) sizeof (float) * numSamples * numChannelsRunning), false);
  290. scratch.fillWith (0); // (not clearing this data causes warnings in valgrind)
  291. snd_pcm_sframes_t num = snd_pcm_readi (handle, scratch.getData(), (snd_pcm_uframes_t) numSamples);
  292. if (num < 0)
  293. {
  294. if (num == -(EPIPE))
  295. overrunCount++;
  296. if (JUCE_ALSA_FAILED (snd_pcm_recover (handle, (int) num, 1 /* silent */)))
  297. return false;
  298. }
  299. if (num < numSamples)
  300. JUCE_ALSA_LOG ("Did not read all samples: num: " << num << ", numSamples: " << numSamples);
  301. for (int i = 0; i < numChannelsRunning; ++i)
  302. converter->convertSamples (data[i], 0, scratch.getData(), i, numSamples);
  303. }
  304. else
  305. {
  306. snd_pcm_sframes_t num = snd_pcm_readn (handle, (void**) data, (snd_pcm_uframes_t) numSamples);
  307. if (num < 0)
  308. {
  309. if (num == -(EPIPE))
  310. overrunCount++;
  311. if (JUCE_ALSA_FAILED (snd_pcm_recover (handle, (int) num, 1 /* silent */)))
  312. return false;
  313. }
  314. if (num < numSamples)
  315. JUCE_ALSA_LOG ("Did not read all samples: num: " << num << ", numSamples: " << numSamples);
  316. for (int i = 0; i < numChannelsRunning; ++i)
  317. converter->convertSamples (data[i], data[i], numSamples);
  318. }
  319. return true;
  320. }
  321. //==============================================================================
  322. snd_pcm_t* handle;
  323. String error;
  324. int bitDepth, numChannelsRunning, latency;
  325. int underrunCount = 0, overrunCount = 0;
  326. private:
  327. //==============================================================================
  328. String deviceID;
  329. const bool isInput;
  330. bool isInterleaved;
  331. MemoryBlock scratch;
  332. ScopedPointer<AudioData::Converter> converter;
  333. //==============================================================================
  334. template <class SampleType>
  335. struct ConverterHelper
  336. {
  337. static AudioData::Converter* createConverter (const bool forInput, const bool isLittleEndian, const int numInterleavedChannels, bool interleaved)
  338. {
  339. if (interleaved)
  340. return create<AudioData::Interleaved> (forInput, isLittleEndian, numInterleavedChannels);
  341. return create<AudioData::NonInterleaved> (forInput, isLittleEndian, numInterleavedChannels);
  342. }
  343. private:
  344. template <class InterleavedType>
  345. static AudioData::Converter* create (const bool forInput, const bool isLittleEndian, const int numInterleavedChannels)
  346. {
  347. if (forInput)
  348. {
  349. typedef AudioData::Pointer <AudioData::Float32, AudioData::NativeEndian, AudioData::NonInterleaved, AudioData::NonConst> DestType;
  350. if (isLittleEndian)
  351. return new AudioData::ConverterInstance <AudioData::Pointer <SampleType, AudioData::LittleEndian, InterleavedType, AudioData::Const>, DestType> (numInterleavedChannels, 1);
  352. return new AudioData::ConverterInstance <AudioData::Pointer <SampleType, AudioData::BigEndian, InterleavedType, AudioData::Const>, DestType> (numInterleavedChannels, 1);
  353. }
  354. typedef AudioData::Pointer <AudioData::Float32, AudioData::NativeEndian, AudioData::NonInterleaved, AudioData::Const> SourceType;
  355. if (isLittleEndian)
  356. return new AudioData::ConverterInstance <SourceType, AudioData::Pointer <SampleType, AudioData::LittleEndian, InterleavedType, AudioData::NonConst>> (1, numInterleavedChannels);
  357. return new AudioData::ConverterInstance <SourceType, AudioData::Pointer <SampleType, AudioData::BigEndian, InterleavedType, AudioData::NonConst>> (1, numInterleavedChannels);
  358. }
  359. };
  360. static AudioData::Converter* createConverter (bool forInput, int bitDepth,
  361. bool isFloat, bool isLittleEndian, bool useOnlyLower24Bits,
  362. int numInterleavedChannels,
  363. bool interleaved)
  364. {
  365. JUCE_ALSA_LOG ("format: bitDepth=" << bitDepth << ", isFloat=" << (int) isFloat
  366. << ", isLittleEndian=" << (int) isLittleEndian << ", numChannels=" << numInterleavedChannels);
  367. if (isFloat) return ConverterHelper <AudioData::Float32>::createConverter (forInput, isLittleEndian, numInterleavedChannels, interleaved);
  368. if (bitDepth == 16) return ConverterHelper <AudioData::Int16> ::createConverter (forInput, isLittleEndian, numInterleavedChannels, interleaved);
  369. if (bitDepth == 24) return ConverterHelper <AudioData::Int24> ::createConverter (forInput, isLittleEndian, numInterleavedChannels, interleaved);
  370. jassert (bitDepth == 32);
  371. if (useOnlyLower24Bits)
  372. return ConverterHelper <AudioData::Int24in32>::createConverter (forInput, isLittleEndian, numInterleavedChannels, interleaved);
  373. return ConverterHelper <AudioData::Int32>::createConverter (forInput, isLittleEndian, numInterleavedChannels, interleaved);
  374. }
  375. //==============================================================================
  376. bool failed (const int errorNum)
  377. {
  378. if (errorNum >= 0)
  379. return false;
  380. error = snd_strerror (errorNum);
  381. JUCE_ALSA_LOG ("ALSA error: " << error);
  382. return true;
  383. }
  384. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (ALSADevice)
  385. };
  386. //==============================================================================
  387. class ALSAThread : public Thread
  388. {
  389. public:
  390. ALSAThread (const String& inputDeviceID, const String& outputDeviceID)
  391. : Thread ("JUCE ALSA"),
  392. sampleRate (0),
  393. bufferSize (0),
  394. outputLatency (0),
  395. inputLatency (0),
  396. callback (0),
  397. inputId (inputDeviceID),
  398. outputId (outputDeviceID),
  399. numCallbacks (0),
  400. audioIoInProgress (false),
  401. inputChannelBuffer (1, 1),
  402. outputChannelBuffer (1, 1)
  403. {
  404. initialiseRatesAndChannels();
  405. }
  406. ~ALSAThread()
  407. {
  408. close();
  409. }
  410. void open (BigInteger inputChannels,
  411. BigInteger outputChannels,
  412. const double newSampleRate,
  413. const int newBufferSize)
  414. {
  415. close();
  416. error.clear();
  417. sampleRate = newSampleRate;
  418. bufferSize = newBufferSize;
  419. int maxInputsRequested = inputChannels.getHighestBit() + 1;
  420. maxInputsRequested = jmax ((int) minChansIn, jmin ((int) maxChansIn, maxInputsRequested));
  421. inputChannelBuffer.setSize (maxInputsRequested, bufferSize);
  422. inputChannelBuffer.clear();
  423. inputChannelDataForCallback.clear();
  424. currentInputChans.clear();
  425. if (inputChannels.getHighestBit() >= 0)
  426. {
  427. for (int i = 0; i < maxInputsRequested; ++i)
  428. {
  429. if (inputChannels[i])
  430. {
  431. inputChannelDataForCallback.add (inputChannelBuffer.getReadPointer (i));
  432. currentInputChans.setBit (i);
  433. }
  434. }
  435. }
  436. ensureMinimumNumBitsSet (outputChannels, (int) minChansOut);
  437. int maxOutputsRequested = outputChannels.getHighestBit() + 1;
  438. maxOutputsRequested = jmax ((int) minChansOut, jmin ((int) maxChansOut, maxOutputsRequested));
  439. outputChannelBuffer.setSize (maxOutputsRequested, bufferSize);
  440. outputChannelBuffer.clear();
  441. outputChannelDataForCallback.clear();
  442. currentOutputChans.clear();
  443. if (outputChannels.getHighestBit() >= 0)
  444. {
  445. for (int i = 0; i < maxOutputsRequested; ++i)
  446. {
  447. if (outputChannels[i])
  448. {
  449. outputChannelDataForCallback.add (outputChannelBuffer.getWritePointer (i));
  450. currentOutputChans.setBit (i);
  451. }
  452. }
  453. }
  454. if (outputChannelDataForCallback.size() > 0 && outputId.isNotEmpty())
  455. {
  456. outputDevice.reset (new ALSADevice (outputId, false));
  457. if (outputDevice->error.isNotEmpty())
  458. {
  459. error = outputDevice->error;
  460. outputDevice = nullptr;
  461. return;
  462. }
  463. if (! outputDevice->setParameters ((unsigned int) sampleRate,
  464. jlimit ((int) minChansOut, (int) maxChansOut,
  465. currentOutputChans.getHighestBit() + 1),
  466. bufferSize))
  467. {
  468. error = outputDevice->error;
  469. outputDevice = nullptr;
  470. return;
  471. }
  472. outputLatency = outputDevice->latency;
  473. }
  474. if (inputChannelDataForCallback.size() > 0 && inputId.isNotEmpty())
  475. {
  476. inputDevice.reset (new ALSADevice (inputId, true));
  477. if (inputDevice->error.isNotEmpty())
  478. {
  479. error = inputDevice->error;
  480. inputDevice = nullptr;
  481. return;
  482. }
  483. ensureMinimumNumBitsSet (currentInputChans, (int) minChansIn);
  484. if (! inputDevice->setParameters ((unsigned int) sampleRate,
  485. jlimit ((int) minChansIn, (int) maxChansIn, currentInputChans.getHighestBit() + 1),
  486. bufferSize))
  487. {
  488. error = inputDevice->error;
  489. inputDevice = nullptr;
  490. return;
  491. }
  492. inputLatency = inputDevice->latency;
  493. }
  494. if (outputDevice == nullptr && inputDevice == nullptr)
  495. {
  496. error = "no channels";
  497. return;
  498. }
  499. if (outputDevice != nullptr && inputDevice != nullptr)
  500. snd_pcm_link (outputDevice->handle, inputDevice->handle);
  501. if (inputDevice != nullptr && JUCE_ALSA_FAILED (snd_pcm_prepare (inputDevice->handle)))
  502. return;
  503. if (outputDevice != nullptr && JUCE_ALSA_FAILED (snd_pcm_prepare (outputDevice->handle)))
  504. return;
  505. startThread (9);
  506. int count = 1000;
  507. while (numCallbacks == 0)
  508. {
  509. sleep (5);
  510. if (--count < 0 || ! isThreadRunning())
  511. {
  512. error = "device didn't start";
  513. break;
  514. }
  515. }
  516. }
  517. void close()
  518. {
  519. if (isThreadRunning())
  520. {
  521. // problem: when pulseaudio is suspended (with pasuspend) , the ALSAThread::run is just stuck in
  522. // snd_pcm_writei -- no error, no nothing it just stays stuck. So the only way I found to exit "nicely"
  523. // (that is without the "killing thread by force" of stopThread) , is to just call snd_pcm_close from
  524. // here which will cause the thread to resume, and exit
  525. signalThreadShouldExit();
  526. const int callbacksToStop = numCallbacks;
  527. if ((! waitForThreadToExit (400)) && audioIoInProgress && numCallbacks == callbacksToStop)
  528. {
  529. JUCE_ALSA_LOG ("Thread is stuck in i/o.. Is pulseaudio suspended?");
  530. if (outputDevice != nullptr) outputDevice->closeNow();
  531. if (inputDevice != nullptr) inputDevice->closeNow();
  532. }
  533. }
  534. stopThread (6000);
  535. inputDevice = nullptr;
  536. outputDevice = nullptr;
  537. inputChannelBuffer.setSize (1, 1);
  538. outputChannelBuffer.setSize (1, 1);
  539. numCallbacks = 0;
  540. }
  541. void setCallback (AudioIODeviceCallback* const newCallback) noexcept
  542. {
  543. const ScopedLock sl (callbackLock);
  544. callback = newCallback;
  545. }
  546. void run() override
  547. {
  548. while (! threadShouldExit())
  549. {
  550. if (inputDevice != nullptr && inputDevice->handle != nullptr)
  551. {
  552. if (outputDevice == nullptr || outputDevice->handle == nullptr)
  553. {
  554. JUCE_ALSA_FAILED (snd_pcm_wait (inputDevice->handle, 2000));
  555. if (threadShouldExit())
  556. break;
  557. snd_pcm_sframes_t avail = snd_pcm_avail_update (inputDevice->handle);
  558. if (avail < 0)
  559. JUCE_ALSA_FAILED (snd_pcm_recover (inputDevice->handle, (int) avail, 0));
  560. }
  561. audioIoInProgress = true;
  562. if (! inputDevice->readFromInputDevice (inputChannelBuffer, bufferSize))
  563. {
  564. JUCE_ALSA_LOG ("Read failure");
  565. break;
  566. }
  567. audioIoInProgress = false;
  568. }
  569. if (threadShouldExit())
  570. break;
  571. {
  572. const ScopedLock sl (callbackLock);
  573. ++numCallbacks;
  574. if (callback != nullptr)
  575. {
  576. callback->audioDeviceIOCallback (inputChannelDataForCallback.getRawDataPointer(),
  577. inputChannelDataForCallback.size(),
  578. outputChannelDataForCallback.getRawDataPointer(),
  579. outputChannelDataForCallback.size(),
  580. bufferSize);
  581. }
  582. else
  583. {
  584. for (int i = 0; i < outputChannelDataForCallback.size(); ++i)
  585. zeromem (outputChannelDataForCallback[i], sizeof (float) * (size_t) bufferSize);
  586. }
  587. }
  588. if (outputDevice != nullptr && outputDevice->handle != nullptr)
  589. {
  590. JUCE_ALSA_FAILED (snd_pcm_wait (outputDevice->handle, 2000));
  591. if (threadShouldExit())
  592. break;
  593. snd_pcm_sframes_t avail = snd_pcm_avail_update (outputDevice->handle);
  594. if (avail < 0)
  595. JUCE_ALSA_FAILED (snd_pcm_recover (outputDevice->handle, (int) avail, 0));
  596. audioIoInProgress = true;
  597. if (! outputDevice->writeToOutputDevice (outputChannelBuffer, bufferSize))
  598. {
  599. JUCE_ALSA_LOG ("write failure");
  600. break;
  601. }
  602. audioIoInProgress = false;
  603. }
  604. }
  605. audioIoInProgress = false;
  606. }
  607. int getBitDepth() const noexcept
  608. {
  609. if (outputDevice != nullptr)
  610. return outputDevice->bitDepth;
  611. if (inputDevice != nullptr)
  612. return inputDevice->bitDepth;
  613. return 16;
  614. }
  615. int getXRunCount() const noexcept
  616. {
  617. int result = 0;
  618. if (outputDevice != nullptr)
  619. result += outputDevice->underrunCount;
  620. if (inputDevice != nullptr)
  621. result += inputDevice->overrunCount;
  622. return result;
  623. }
  624. //==============================================================================
  625. String error;
  626. double sampleRate;
  627. int bufferSize, outputLatency, inputLatency;
  628. BigInteger currentInputChans, currentOutputChans;
  629. Array<double> sampleRates;
  630. StringArray channelNamesOut, channelNamesIn;
  631. AudioIODeviceCallback* callback;
  632. private:
  633. //==============================================================================
  634. const String inputId, outputId;
  635. ScopedPointer<ALSADevice> outputDevice, inputDevice;
  636. int numCallbacks;
  637. bool audioIoInProgress;
  638. CriticalSection callbackLock;
  639. AudioBuffer<float> inputChannelBuffer, outputChannelBuffer;
  640. Array<const float*> inputChannelDataForCallback;
  641. Array<float*> outputChannelDataForCallback;
  642. unsigned int minChansOut, maxChansOut;
  643. unsigned int minChansIn, maxChansIn;
  644. bool failed (const int errorNum)
  645. {
  646. if (errorNum >= 0)
  647. return false;
  648. error = snd_strerror (errorNum);
  649. JUCE_ALSA_LOG ("ALSA error: " << error);
  650. return true;
  651. }
  652. void initialiseRatesAndChannels()
  653. {
  654. sampleRates.clear();
  655. channelNamesOut.clear();
  656. channelNamesIn.clear();
  657. minChansOut = 0;
  658. maxChansOut = 0;
  659. minChansIn = 0;
  660. maxChansIn = 0;
  661. unsigned int dummy = 0;
  662. getDeviceProperties (inputId, dummy, dummy, minChansIn, maxChansIn, sampleRates, false, true);
  663. getDeviceProperties (outputId, minChansOut, maxChansOut, dummy, dummy, sampleRates, true, false);
  664. for (unsigned int i = 0; i < maxChansOut; ++i)
  665. channelNamesOut.add ("channel " + String ((int) i + 1));
  666. for (unsigned int i = 0; i < maxChansIn; ++i)
  667. channelNamesIn.add ("channel " + String ((int) i + 1));
  668. }
  669. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (ALSAThread)
  670. };
  671. //==============================================================================
  672. class ALSAAudioIODevice : public AudioIODevice
  673. {
  674. public:
  675. ALSAAudioIODevice (const String& deviceName,
  676. const String& deviceTypeName,
  677. const String& inputDeviceID,
  678. const String& outputDeviceID)
  679. : AudioIODevice (deviceName, deviceTypeName),
  680. inputId (inputDeviceID),
  681. outputId (outputDeviceID),
  682. isOpen_ (false),
  683. isStarted (false),
  684. internal (inputDeviceID, outputDeviceID)
  685. {
  686. }
  687. ~ALSAAudioIODevice()
  688. {
  689. close();
  690. }
  691. StringArray getOutputChannelNames() override { return internal.channelNamesOut; }
  692. StringArray getInputChannelNames() override { return internal.channelNamesIn; }
  693. Array<double> getAvailableSampleRates() override { return internal.sampleRates; }
  694. Array<int> getAvailableBufferSizes() override
  695. {
  696. Array<int> r;
  697. int n = 16;
  698. for (int i = 0; i < 50; ++i)
  699. {
  700. r.add (n);
  701. n += n < 64 ? 16
  702. : (n < 512 ? 32
  703. : (n < 1024 ? 64
  704. : (n < 2048 ? 128 : 256)));
  705. }
  706. return r;
  707. }
  708. int getDefaultBufferSize() override { return 512; }
  709. String open (const BigInteger& inputChannels,
  710. const BigInteger& outputChannels,
  711. double sampleRate,
  712. int bufferSizeSamples) override
  713. {
  714. close();
  715. if (bufferSizeSamples <= 0)
  716. bufferSizeSamples = getDefaultBufferSize();
  717. if (sampleRate <= 0)
  718. {
  719. for (int i = 0; i < internal.sampleRates.size(); ++i)
  720. {
  721. double rate = internal.sampleRates[i];
  722. if (rate >= 44100)
  723. {
  724. sampleRate = rate;
  725. break;
  726. }
  727. }
  728. }
  729. internal.open (inputChannels, outputChannels,
  730. sampleRate, bufferSizeSamples);
  731. isOpen_ = internal.error.isEmpty();
  732. return internal.error;
  733. }
  734. void close() override
  735. {
  736. stop();
  737. internal.close();
  738. isOpen_ = false;
  739. }
  740. bool isOpen() override { return isOpen_; }
  741. bool isPlaying() override { return isStarted && internal.error.isEmpty(); }
  742. String getLastError() override { return internal.error; }
  743. int getCurrentBufferSizeSamples() override { return internal.bufferSize; }
  744. double getCurrentSampleRate() override { return internal.sampleRate; }
  745. int getCurrentBitDepth() override { return internal.getBitDepth(); }
  746. BigInteger getActiveOutputChannels() const override { return internal.currentOutputChans; }
  747. BigInteger getActiveInputChannels() const override { return internal.currentInputChans; }
  748. int getOutputLatencyInSamples() override { return internal.outputLatency; }
  749. int getInputLatencyInSamples() override { return internal.inputLatency; }
  750. int getXRunCount() const noexcept override { return internal.getXRunCount(); }
  751. void start (AudioIODeviceCallback* callback) override
  752. {
  753. if (! isOpen_)
  754. callback = nullptr;
  755. if (callback != nullptr)
  756. callback->audioDeviceAboutToStart (this);
  757. internal.setCallback (callback);
  758. isStarted = (callback != nullptr);
  759. }
  760. void stop() override
  761. {
  762. AudioIODeviceCallback* const oldCallback = internal.callback;
  763. start (nullptr);
  764. if (oldCallback != nullptr)
  765. oldCallback->audioDeviceStopped();
  766. }
  767. String inputId, outputId;
  768. private:
  769. bool isOpen_, isStarted;
  770. ALSAThread internal;
  771. };
  772. //==============================================================================
  773. class ALSAAudioIODeviceType : public AudioIODeviceType
  774. {
  775. public:
  776. ALSAAudioIODeviceType (bool onlySoundcards, const String& deviceTypeName)
  777. : AudioIODeviceType (deviceTypeName),
  778. listOnlySoundcards (onlySoundcards)
  779. {
  780. #if ! JUCE_ALSA_LOGGING
  781. snd_lib_error_set_handler (&silentErrorHandler);
  782. #endif
  783. }
  784. ~ALSAAudioIODeviceType()
  785. {
  786. #if ! JUCE_ALSA_LOGGING
  787. snd_lib_error_set_handler (nullptr);
  788. #endif
  789. snd_config_update_free_global(); // prevent valgrind from screaming about alsa leaks
  790. }
  791. //==============================================================================
  792. void scanForDevices()
  793. {
  794. if (hasScanned)
  795. return;
  796. hasScanned = true;
  797. inputNames.clear();
  798. inputIds.clear();
  799. outputNames.clear();
  800. outputIds.clear();
  801. JUCE_ALSA_LOG ("scanForDevices()");
  802. if (listOnlySoundcards)
  803. enumerateAlsaSoundcards();
  804. else
  805. enumerateAlsaPCMDevices();
  806. inputNames.appendNumbersToDuplicates (false, true);
  807. outputNames.appendNumbersToDuplicates (false, true);
  808. }
  809. StringArray getDeviceNames (bool wantInputNames) const
  810. {
  811. jassert (hasScanned); // need to call scanForDevices() before doing this
  812. return wantInputNames ? inputNames : outputNames;
  813. }
  814. int getDefaultDeviceIndex (bool forInput) const
  815. {
  816. jassert (hasScanned); // need to call scanForDevices() before doing this
  817. const int idx = (forInput ? inputIds : outputIds).indexOf ("default");
  818. return idx >= 0 ? idx : 0;
  819. }
  820. bool hasSeparateInputsAndOutputs() const { return true; }
  821. int getIndexOfDevice (AudioIODevice* device, bool asInput) const
  822. {
  823. jassert (hasScanned); // need to call scanForDevices() before doing this
  824. if (auto* d = dynamic_cast<ALSAAudioIODevice*> (device))
  825. return asInput ? inputIds.indexOf (d->inputId)
  826. : outputIds.indexOf (d->outputId);
  827. return -1;
  828. }
  829. AudioIODevice* createDevice (const String& outputDeviceName,
  830. const String& inputDeviceName)
  831. {
  832. jassert (hasScanned); // need to call scanForDevices() before doing this
  833. const int inputIndex = inputNames.indexOf (inputDeviceName);
  834. const int outputIndex = outputNames.indexOf (outputDeviceName);
  835. String deviceName (outputIndex >= 0 ? outputDeviceName
  836. : inputDeviceName);
  837. if (inputIndex >= 0 || outputIndex >= 0)
  838. return new ALSAAudioIODevice (deviceName, getTypeName(),
  839. inputIds [inputIndex],
  840. outputIds [outputIndex]);
  841. return nullptr;
  842. }
  843. private:
  844. //==============================================================================
  845. StringArray inputNames, outputNames, inputIds, outputIds;
  846. bool hasScanned = false, listOnlySoundcards;
  847. bool testDevice (const String& id, const String& outputName, const String& inputName)
  848. {
  849. unsigned int minChansOut = 0, maxChansOut = 0;
  850. unsigned int minChansIn = 0, maxChansIn = 0;
  851. Array<double> rates;
  852. bool isInput = inputName.isNotEmpty(), isOutput = outputName.isNotEmpty();
  853. getDeviceProperties (id, minChansOut, maxChansOut, minChansIn, maxChansIn, rates, isOutput, isInput);
  854. isInput = maxChansIn > 0;
  855. isOutput = maxChansOut > 0;
  856. if ((isInput || isOutput) && rates.size() > 0)
  857. {
  858. JUCE_ALSA_LOG ("testDevice: '" << id.toUTF8().getAddress() << "' -> isInput: "
  859. << (int) isInput << ", isOutput: " << (int) isOutput);
  860. if (isInput)
  861. {
  862. inputNames.add (inputName);
  863. inputIds.add (id);
  864. }
  865. if (isOutput)
  866. {
  867. outputNames.add (outputName);
  868. outputIds.add (id);
  869. }
  870. return isInput || isOutput;
  871. }
  872. return false;
  873. }
  874. void enumerateAlsaSoundcards()
  875. {
  876. snd_ctl_t* handle = nullptr;
  877. snd_ctl_card_info_t* info = nullptr;
  878. snd_ctl_card_info_alloca (&info);
  879. int cardNum = -1;
  880. while (outputIds.size() + inputIds.size() <= 64)
  881. {
  882. snd_card_next (&cardNum);
  883. if (cardNum < 0)
  884. break;
  885. if (JUCE_CHECKED_RESULT (snd_ctl_open (&handle, ("hw:" + String (cardNum)).toUTF8(), SND_CTL_NONBLOCK)) >= 0)
  886. {
  887. if (JUCE_CHECKED_RESULT (snd_ctl_card_info (handle, info)) >= 0)
  888. {
  889. String cardId (snd_ctl_card_info_get_id (info));
  890. if (cardId.removeCharacters ("0123456789").isEmpty())
  891. cardId = String (cardNum);
  892. String cardName = snd_ctl_card_info_get_name (info);
  893. if (cardName.isEmpty())
  894. cardName = cardId;
  895. int device = -1;
  896. snd_pcm_info_t* pcmInfo;
  897. snd_pcm_info_alloca (&pcmInfo);
  898. for (;;)
  899. {
  900. if (snd_ctl_pcm_next_device (handle, &device) < 0 || device < 0)
  901. break;
  902. snd_pcm_info_set_device (pcmInfo, (unsigned int) device);
  903. for (unsigned int subDevice = 0, nbSubDevice = 1; subDevice < nbSubDevice; ++subDevice)
  904. {
  905. snd_pcm_info_set_subdevice (pcmInfo, subDevice);
  906. snd_pcm_info_set_stream (pcmInfo, SND_PCM_STREAM_CAPTURE);
  907. const bool isInput = (snd_ctl_pcm_info (handle, pcmInfo) >= 0);
  908. snd_pcm_info_set_stream (pcmInfo, SND_PCM_STREAM_PLAYBACK);
  909. const bool isOutput = (snd_ctl_pcm_info (handle, pcmInfo) >= 0);
  910. if (! (isInput || isOutput))
  911. continue;
  912. if (nbSubDevice == 1)
  913. nbSubDevice = snd_pcm_info_get_subdevices_count (pcmInfo);
  914. String id, name;
  915. if (nbSubDevice == 1)
  916. {
  917. id << "hw:" << cardId << "," << device;
  918. name << cardName << ", " << snd_pcm_info_get_name (pcmInfo);
  919. }
  920. else
  921. {
  922. id << "hw:" << cardId << "," << device << "," << (int) subDevice;
  923. name << cardName << ", " << snd_pcm_info_get_name (pcmInfo)
  924. << " {" << snd_pcm_info_get_subdevice_name (pcmInfo) << "}";
  925. }
  926. JUCE_ALSA_LOG ("Soundcard ID: " << id << ", name: '" << name
  927. << ", isInput:" << (int) isInput
  928. << ", isOutput:" << (int) isOutput << "\n");
  929. if (isInput)
  930. {
  931. inputNames.add (name);
  932. inputIds.add (id);
  933. }
  934. if (isOutput)
  935. {
  936. outputNames.add (name);
  937. outputIds.add (id);
  938. }
  939. }
  940. }
  941. }
  942. JUCE_CHECKED_RESULT (snd_ctl_close (handle));
  943. }
  944. }
  945. }
  946. /* Enumerates all ALSA output devices (as output by the command aplay -L)
  947. Does not try to open the devices (with "testDevice" for example),
  948. so that it also finds devices that are busy and not yet available.
  949. */
  950. void enumerateAlsaPCMDevices()
  951. {
  952. void** hints = nullptr;
  953. if (JUCE_CHECKED_RESULT (snd_device_name_hint (-1, "pcm", &hints)) == 0)
  954. {
  955. for (char** h = (char**) hints; *h; ++h)
  956. {
  957. const String id (hintToString (*h, "NAME"));
  958. const String description (hintToString (*h, "DESC"));
  959. const String ioid (hintToString (*h, "IOID"));
  960. JUCE_ALSA_LOG ("ID: " << id << "; desc: " << description << "; ioid: " << ioid);
  961. String ss = id.fromFirstOccurrenceOf ("=", false, false)
  962. .upToFirstOccurrenceOf (",", false, false);
  963. if (id.isEmpty()
  964. || id.startsWith ("default:") || id.startsWith ("sysdefault:")
  965. || id.startsWith ("plughw:") || id == "null")
  966. continue;
  967. String name (description.replace ("\n", "; "));
  968. if (name.isEmpty())
  969. name = id;
  970. bool isOutput = (ioid != "Input");
  971. bool isInput = (ioid != "Output");
  972. // alsa is stupid here, it advertises dmix and dsnoop as input/output devices, but
  973. // opening dmix as input, or dsnoop as output will trigger errors..
  974. isInput = isInput && ! id.startsWith ("dmix");
  975. isOutput = isOutput && ! id.startsWith ("dsnoop");
  976. if (isInput)
  977. {
  978. inputNames.add (name);
  979. inputIds.add (id);
  980. }
  981. if (isOutput)
  982. {
  983. outputNames.add (name);
  984. outputIds.add (id);
  985. }
  986. }
  987. snd_device_name_free_hint (hints);
  988. }
  989. // sometimes the "default" device is not listed, but it is nice to see it explicitely in the list
  990. if (! outputIds.contains ("default"))
  991. testDevice ("default", "Default ALSA Output", "Default ALSA Input");
  992. // same for the pulseaudio plugin
  993. if (! outputIds.contains ("pulse"))
  994. testDevice ("pulse", "Pulseaudio output", "Pulseaudio input");
  995. // make sure the default device is listed first, and followed by the pulse device (if present)
  996. int idx = outputIds.indexOf ("pulse");
  997. outputIds.move (idx, 0);
  998. outputNames.move (idx, 0);
  999. idx = inputIds.indexOf ("pulse");
  1000. inputIds.move (idx, 0);
  1001. inputNames.move (idx, 0);
  1002. idx = outputIds.indexOf ("default");
  1003. outputIds.move (idx, 0);
  1004. outputNames.move (idx, 0);
  1005. idx = inputIds.indexOf ("default");
  1006. inputIds.move (idx, 0);
  1007. inputNames.move (idx, 0);
  1008. }
  1009. static String hintToString (const void* hints, const char* type)
  1010. {
  1011. char* const hint = snd_device_name_get_hint (hints, type);
  1012. const String s (String::fromUTF8 (hint));
  1013. ::free (hint);
  1014. return s;
  1015. }
  1016. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (ALSAAudioIODeviceType)
  1017. };
  1018. }
  1019. //==============================================================================
  1020. AudioIODeviceType* createAudioIODeviceType_ALSA_Soundcards()
  1021. {
  1022. return new ALSAAudioIODeviceType (true, "ALSA HW");
  1023. }
  1024. AudioIODeviceType* createAudioIODeviceType_ALSA_PCMDevices()
  1025. {
  1026. return new ALSAAudioIODeviceType (false, "ALSA");
  1027. }
  1028. AudioIODeviceType* AudioIODeviceType::createAudioIODeviceType_ALSA()
  1029. {
  1030. return createAudioIODeviceType_ALSA_PCMDevices();
  1031. }
  1032. } // namespace juce