3

我有一些非常基本的信号量代码,在 Linux 上运行良好,但我一辈子都无法让它在 OS X 上正常运行......它返回最奇怪的结果......

#include <iostream>
#include <fcntl.h>
#include <stdio.h>
#include <semaphore.h>

int main()
{
    sem_t* test;
    test = sem_open("test", O_CREAT, 0, 1);

    int value;
    sem_getvalue(test, &value);
    printf("Semaphore initialized to %d\n", value);
}

在 OS X 上使用 g++ 编译它会返回以下输出:

iQudsi:Desktop mqudsi$ g++ test.cpp
iQudsi:Desktop mqudsi$ ./a.out 
Semaphore initialized to -1881139893

而在 Ubuntu 上,我得到了明显更理智的结果:

iQudsi: Desktop mqudsi$ g++ test.cpp -lrt
iQudsi:Desktop mqudsi$ ./a.out 
Semaphore initialized to 1

我已经连续 3 个小时了,无法弄清楚为什么 OS X 会返回如此奇怪的结果......

我尝试使用文件路径作为信号量名称,但没有任何区别。

我会很感激我能得到的任何帮助。

4

3 回答 3

8

你在测试错误吗?尝试:

#include <iostream>
#include <fcntl.h>
#include <stdio.h>
#include <semaphore.h>

int main()
{
    sem_t* test;
    test = sem_open("test", O_CREAT, 0, 1);
    if (test == SEM_FAILED) {
        perror("sem_open");
        return 1;
    }

    int value;
    if (sem_getvalue(test, &value)) {
        perror("sem_getvalue");
        return 1;
    }
    printf("Semaphore initialized to %d\n", value);
}
于 2009-05-16T02:02:06.453 回答
6
$ g++ sem-testing.cc -Wall
$ ./a.out 
sem_getvalue: Function not implemented
$ man sem_getvalue
No manual entry for sem_getvalue

You are using a function that is not currently implemented in Mac OS X, and the integer you are printing out contains the default data that the integer was initialised with which was probably random data that was still in memory. Had you zero'd it out, by setting it with int value = 0; you might have caught this mistake sooner.

This is the code I used (thanks to bdonlan):

#include <iostream>
#include <fcntl.h>
#include <stdio.h>
#include <semaphore.h>

int main()
{
    sem_t* test;
    test = sem_open("test", O_CREAT, 0, 1);
    if (test == SEM_FAILED) {
        perror("sem_open");
        return 1;
    }

    int value;
    if (sem_getvalue(test, &value)) {
        perror("sem_getvalue");
        return 1;
    }
    printf("Semaphore initialized to %d\n", value);
}
于 2009-05-16T05:47:33.617 回答
2

好吧,也许 sem_open() 失败了——你没有测试。

或者,也许 OSX 不默认支持共享 posix sem - 如果 /dev/shm 未安装,通常系统将不支持 sem_open()。

您可能想要使用 SysV 信号量。

此处询问了有关 Slackware 的类似问题:how-do-i-stop-semopen-failing-with-enosys

然而,进一步的搜索显示 OSX 命名的信号机是建立在马赫信号量之上的,当你完成时你可能需要 sem_unlink() (不仅仅是 sem_close(),或者可能相反),你应该小心权限 -我建议从 0777 或 0700 开始,而不是 0。参见Darwin 中的 posiz semaphores

于 2009-05-16T02:21:40.213 回答