Core Audio渲染线程和线程信令

时间:2013-12-30 17:29:19

标签: ios multithreading core-audio

iOS是否有任何类型的非常低级别的条件锁定,不包括锁定?

我正在寻找一种方法来从Core Audio渲染线程中发出等待线程的信号,而不使用锁。我想知道是否可能存在马赫系统调用的低级别。

现在我有一个Core Audio线程,它使用非阻塞线程安全消息队列将消息发送到另一个线程。然后另一个线程每100ms拉一次,看看队列中是否有消息可用。

但这是非常简陋的,时机非常糟糕。我可以使用条件锁,但这涉及锁定,我想保持任何类型的锁定从渲染线程。

我正在寻找的是让消息队列线程等待,直到Core Audio渲染线程发出信号。就像pthread条件一样,但没有锁定而没有立即上下文切换?我想在消息队列线程被唤醒之前完成Core Audio线程。

1 个答案:

答案 0 :(得分:4)

更新

dispatch_semaphore_t效果很好,比马赫semaphore_t效率更高。原始代码使用调度信号量看起来像这样:

#include <dispatch/dispatch.h>

// Declare mSemaphore somewhere it is available to multiple threads
dispatch_semaphore_t mSemaphore;


// Create the semaphore
mSemaphore = dispatch_semaphore_create(0);
// Handle error if(nullptr == mSemaphore)


// ===== RENDER THREAD
// An event happens in the render thread- set a flag and signal whoever is waiting
/*long result =*/ dispatch_semaphore_signal(mSemaphore);


// ===== OTHER THREAD
// Check the flags and act on the state change
// Wait for a signal for 2 seconds
/*long result =*/ dispatch_semaphore_wait(mSemaphore, dispatch_time(dispatch_time_now(), 2 * NSEC_PER_SEC));


// Clean up when finished
dispatch_release(mSemaphore);

原始答案:

您可以使用马赫semaphore_t来达到此目的。我编写了一个封装功能的C ++类:https://github.com/sbooth/SFBAudioEngine/blob/master/Semaphore.cpp

您是否最终使用我的包装器或自己编写代码看起来大致如下:

#include <mach/mach.h>
#include <mach/task.h>

// Declare mSemaphore somewhere it is available to multiple threads
semaphore_t mSemaphore;


// Create the semaphore
kern_return_t result = semaphore_create(mach_task_self(), &mSemaphore, SYNC_POLICY_FIFO, 0);
// Handle error if(result != KERN_SUCCESS)


// ===== RENDER THREAD
// An event happens in the render thread- set a flag and signal whoever is waiting
kern_return_t result = semaphore_signal(mSemaphore);
// Handle error if(result != KERN_SUCCESS)


// ===== OTHER THREAD
// Check the flags and act on the state change
// Wait for a signal for 2 seconds
mach_timespec_t duration = {
  .tv_sec = 2,
  .tv_nsec = 0
};

kern_return_t result = semaphore_timedwait(mSemaphore, duration);

// Timed out
if(KERN_OPERATION_TIMED_OUT != result)
  ;

// Handle error if(result != KERN_SUCCESS)


// Clean up when finished
kern_return_t result = semaphore_destroy(mach_task_self(), mSemaphore);
// Handle error if(result != KERN_SUCCESS)