2 の補数とは、ビットを反転してから 2 進数の 1 桁を追加することです。だから例えば…
0011001
apply two's complement
1. inverse the bits, 1100110
2. add a binary digit, 1100110 + 1 = 1100111
オーバーフロー状況を示す別の例...
1001100
apply two's complement
1. inverse the bits, 0110011
2. add a binary digit, 0110011 + 1 = 0110100
これをPythonで実装する最良の方法は何でしょうか。これまでのところこのコードがありますが、この方法を使いすぎているため、より効率的にしたいと考えています。
def toTwosComplement(binarySequence):
convertedSequence = [0] * len(binarySequence)
carryBit = 1
# INVERT THE BITS
for i in range(0, len(binarySequence)):
if binarySequence[i] == '0':
convertedSequence[i] = 1
else:
convertedSequence[i] = 0
# ADD BINARY DIGIT 1
if convertedSequence[-1] == 0: #if last digit is 0, just add the 1 then there's no carry bit so return
convertedSequence[-1] = 1
return ''.join(str(x) for x in convertedSequence)
for bit in range(0, len(binarySequence)):
if carryBit == 0:
break
index = len(binarySequence) - bit - 1
if convertedSequence[index] == 1:
convertedSequence[index] = 0
carryBit = 1
else:
convertedSequence[index] = 1
carryBit = 0
return ''.join(str(x) for x in convertedSequence)
if __name__ == '__main__':
print toTwosComplement('00110010101101001')
私の質問は、このアルゴリズムを最適化できるかということです。現時点では、実行する必要があるバイナリ コードの量に対して実行速度が遅すぎるためです。