我想將消息轉換爲ASCII十六進制值字符串,然後再返回。但是,我的^ ^位XOR運算符遇到了很多麻煩。我花了最近4個小時在XOR和位操作上搜索stackoverflow的類似問題,但沒有看到我已經解決這個問題的建議。Ruby XOR位明智的操作密碼練習
我有一個RakeTest文件,該文件下面由測試:
def test_xor
key = 'hi'
msg = 'Hello There, how are you?'
key_trunc = key
key_trunc << key while key.length < msg.length
key_trunc = Decrypt.truncate_key key_trunc, msg.length
ct = Decrypt.xor msg, key_trunc
assert_equal('200c040507493c010d1b0d454801071e48081a0c4810071c57', ct)
end
我用手摸索出(和驗證與在線十六進制轉換器),正確的ASCII十六進制的結果應該是什麼以上。這裏是我的解密模塊:
module Decrypt
# Returns an array of ASCII Hex values
def self.to_hex_array(str_hex)
raise ArgumentError 'Argument is not a string.' unless str_hex.is_a? String
result = str_hex.unpack('C*').map { |e| e.to_s 16 }
result
end
def self.to_str_from_hex_array(hex_str)
return [hex_str].pack 'H*'
end
def self.xor(msg, key)
msg = self.to_hex_array msg
key = self.to_hex_array key
xor = []
(0...msg.length).each do |i|
xor.push msg[i]^key[i]
end
return xor.join
end
def self.truncate_key(str, len)
str = str.to_s[0...len] if str.length > len
return str
end
end
我已確認在to_hex_array
和to_str_from_hex_array
工作正常兩個獨立的耙測試功能。當我運行上述耙測試時,我得到一個'NoMethodError: undefined method '^' for "48":String
。 48是開頭的十六進制值,顯然Strings不能進行位操作,但我嘗試了每種可以找到的方法來轉換這些值,以使'^'能夠正確運行。
我能得到的最接近(沒有錯誤拋出)是將循環內的操作更改爲msg[i].hex^key[i].hex
,但輸出ASCII dec值。可以幫助我嗎?
編輯:多虧了下面的建議,我能夠成功運行以下測試:
def test_xor
key = 'hi'
msg = 'Hello There, how are you?'
key_trunc = key
key_trunc << key while key.length < msg.length
key_trunc = Decrypt.truncate key_trunc, msg.length
ct = Decrypt.xor msg, key_trunc
assert_equal(['200c040507493c010d1b0d454801071e48081a0c4810071c57'], ct)
end
def test_decrypt
msg = 'attack at dawn'
key = '6c73d5240a948c86981bc294814d'
key = [key].pack('H*')
new_key = Decrypt.xor msg, key
assert_equal(['0d07a14569fface7ec3ba6f5f623'], new_key)
ct = Decrypt.xor 'attack at dusk', new_key.pack('H*')
assert_equal(['6c73d5240a948c86981bc2808548'], ct)
end
對於那些有興趣,這裏是成功的解密模塊:
module Decrypt
# Returns an array of ASCII Hex values
def self.to_dec_array(str_hex)
raise ArgumentError, 'Argument is not a string!' unless str_hex.is_a? String
dec_array = str_hex.unpack('C*')
dec_array
end
def self.to_str_from_dec_array(dec_array)
raise ArgumentError, 'Argument is not an array!' unless dec_array.is_a? Array
return dec_array.pack 'C*'
end
def self.print_dec_array(dec_array)
return [dec]
end
def self.xor(msg, key)
msg = self.to_dec_array msg
key = self.to_dec_array key
xor = []
(0...msg.length).each do |i|
xor.push msg[i]^key[i]
end
xor = xor.pack('C*').unpack('H*')
xor
end
def self.truncate(str, len)
str = str.to_s[0...len] if str.length > len
return str
end
end
我我看了看'ord',看起來好像它可能是我需要用來實現它的工作,但是在閱讀了它並試圖實現它之後,我無法得到它的工作。 – eugene1832