其他分享
首页 > 其他分享> > C 98替代std :: stoul?

C 98替代std :: stoul?

作者:互联网

我在这里用这段代码遇到了麻烦:

unsigned long value = stoul ( s, NULL, 11 );

这给了我c98的这个错误

error: 'stoul' was not declared in this scope

它适用于C 11,但我需要在C 98上使用它.

解决方法:

您可以使用cstdlib中的strtoul

unsigned long value = strtoul (s.c_str(), NULL, 11);

一些差异:

> std :: stoul的第二个参数是size_t *,它将被设置为转换后的数字后第一个字符的位置,而strtoul的第二个参数是char **类型,并指向转换后的第一个字符数.
>如果没有发生转换,std :: stoul抛出invalid_argument异常而strtoul没有(你必须检查第二个参数的值).通常,如果要检查错误:

char *ptr;
unsigned long value = strtoul (s.c_str(), &ptr, 11);
if (s.c_str() == ptr) {
    // error
}

>如果转换后的值超出unsigned long的范围,std :: stoul将抛出out_of_range异常,而strtoul返回ULONG_MAX并将errno设置为ERANGE.

这是std::stoul的自定义版本,应该像标准版本一样,并总结了std :: stoul和strtoul之间的区别:

#include <string>
#include <stdexcept>
#include <cstdlib>
#include <climits>
#include <cerrno>

unsigned long my_stoul (std::string const& str, size_t *idx = 0, int base = 10) {
    char *endp;
    unsigned long value = strtoul(str.c_str(), &endp, base);
    if (endp == str.c_str()) {
        throw std::invalid_argument("my_stoul");
    }
    if (value == ULONG_MAX && errno == ERANGE) {
        throw std::out_of_range("my_stoul");
    }
    if (idx) {
        *idx = endp - str.c_str();
    }
    return value;
}

标签:c98,c
来源: https://codeday.me/bug/20190824/1705825.html