How to create a 128-bit integer literal

我只是一个虾纸丫 提交于 2021-02-08 12:34:31

问题


I have an integer literal in the format 0x75f17d6b3588f843b13dea7c9c324e51. Is there a way to avoid the compiler syntax error "integer literal is too large to be represented in any integer type"?

Because I know I can work with those kinds of types (I'm using uint128_t from the EOS library and if I manually insert it, it works).

Is there a way to somehow parse this string directly into the exact same integer at run time?


回答1:


128 bit integer literals are not mandated by the standard, so it's up to the implementation if it wants to allow them. Most don't, so you'll need to break it up into two 64-bit components and use bitwise operators to combine them:

__uint128_t num = ((__uint128_t)0x75f17d6b3588f843 << 64) | 0xb13dea7c9c324e51;

A good compiler should perform the operations at compile time.




回答2:


You may write a raw literal operator (a kind of user-defined literal, since C++11) for 128-bit integer.

A raw literal operator takes a single const char* as parameter. You can than write a function body to parse the string.

For example:

// Use __uint128_t for demonstration.
constexpr __uint128_t operator""_uint128_t(const char* x)
{
    __uint128_t y = 0;
    for (int i = 2; x[i] != '\0'; ++i)
    {
        y *= 16ull;
        if ('0' <= x[i] && x[i] <= '9')
            y += x[i] - '0';
        else if ('A' <= x[i] && x[i] <= 'F')
            y += x[i] - 'A' + 10;
        else if ('a' <= x[i] && x[i] <= 'f')
            y += x[i] - 'a' + 10;
    }
    return y;
}

Obviously, this implementation is problematic because I'm too lazy to develop a full solution, it only support hexadecimal, it does not check the 0x prefix, etc. And it requires C++14 relaxed constexpr function. But it demonstrates that you can actually parse this string directly into the exact same integer.

Let's test it out:

int main()
{
    auto abc = 0x1234567890ABCDEFfedcba0987654321_uint128_t;
    std::uint64_t higher = abc >> 64;
    std::uint64_t lower = abc;
    std::cout << std::hex << higher << ' ' << lower;
}

http://coliru.stacked-crooked.com/a/fec4fc0fd4ff1418



来源:https://stackoverflow.com/questions/51538694/how-to-create-a-128-bit-integer-literal

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!