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.

594 lines
23KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE library.
  4. Copyright (c) 2022 - Raw Material Software Limited
  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. //==============================================================================
  20. /**
  21. Encapsulates a thread.
  22. Subclasses derive from Thread and implement the run() method, in which they
  23. do their business. The thread can then be started with the startThread() or
  24. startRealtimeThread() methods and controlled with various other methods.
  25. This class also contains some thread-related static methods, such
  26. as sleep(), yield(), getCurrentThreadId() etc.
  27. @see CriticalSection, WaitableEvent, Process, ThreadWithProgressWindow,
  28. MessageManagerLock
  29. @tags{Core}
  30. */
  31. class JUCE_API Thread
  32. {
  33. public:
  34. //==============================================================================
  35. static constexpr size_t osDefaultStackSize { 0 };
  36. //==============================================================================
  37. /** The different runtime priorities of non-realtime threads.
  38. @see startThread
  39. */
  40. enum class Priority
  41. {
  42. /** The highest possible priority that isn't a dedicated realtime thread. */
  43. highest = 2,
  44. /** Makes use of performance cores and higher clocks. */
  45. high = 1,
  46. /** The OS default. It will balance out across all cores. */
  47. normal = 0,
  48. /** Uses efficiency cores when possible. */
  49. low = -1,
  50. /** Restricted to efficiency cores on platforms that have them. */
  51. background = -2
  52. };
  53. //==============================================================================
  54. /** A selection of options available when creating realtime threads.
  55. @see startRealtimeThread
  56. */
  57. struct RealtimeOptions
  58. {
  59. /** A value with a range of 0-10, where 10 is the highest priority.
  60. Currently only used by Posix platforms.
  61. @see getPriority
  62. */
  63. [[nodiscard]] RealtimeOptions withPriority (int newPriority) const
  64. {
  65. jassert (isPositiveAndNotGreaterThan (newPriority, 10));
  66. return withMember (*this, &RealtimeOptions::priority, juce::jlimit (0, 10, newPriority));
  67. }
  68. /** Specify the expected amount of processing time required each time the thread wakes up.
  69. Only used by macOS/iOS.
  70. @see getProcessingTimeMs, withMaximumProcessingTimeMs, withPeriodMs, withPeriodHz
  71. */
  72. [[nodiscard]] RealtimeOptions withProcessingTimeMs (double newProcessingTimeMs) const
  73. {
  74. jassert (newProcessingTimeMs > 0.0);
  75. return withMember (*this, &RealtimeOptions::processingTimeMs, newProcessingTimeMs);
  76. }
  77. /** Specify the maximum amount of processing time required each time the thread wakes up.
  78. Only used by macOS/iOS.
  79. @see getMaximumProcessingTimeMs, withProcessingTimeMs, withPeriodMs, withPeriodHz
  80. */
  81. [[nodiscard]] RealtimeOptions withMaximumProcessingTimeMs (double newMaximumProcessingTimeMs) const
  82. {
  83. jassert (newMaximumProcessingTimeMs > 0.0);
  84. return withMember (*this, &RealtimeOptions::maximumProcessingTimeMs, newMaximumProcessingTimeMs);
  85. }
  86. /** Specify the approximate amount of time between each thread wake up.
  87. Alternatively call withPeriodHz().
  88. Only used by macOS/iOS.
  89. @see getPeriodMs, withPeriodHz, withProcessingTimeMs, withMaximumProcessingTimeMs,
  90. */
  91. [[nodiscard]] RealtimeOptions withPeriodMs (double newPeriodMs) const
  92. {
  93. jassert (newPeriodMs > 0.0);
  94. return withMember (*this, &RealtimeOptions::periodMs, newPeriodMs);
  95. }
  96. /** Specify the approximate frequency at which the thread will be woken up.
  97. Alternatively call withPeriodMs().
  98. Only used by macOS/iOS.
  99. @see getPeriodHz, withPeriodMs, withProcessingTimeMs, withMaximumProcessingTimeMs,
  100. */
  101. [[nodiscard]] RealtimeOptions withPeriodHz (double newPeriodHz) const
  102. {
  103. jassert (newPeriodHz > 0.0);
  104. return withPeriodMs (1'000.0 / newPeriodHz);
  105. }
  106. /** Returns a value with a range of 0-10, where 10 is the highest priority.
  107. @see withPriority
  108. */
  109. [[nodiscard]] int getPriority() const
  110. {
  111. return priority;
  112. }
  113. /** Returns the expected amount of processing time required each time the thread
  114. wakes up.
  115. @see withProcessingTimeMs, getMaximumProcessingTimeMs, getPeriodMs
  116. */
  117. [[nodiscard]] std::optional<double> getProcessingTimeMs() const
  118. {
  119. return processingTimeMs;
  120. }
  121. /** Returns the maximum amount of processing time required each time the thread
  122. wakes up.
  123. @see withMaximumProcessingTimeMs, getProcessingTimeMs, getPeriodMs
  124. */
  125. [[nodiscard]] std::optional<double> getMaximumProcessingTimeMs() const
  126. {
  127. return maximumProcessingTimeMs;
  128. }
  129. /** Returns the approximate amount of time between each thread wake up, or
  130. nullopt if there is no inherent periodicity.
  131. @see withPeriodMs, withPeriodHz, getProcessingTimeMs, getMaximumProcessingTimeMs
  132. */
  133. [[nodiscard]] std::optional<double> getPeriodMs() const
  134. {
  135. return periodMs;
  136. }
  137. private:
  138. int priority { 5 };
  139. std::optional<double> processingTimeMs;
  140. std::optional<double> maximumProcessingTimeMs;
  141. std::optional<double> periodMs{};
  142. };
  143. //==============================================================================
  144. /**
  145. Creates a thread.
  146. When first created, the thread is not running. Use the startThread()
  147. method to start it.
  148. @param threadName The name of the thread which typically appears in
  149. debug logs and profiles.
  150. @param threadStackSize The size of the stack of the thread. If this value
  151. is zero then the default stack size of the OS will
  152. be used.
  153. */
  154. explicit Thread (const String& threadName, size_t threadStackSize = osDefaultStackSize);
  155. /** Destructor.
  156. You must never attempt to delete a Thread object while it's still running -
  157. always call stopThread() and make sure your thread has stopped before deleting
  158. the object. Failing to do so will throw an assertion, and put you firmly into
  159. undefined behaviour territory.
  160. */
  161. virtual ~Thread();
  162. //==============================================================================
  163. /** Must be implemented to perform the thread's actual code.
  164. Remember that the thread must regularly check the threadShouldExit()
  165. method whilst running, and if this returns true it should return from
  166. the run() method as soon as possible to avoid being forcibly killed.
  167. @see threadShouldExit, startThread
  168. */
  169. virtual void run() = 0;
  170. //==============================================================================
  171. /** Attempts to start a new thread with default ('Priority::normal') priority.
  172. This will cause the thread's run() method to be called by a new thread.
  173. If this thread is already running, startThread() won't do anything.
  174. If a thread cannot be created with the requested priority, this will return false
  175. and Thread::run() will not be called. An exception to this is the Android platform,
  176. which always starts a thread and attempts to upgrade the thread after creation.
  177. @returns true if the thread started successfully. false if it was unsuccesful.
  178. @see stopThread
  179. */
  180. bool startThread();
  181. /** Attempts to start a new thread with a given priority.
  182. This will cause the thread's run() method to be called by a new thread.
  183. If this thread is already running, startThread() won't do anything.
  184. If a thread cannot be created with the requested priority, this will return false
  185. and Thread::run() will not be called. An exception to this is the Android platform,
  186. which always starts a thread and attempts to upgrade the thread after creation.
  187. @param newPriority Priority the thread should be assigned. This parameter is ignored
  188. on Linux.
  189. @returns true if the thread started successfully, false if it was unsuccesful.
  190. @see startThread, setPriority, startRealtimeThread
  191. */
  192. bool startThread (Priority newPriority);
  193. /** Starts the thread with realtime performance characteristics on platforms
  194. that support it.
  195. You cannot change the options of a running realtime thread, nor switch
  196. a non-realtime thread to a realtime thread. To make these changes you must
  197. first stop the thread and then restart with different options.
  198. @param options Realtime options the thread should be created with.
  199. @see startThread, RealtimeOptions
  200. */
  201. bool startRealtimeThread (const RealtimeOptions& options);
  202. /** Attempts to stop the thread running.
  203. This method will cause the threadShouldExit() method to return true
  204. and call notify() in case the thread is currently waiting.
  205. Hopefully the thread will then respond to this by exiting cleanly, and
  206. the stopThread method will wait for a given time-period for this to
  207. happen.
  208. If the thread is stuck and fails to respond after the timeout, it gets
  209. forcibly killed, which is a very bad thing to happen, as it could still
  210. be holding locks, etc. which are needed by other parts of your program.
  211. @param timeOutMilliseconds The number of milliseconds to wait for the
  212. thread to finish before killing it by force. A negative
  213. value in here will wait forever.
  214. @returns true if the thread was cleanly stopped before the timeout, or false
  215. if it had to be killed by force.
  216. @see signalThreadShouldExit, threadShouldExit, waitForThreadToExit, isThreadRunning
  217. */
  218. bool stopThread (int timeOutMilliseconds);
  219. //==============================================================================
  220. /** Invokes a lambda or function on its own thread with the default priority.
  221. This will spin up a Thread object which calls the function and then exits.
  222. Bear in mind that starting and stopping a thread can be a fairly heavyweight
  223. operation, so you might prefer to use a ThreadPool if you're kicking off a lot
  224. of short background tasks.
  225. Also note that using an anonymous thread makes it very difficult to interrupt
  226. the function when you need to stop it, e.g. when your app quits. So it's up to
  227. you to deal with situations where the function may fail to stop in time.
  228. @param functionToRun The lambda to be called from the new Thread.
  229. @returns true if the thread started successfully, or false if it failed.
  230. @see launch.
  231. */
  232. static bool launch (std::function<void()> functionToRun);
  233. //==============================================================================
  234. /** Invokes a lambda or function on its own thread with a custom priority.
  235. This will spin up a Thread object which calls the function and then exits.
  236. Bear in mind that starting and stopping a thread can be a fairly heavyweight
  237. operation, so you might prefer to use a ThreadPool if you're kicking off a lot
  238. of short background tasks.
  239. Also note that using an anonymous thread makes it very difficult to interrupt
  240. the function when you need to stop it, e.g. when your app quits. So it's up to
  241. you to deal with situations where the function may fail to stop in time.
  242. @param priority The priority the thread is started with.
  243. @param functionToRun The lambda to be called from the new Thread.
  244. @returns true if the thread started successfully, or false if it failed.
  245. */
  246. static bool launch (Priority priority, std::function<void()> functionToRun);
  247. //==============================================================================
  248. /** Returns true if the thread is currently active */
  249. bool isThreadRunning() const;
  250. /** Sets a flag to tell the thread it should stop.
  251. Calling this means that the threadShouldExit() method will then return true.
  252. The thread should be regularly checking this to see whether it should exit.
  253. If your thread makes use of wait(), you might want to call notify() after calling
  254. this method, to interrupt any waits that might be in progress, and allow it
  255. to reach a point where it can exit.
  256. @see threadShouldExit, waitForThreadToExit
  257. */
  258. void signalThreadShouldExit();
  259. /** Checks whether the thread has been told to stop running.
  260. Threads need to check this regularly, and if it returns true, they should
  261. return from their run() method at the first possible opportunity.
  262. @see signalThreadShouldExit, currentThreadShouldExit
  263. */
  264. bool threadShouldExit() const;
  265. /** Checks whether the current thread has been told to stop running.
  266. On the message thread, this will always return false, otherwise
  267. it will return threadShouldExit() called on the current thread.
  268. @see threadShouldExit
  269. */
  270. static bool currentThreadShouldExit();
  271. /** Waits for the thread to stop.
  272. This will wait until isThreadRunning() is false or until a timeout expires.
  273. @param timeOutMilliseconds the time to wait, in milliseconds. If this value
  274. is less than zero, it will wait forever.
  275. @returns true if the thread exits, or false if the timeout expires first.
  276. */
  277. bool waitForThreadToExit (int timeOutMilliseconds) const;
  278. //==============================================================================
  279. /** Used to receive callbacks for thread exit calls */
  280. class JUCE_API Listener
  281. {
  282. public:
  283. virtual ~Listener() = default;
  284. /** Called if Thread::signalThreadShouldExit was called.
  285. @see Thread::threadShouldExit, Thread::addListener, Thread::removeListener
  286. */
  287. virtual void exitSignalSent() = 0;
  288. };
  289. /** Add a listener to this thread which will receive a callback when
  290. signalThreadShouldExit was called on this thread.
  291. @see signalThreadShouldExit, removeListener
  292. */
  293. void addListener (Listener*);
  294. /** Removes a listener added with addListener. */
  295. void removeListener (Listener*);
  296. /** Returns true if this Thread represents a realtime thread. */
  297. bool isRealtime() const;
  298. //==============================================================================
  299. /** Sets the affinity mask for the thread.
  300. This will only have an effect next time the thread is started - i.e. if the
  301. thread is already running when called, it'll have no effect.
  302. @see setCurrentThreadAffinityMask
  303. */
  304. void setAffinityMask (uint32 affinityMask);
  305. /** Changes the affinity mask for the caller thread.
  306. This will change the affinity mask for the thread that calls this static method.
  307. @see setAffinityMask
  308. */
  309. static void JUCE_CALLTYPE setCurrentThreadAffinityMask (uint32 affinityMask);
  310. //==============================================================================
  311. /** Suspends the execution of the current thread until the specified timeout period
  312. has elapsed (note that this may not be exact).
  313. The timeout period must not be negative and whilst sleeping the thread cannot
  314. be woken up so it should only be used for short periods of time and when other
  315. methods such as using a WaitableEvent or CriticalSection are not possible.
  316. */
  317. static void JUCE_CALLTYPE sleep (int milliseconds);
  318. /** Yields the current thread's CPU time-slot and allows a new thread to run.
  319. If there are no other threads of equal or higher priority currently running then
  320. this will return immediately and the current thread will continue to run.
  321. */
  322. static void JUCE_CALLTYPE yield();
  323. //==============================================================================
  324. /** Suspends the execution of this thread until either the specified timeout period
  325. has elapsed, or another thread calls the notify() method to wake it up.
  326. A negative timeout value means that the method will wait indefinitely.
  327. @returns true if the event has been signalled, false if the timeout expires.
  328. */
  329. bool wait (double timeOutMilliseconds) const;
  330. /** Wakes up the thread.
  331. If the thread has called the wait() method, this will wake it up.
  332. @see wait
  333. */
  334. void notify() const;
  335. //==============================================================================
  336. /** A value type used for thread IDs.
  337. @see getCurrentThreadId(), getThreadId()
  338. */
  339. using ThreadID = void*;
  340. /** Returns an id that identifies the caller thread.
  341. To find the ID of a particular thread object, use getThreadId().
  342. @returns a unique identifier that identifies the calling thread.
  343. @see getThreadId
  344. */
  345. static ThreadID JUCE_CALLTYPE getCurrentThreadId();
  346. /** Finds the thread object that is currently running.
  347. Note that the main UI thread (or other non-JUCE threads) don't have a Thread
  348. object associated with them, so this will return nullptr.
  349. */
  350. static Thread* JUCE_CALLTYPE getCurrentThread();
  351. /** Returns the ID of this thread.
  352. That means the ID of this thread object - not of the thread that's calling the method.
  353. This can change when the thread is started and stopped, and will be invalid if the
  354. thread's not actually running.
  355. @see getCurrentThreadId
  356. */
  357. ThreadID getThreadId() const noexcept;
  358. /** Returns the name of the thread. This is the name that gets set in the constructor. */
  359. const String& getThreadName() const noexcept { return threadName; }
  360. /** Changes the name of the caller thread.
  361. Different OSes may place different length or content limits on this name.
  362. */
  363. static void JUCE_CALLTYPE setCurrentThreadName (const String& newThreadName);
  364. #if JUCE_ANDROID || DOXYGEN
  365. //==============================================================================
  366. /** Initialises the JUCE subsystem for projects not created by the Projucer
  367. On Android, JUCE needs to be initialised once before it is used. The Projucer
  368. will automatically generate the necessary java code to do this. However, if
  369. you are using JUCE without the Projucer or are creating a library made with
  370. JUCE intended for use in non-JUCE apks, then you must call this method
  371. manually once on apk startup.
  372. You can call this method from C++ or directly from java by calling the
  373. following java method:
  374. @code
  375. com.rmsl.juce.Java.initialiseJUCE (myContext);
  376. @endcode
  377. Note that the above java method is only available in Android Studio projects
  378. created by the Projucer. If you need to call this from another type of project
  379. then you need to add the following java file to
  380. your project:
  381. @code
  382. package com.rmsl.juce;
  383. public class Java
  384. {
  385. static { System.loadLibrary ("juce_jni"); }
  386. public native static void initialiseJUCE (Context context);
  387. }
  388. @endcode
  389. @param jniEnv this is a pointer to JNI's JNIEnv variable. Any callback
  390. from Java into C++ will have this passed in as it's first
  391. parameter.
  392. @param jContext this is a jobject referring to your app/service/receiver/
  393. provider's Context. JUCE needs this for many of it's internal
  394. functions.
  395. */
  396. static void initialiseJUCE (void* jniEnv, void* jContext);
  397. #endif
  398. protected:
  399. //==============================================================================
  400. /** Returns the current priority of this thread.
  401. This can only be called from the target thread. Doing so from another thread
  402. will cause an assert.
  403. @see setPriority
  404. */
  405. Priority getPriority() const;
  406. /** Attempts to set the priority for this thread. Returns true if the new priority
  407. was set successfully, false if not.
  408. This can only be called from the target thread. Doing so from another thread
  409. will cause an assert.
  410. @param newPriority The new priority to be applied to the thread. Note: This
  411. has no effect on Linux platforms, subsequent calls to
  412. 'getPriority' will return this value.
  413. @see Priority
  414. */
  415. bool setPriority (Priority newPriority);
  416. private:
  417. //==============================================================================
  418. const String threadName;
  419. std::atomic<void*> threadHandle { nullptr };
  420. std::atomic<ThreadID> threadId { nullptr };
  421. std::optional<RealtimeOptions> realtimeOptions = {};
  422. CriticalSection startStopLock;
  423. WaitableEvent startSuspensionEvent, defaultEvent;
  424. size_t threadStackSize;
  425. uint32 affinityMask = 0;
  426. bool deleteOnThreadEnd = false;
  427. std::atomic<bool> shouldExit { false };
  428. ListenerList<Listener, Array<Listener*, CriticalSection>> listeners;
  429. #if JUCE_ANDROID || JUCE_LINUX || JUCE_BSD
  430. std::atomic<Priority> priority;
  431. #endif
  432. #ifndef DOXYGEN
  433. friend void JUCE_API juce_threadEntryPoint (void*);
  434. #endif
  435. bool startThreadInternal (Priority);
  436. bool createNativeThread (Priority);
  437. void closeThreadHandle();
  438. void killThread();
  439. void threadEntryPoint();
  440. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (Thread)
  441. };
  442. } // namespace juce