計算機科学のブログ

C - スレッド - 並列の世界 - POSIXスレッドライブラリ(pthread)

Head First C ―頭とからだで覚えるCの基本David Griffiths(著)、 Dawn Griffiths(著)、 中田 秀基(監修)、 木下 哲也(翻訳)、 O’Reilly Media)の 12章(スレッド - 並列の世界)、p.509(ビールマグネット)の解答を求めてみる。

Makefile

all: a.out
	./a.out

a.out: main.c
	cc main.c

コード

main.c

#include <stdio.h>
#include <string.h>
#include <errno.h>
#include <pthread.h>
#include <stdlib.h>

void error(char *msg)
{
    fprintf(stderr, "%s:%s\n", msg, strerror(errno));
    exit(1);
}
int beers = 2000000;
void *drink_lots(void *a)
{
    for (size_t i = 0; i < 100000; i++)
    {
        beers--;
    }
    return NULL;
}
int main()
{
    size_t count = 20;
    pthread_t threads[count];
    printf("壁にはビールが%i本\n%i本のビール\n", beers, beers);
    for (size_t t = 0; t < count; t++)
    {
        if (pthread_create(&threads[t], NULL, drink_lots, NULL) == -1)
        {
            char s[255];
            sprintf(s, "スレッドthreads[%zu]を作成できません。", t);
            error(s);
        }
        void *result;
        for (size_t t = 0; t < count; t++)
        {
            if (pthread_join(threads[t], &result) == -1)
            {
                char s[255];
                sprintf(s, "スレッドthreads[%zu]をジョインできません。", t);
                error(s);
            }
        }
    }
    printf("現在、壁にはビールが%i本あります。\n", beers);
}

入出力結果(Terminal, Zsh)

% make
cc main.c
./a.out
壁にはビールが2000000本
2000000本のビール
現在、壁にはビールが0本あります。
%