OpenGroup POSIX.1-2001和strerror_r一样定义The Linux Standard Base Core Specification 3.1。但是我找不到错误消息可以合理预期的最大大小的引用。我希望可以在代码中定义一些地方,但是找不到。

该代码必须是线程安全的。这就是为什么使用strerror_r而不使用strerror的原因。

有人知道我可以使用的符号吗?我应该创建自己的吗?


int result = gethostname(p_buffy, size_buffy);
int errsv = errno;
if (result < 0)
{
    char buf[256];
    char const * str = strerror_r(errsv, buf, 256);
    syslog(LOG_ERR,
             "gethostname failed; errno=%d(%s), buf='%s'",
             errsv,
             str,
             p_buffy);
     return errsv;
}

来自文档:

开放组基础规范第6期:



来自源:

glibc-2.7/glibc-2.7/string/strerror.c:41:
    char *
    strerror (errnum)
         int errnum;
    {
        ...
        buf = malloc (1024);

最佳答案

具有足够大的静态限制可能足以满足所有情况。
如果确实需要获取整个错误消息,则可以使用GNU version of strerror_r,也可以使用标准版本
并使用依次更大的缓冲区对其进行轮询,直到获得所需的内容为止。例如,
您可以使用类似下面的代码。

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

/* Call strerror_r and get the full error message. Allocate memory for the
 * entire string with malloc. Return string. Caller must free string.
 * If malloc fails, return NULL.
 */
char *all_strerror(int n)
{
    char *s;
    size_t size;

    size = 1024;
    s = malloc(size);
    if (s == NULL)
        return NULL;

    while (strerror_r(n, s, size) == -1 && errno == ERANGE) {
        size *= 2;
        s = realloc(s, size);
        if (s == NULL)
            return NULL;
    }

    return s;
}

int main(int argc, char **argv)
{
    for (int i = 1; i < argc; ++i) {
        int n = atoi(argv[i]);
        char *s = all_strerror(n);
        printf("[%d]: %s\n", n, s);
        free(s);
    }

    return 0;
}

关于c - 我应该允许多大的strerror_r?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/423248/

10-10 13:56