[] 目次 []

Simple DirectMedia Layer API を使う

スレッド

  • 単純なスレッドの作成

スレッドの生成は SDL_CreateThread() に関数を渡すことでなされまう。 関数から戻ったとき、もし成功していれば、 あなたの関数はアプリケーションの他の部分と並行して 自身の実行コンテキスト(スタック・レジスタなど)で 実行されており、アプリケーションの他の部分で使われたメモリや ファイルハンドルにアクセスすることができます。

Tip:
SDL_CreateThread() の 2 番目の引数はスレッド関数にパラメータとして渡されます。 スタック上の値やスレッドで使われるデータへのポインタを渡すために 使うことができます。
Example:
#include "SDL_thread.h"

int global_data = 0;

int thread_func(void *unused)
{
    int last_value = 0;

    while ( global_data != -1 ) {
        if ( global_data != last_value ) {
            printf("Data value changed to %d\n", global_data);
            last_value = global_data;
        }
        SDL_Delay(100);
    }
    printf("Thread quitting\n");
    return(0);
}

{
    SDL_Thread *thread;
    int i;

    thread = SDL_CreateThread(thread_func, NULL);
    if ( thread == NULL ) {
        fprintf(stderr, "Unable to create thread: %s\n", SDL_GetError());
        return;
    }

    for ( i=0; i<5; ++i ) {
        printf("Changing value to %d\n", i);
        global_data = i;
        SDL_Delay(1000);
    }

    printf("Signaling thread to quit\n");
    global_data = -1;
    SDL_WaitThread(thread, NULL);
}
  • リソースへの同期アクセス

2 つ以上のスレッドからリソースへのアクセスを禁止することができます。 それには、まず mutex を作成し、リソースへのアクセスを ロック(SDL_mutexP())とアンロック(SDL_mutexV())で囲みます。

Tip:
2 つ以上のスレッドからアクセスされうるデータは 全て mutex で保護される必要があります。
Example:
#include "SDL_thread.h"
#include "SDL_mutex.h"

int potty = 0;
int gotta_go;

int thread_func(void *data)
{
    SDL_mutex *lock = (SDL_mutex *)data;
    int times_went;

    times_went = 0;
    while ( gotta_go ) {
        SDL_mutexP(lock);    /* potty(おまる)をロック */
        ++potty;
        printf("Thread %d using the potty\n", SDL_ThreadID());
        if ( potty > 1 ) {
            printf("Uh oh, somebody else is using the potty!\n");
        }
        --potty;
        SDL_mutexV(lock);
        ++times_went;
    }
    printf("Yep\n");
    return(times_went);
}

{
    const int progeny = 5;
    SDL_Thread *kids[progeny];
    SDL_mutex  *lock;
    int i, lots;

    /* 同期ロックを作成 */
    lock = SDL_CreateMutex();

    gotta_go = 1;
    for ( i=0; i<progeny; ++i ) {
        kids[i] = SDL_CreateThread(thread_func, lock);
    }

    SDL_Delay(5*1000);
    SDL_mutexP(lock);
    printf("Everybody done?\n");
    gotta_go = 0;
    SDL_mutexV(lock);

    for ( i=0; i<progeny; ++i ) {
        SDL_WaitThread(kids[i], &lots);
        printf("Thread %d used the potty %d times\n", i+1, lots);
    }
    SDL_DestroyMutex(lock);
}

[] 目次 []