0

我有一个想法如何制作非常简单的跨平台(linux/windows)线程功能。这是我的示例代码:

#if LINUX
 #include <pthread.h>
 ThreadHandle createThread(???* callback, void* data) {   //I dont know what is data type of function pointer, sorry
     pthread_t handle;
     pthread_create(&handle, 0, callback, (void*)data);
     return (ThreadHandle)handle;
 }
 define_data_type ThreadHandle = pthread_t;  //I don't know how this is done at all, sorry
#endif
#if WINDOWS
  #include <windows.h>
  ThreadHandle createThread(???* callback, void* data) {
        HANDLE handle = CreateThread( 
        NULL,                   // default security attributes
        0,                      // use default stack size  
        callback,               // thread function name
        data,                   // argument to thread function 
        0,                      // use default creation flags 
        NULL);   // returns the thread identifier - I don't need this, do I?
  }
  define_data_type ThreadHandle = HANDLE;  //I don't know how this is done at all, sorry
#endif

恐怕这首先看起来像一个奇怪的问题,但请记住,我是初学者,我需要了解 C++。随意编辑那些我留下“我不知道”评论的部分。
如果您认为这是一个错误的问题,请留下关于我应该如何提问的评论。

4

1 回答 1

1
  1. 首先拥有一个独立于平台的头文件,如 Thread.h,它将抽象所有线程函数
  2. 在 *.$platform.cpp 文件中有平台特定的代码
  3. 显然你的构建系统应该只编译平台相关的代码

现在,对于特定的代码

使用类似这样的东西来定义泛型类型

typedef unsigned long os_error_t;

typedef void * os_console_handle;
typedef void * os_thread_handle;
typedef void * os_event_handle;
typedef unsigned long os_pid_t;
typedef unsigned long os_thread_id;

在 linux 上,使用并调用 pthread_create(..) 在 windows 上,使用并调用 CreateThread(..) 阅读文档以获取特定的 impl

对于回调,您可以使用类似

typedef os_error_t (*thread_start_function_t)(void *);

class InternalThreadArgs {
    thread_start_function_t m_func;
    void *m_pArg;
public:
    InternalThreadArgs(thread_start_function_t pf, void *pArg) {
        m_func = pf;
        m_pArg = pArg;
    }
    os_error_t Run() {
        return m_func(m_pArg);
    }
};

现在,让你的抽象方法签名像

     os_error_t create_thread(thread_start_function_t pf, void *pArg, os_thread_handle *pHandle);
于 2013-03-05T01:29:04.397 回答