如何比较两个整数中的未对齐单个位?

时间:2014-11-19 07:18:11

标签: c comparison bit

要将m中的foo位与n中的bar位进行比较,我最终会做类似的事情

if ( ( ( foo >> m ) & 1 ) == ( ( bar >> n ) & 1 ) ) {...}

甚至

if ( ! ( ( ( foo >> m ) ^ ( bar >> n ) ) & 1 ) ) {...}

但对我来说这看起来非常不理想。我想知道是否有更简单的方法来做到这一点。

1 个答案:

答案 0 :(得分:1)

对我来说,更具可读性的方式是

#include <stdio.h>

int main() {
  int foo, bar;
  int foo_bit, bar_bit;
  int foo_mask, bar_mask;

  foo = 60;  // 0b00111100
  bar = 240; // 0b11110000

  foo_bit = 3;
  bar_bit = 5;

  foo_mask = 1 << foo_bit;
  bar_mask = 1 << bar_bit;

  if((foo & foo_mask)>0 == (bar & bar_mask)>0) {
    printf("bit %d in foo and bit %d in bar are equal\n",foo_bit,bar_bit);
  } else {
    printf("bit %d in foo and bit %d in bar are NOT equal\n",foo_bit,bar_bit);
  }

  return 0;
}

但它不是&#34;更好&#34;。