如何确定负fixnum的无符号解释?

# unexpected, true
(~0b01111011).to_s(2) == ("-" + (~0b01111011).abs.to_s(2))

# expected, false
~0b01111011 == 0b10000100

我如何编写这样一个函数:
123.unsigned_not(8) == 132

或者:
-124.unsigned(8) == 132

编辑:我可以通过字符串来实现,但解决方案远不能令人满意
class Fixnum
  def unsigned_not(bits=16)
    to_s(2).rjust(bits,'0').gsub(/[01]/, '0' => '1', '1' => '0').to_i(2)
  end
end

最佳答案

Fixnum#~运算符使用Two's complement而Ruby使用内部任意的大数和算术,因此如果要在固定的基数上进行反转,则需要在所需的范围内进行操作,并相应地解释结果:

class Fixnum
  def neg(base=8)
    # xor with max in specific base
    self ^ (2**base - 1)
  end
end

132.neg             # 123
123.neg             # 132
~-124.neg           # 132
132.to_s(2)         # 1000010
132.neg.to_s(2)     # 0111101
# different result for a different base, as expected
132.neg(16).to_s(2) # 111111110111101

关于ruby - 无符号等效项为负的FixNum,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34145891/

10-13 00:48