How to write a constant time function to copy the most significant bit to all bits

后端 未结 3 1744
执笔经年
执笔经年 2021-02-14 19:09

I\'d like to write a function, in C, which takes the MSB of uint8_t, and if it\'s set, returns 0xFF and if not 0x00. In short, which retur

相关标签:
3条回答
  • 2021-02-14 19:31

    Given the declaration of your uint8_t:

    uint8_t x = // MSB is either 1 or 0 if `x` depending on the signed value of `x`
    

    A cheat that assumes 2's complement for signed integers:

    return (((uint16_t)(int8_t)x) >> 8) & 0xff;
    
    0 讨论(0)
  • 2021-02-14 19:33

    How about:

    #define uint8_msb_to_all_bits(x) (0xFF * ((x) >> 7))
    

    or even better:

    #define uint8_msb_to_all_bits(x) (-((x) >> 7))
    

    The way these both work is that, if x is an 8-bit unsigned integer, then x >> 7 is 1 if the MSB of x is set, and 0 otherwise. All that remains is then mapping 1 to 0xFF, which can be done either by multiplication, or, in this particular case, simply by negating the number.

    (Yes, negating an unsigned number is well defined in C.)

    0 讨论(0)
  • 2021-02-14 19:36

    What about

    - (x >> 7)
    

    ?

    Only the MSB is retained and math negation is used to replicate it to all bits.

    0 讨论(0)
提交回复
热议问题