C语言创建多线程例子
时间: 2023-08-31 16:25:28 浏览: 115
### 回答1:
下面是一个简单的使用 C 语言创建多线程的例子:
```c
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
void *thread_func(void *arg) {
int i;
for (i = 0; i < 10; i++) {
printf("Thread says hi!\n");
sleep(1);
}
pthread_exit(NULL);
}
int main() {
pthread_t my_thread;
int ret;
ret = pthread_create(&my_thread, NULL, thread_func, NULL);
if (ret != 0) {
printf("Error creating thread!\n");
exit(EXIT_FAILURE);
}
printf("Main function says hi!\n");
pthread_join(my_thread, NULL);
return 0;
}
```
在这个例子中,我们使用了 `pthread_create()` 函数来创建一个新的线程,并传递给它一个指向 `thread_func()` 函数的指针作为参数。在 `thread_func()` 函数中,我们使用 `printf()` 函数输出一条消息,并使用 `sleep()` 函数暂停一秒钟,以便我们可以看到线程运行的效果。在主函数中,我们使用 `pthread_join()` 函数等待线程完成,并在输出一条消息后退出程序。
### 回答2:
以下是一个用C语言创建多线程的例子:
```c
#include <stdio.h>
#include <pthread.h>
#define NUM_THREADS 5
// 线程函数
void *printHello(void *threadID) {
long tid = (long)threadID;
printf("Hello from thread %ld\n", tid);
pthread_exit(NULL);
}
int main() {
pthread_t threads[NUM_THREADS];
int rc;
long t;
// 创建多个线程
for (t = 0; t < NUM_THREADS; t++) {
printf("Creating thread %ld\n", t);
rc = pthread_create(&threads[t], NULL, printHello, (void *)t);
if (rc != 0) {
printf("Error creating thread. Return code: %d\n", rc);
return -1;
}
}
// 等待所有线程结束
for (t = 0; t < NUM_THREADS; t++) {
rc = pthread_join(threads[t], NULL);
if (rc != 0) {
printf("Error joining thread. Return code: %d\n", rc);
return -1;
}
}
printf("All threads completed.\n");
return 0;
}
```
以上代码创建了5个线程,每个线程打印出自己的线程ID。在主函数中,首先创建了5个线程,并且通过`pthread_create`函数来指定线程执行的函数为`printHello`,并传递每个线程对应的线程ID作为参数。然后通过`pthread_join`函数等待每个线程结束。最后输出"All threads completed."表示所有线程执行完毕。
### 回答3:
C语言创建多线程的一个简单例子如下所示:
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
// 回调函数,用于线程执行
void *thread_function(void *arg) {
int *thread_id = (int *)arg;
printf("线程 %d 正在执行\n", *thread_id);
// 执行其他操作...
printf("线程 %d 执行完毕\n", *thread_id);
pthread_exit(NULL);
}
int main() {
pthread_t thread1, thread2;
int id1 = 1, id2 = 2;
// 创建线程1
if (pthread_create(&thread1, NULL, thread_function, (void *)&id1) != 0) {
fprintf(stderr, "无法创建线程1\n");
return 1;
}
// 创建线程2
if (pthread_create(&thread2, NULL, thread_function, (void *)&id2) != 0) {
fprintf(stderr, "无法创建线程2\n");
return 1;
}
// 等待线程1执行完毕
if (pthread_join(thread1, NULL) != 0) {
fprintf(stderr, "无法等待线程1执行完毕\n");
return 1;
}
// 等待线程2执行完毕
if (pthread_join(thread2, NULL) != 0) {
fprintf(stderr, "无法等待线程2执行完毕\n");
return 1;
}
printf("所有线程执行完毕\n");
return 0;
}
这个例子创建了两个线程,每个线程都执行了相同的回调函数`thread_function`。在主函数中,我们利用`pthread_create`函数创建了线程,并使用`pthread_join`函数等待线程执行完毕。每个线程都传递了一个整数作为参数,用于标识不同的线程。在回调函数中,我们通过强制转换将参数指针转换为整数,并在控制台打印出相应的线程标识。最后,主线程等待两个子线程执行完毕后,打印了"所有线程执行完毕"的消息。这个例子展示了C语言如何创建和管理多个线程的基本操作。
阅读全文