manually printing a N-byte integer

自古美人都是妖i 提交于 2020-01-03 11:47:11

问题


What is a scalable algorithm to print an N-binary-digit integer manually whose value does not fit in long long. I know printf and friends, along with <iostream> (which most likely piggy-backs on <cstdio> have this builtin for standard types, but I'd like to do it for an integer composed of N bytes.

I have thought about this and googled a bit, but it always comes down to using a pre-existing bigint libirary like GMP (a codebase I am not at all familiar with) or "use printf" or the most helpful "this is difficult".

The integer is basically:

template<size_t N>
class Integer{
...
private:
    int8_t first;
    uint8_t rest[N-1];
}

so reinterpreting an Integer<4>'s bytes would get you an int32_t. I'd like to scale this to N>8. Efficiency is not really my concern at the moment. Neither is endianness (this is for x86).


回答1:


Step 1: Define a lookup table containing powers of two in string format:

const char * const powers_of_two[] = {"1", "2", "4", "8", "16", "32", "64", ...};

Step 2: Write a function that adds two numbers in string format.

Step 3: Iterate through the bits in your number and add all the strings corresponding to the 1 bits.

Step 4: Print the result.

I used this approach myself for printing very large floating point numbers, and it worked fine for me.




回答2:


A basic recursive algorithm for outputting a decimal number:

void negate(Integer & number); // modifies the input
int divide_by_10(Integer & number); // modifies the input
bool is_zero(const Integer & number);

void output_number(Integer number)
{
    if (number.first < 0)
    {
        cout << "-";
        negate(number);
    }
    if (is_zero(number))
    {
        cout << "0";
        return;
    }
    int remainder = divide_by_10(number);
    if (!is_zero(number))
        output_number(number);
    char digit[] = {'0', 0};
    digit[0] += remainder;
    cout << digit;
}

I've left the helper functions undefined for now, perhaps this is enough.



来源:https://stackoverflow.com/questions/11036198/manually-printing-a-n-byte-integer

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