how to take twos complement of a byte in c++

后端 未结 3 728
清歌不尽
清歌不尽 2020-12-17 01:42

I am looking at some c++ code and I see:

 byte b = someByteValue;
 // take twos complement
 byte TwosComplement = -b;

Is this code taking t

3条回答
  •  佛祖请我去吃肉
    2020-12-17 02:02

    This code definitely does compute the twos-complement of an 8-bit binary number, on any implementation where stdint.h defines uint8_t:

    #include 
    uint8_t twos_complement(uint8_t val)
    {
        return -(unsigned int)val;
    }
    

    That is because, if uint8_t is available, it must be an unsigned type that is exactly 8 bits wide. The conversion to unsigned int is necessary because uint8_t is definitely narrower than int. Without the conversion, the value will be promoted to int before it is negated, so, if you're on a non-twos-complement machine, it will not take the twos-complement.

    More generally, this code computes the twos-complement of a value with any unsigned type (using C++ constructs for illustration - the behavior of unary minus is the same in both languages, assuming no user-defined overloads):

    #include 
    #include 
    
    template 
    T twos_complement(T val,
                      // "allow this template to be instantiated only for unsigned types"
                      typename std::enable_if::value>::type* = 0)
    {
        return -std::uintmax_t(val);
    }
    

    because unary minus is defined to take the twos-complement when applied to unsigned types. We still need a cast to an unsigned type that is no narrower than int, but now we need it to be at least as wide as any possible T, hence uintmax_t.

    However, unary minus does not necessarily compute the twos-complement of a value whose type is signed, because C (and C++) still explicitly allow implementations based on CPUs that don't use twos-complement for signed quantities. As far as I know, no such CPU has been manufactured in at least 20 years, so the continued provision for them is kind of silly, but there it is. If you want to compute the twos-complement of a value even if its type happens to be signed, you have to do this: (C++ again)

    #include 
    
    template 
    T twos_complement(T val)
    {
        typedef std::make_unsigned::type U;
    
        return T(-uintmax_t(U(val)));
    }
    

    i.e. convert to the corresponding unsigned type, then to uintmax_t, then apply unary minus, then back-convert to the possibly-signed type. (The cast to U is required to make sure the value is zero- rather than sign-extended from its natural width.)

    (If you find yourself doing this, though, stop and change the types in question to unsigned instead. Your future self will thank you.)

提交回复
热议问题