linuxでのC言語開発(マルチスレッドプログラミング)


【声明:著作権所有、転載歓迎、商業用途に使用しないでください.連絡ポスト:[email protected]
マルチスレッドとマルチプロセスには多くの違いがあります.1つは、マルチプロセスがlinuxカーネル自体でサポートされているのに対し、マルチスレッドは対応するダイナミックライブラリでサポートされる必要があります.プロセスでは、データ間は互いに分離されていますが、マルチスレッドは異なり、異なるスレッドはスタック空間以外のすべてのデータが共有されています.こんなにたくさん言ったのに、私たちはやはり自分でマルチスレッドプログラムを書いて結果がどうなっているのかを見てみましょう.
#include <stdio.h>
#include <pthread.h>
#include <unistd.h>
#include <stdlib.h>

void func_1(void* args)
{
    while(1){
        sleep(1);
        printf("this is func_1!
"); } } void func_2(void* args) { while(1){ sleep(2); printf("this is func_2!
"); } } int main() { pthread_t pid1, pid2; if(pthread_create(&pid1, NULL, func_1, NULL)) { return -1; } if(pthread_create(&pid2, NULL, func_2, NULL)) { return -1; } while(1){ sleep(3); } return 0; }

以前に作成したプログラムとは異なり、マルチスレッドコードはこのようにコンパイルし、gcc threadを入力する必要があります.c-o thread-lpthread、コンパイルするとthread実行可能ファイルが表示され、./threadでいいです.
[test@localhost Desktop]$ ./thread
this is func_1!
this is func_2!
this is func_1!
this is func_1!
this is func_2!
this is func_1!
this is func_1!
this is func_2!
this is func_1!
this is func_1!