Ruby Base58 for Waves平台

时间:2017-09-04 14:40:35

标签: ruby base58

我想为我的项目在ruby上实现Wavesplatform包装器。 我一开始就陷入困境,试图用{58}和比特币字母来实现Docs的例子。

  

字符串" teststring"被编码成字节[5,83,9,-20,82,   -65,120,-11]。字节[1,2,3,4,5]被编码到字符串" 7bWpTW"。

我使用BaseX gem

num = BaseX.string_to_integer("7bWpTW", numerals: "123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz")
puts bytes = [num].pack("i").inspect

=> "\x05\x04\x03\x02"

输出有点类似于示例中的[1,2,3,4,5]字节数组,但我并不确定如何正确操作字节。

1 个答案:

答案 0 :(得分:2)

pack / unpack在这里没什么用处:大小未定,您获得的整数可能包含(并且在大多数情况下包含)许多字节。一个人应该在这里编码:

byte_calculator = ->(input, acc = []) do
  rem, val = input.divmod(256)
  acc << (val > 128 ? val - 256 : val)
  rem <= 0 ? acc : byte_calculator.(rem, acc)
end

byte_calculator.
  (BaseX::Base58.string_to_integer("teststring")).
  reverse
#⇒ [
#  [0] 5,
#  [1] 83,
#  [2] 9,
#  [3] -20,
#  [4] 82,
#  [5] -65,
#  [6] 120,
#  [7] -11
# ]

与逆转换相同的方式:

BaseX::Base58.integer_to_string([1, 2, 3, 4, 5].
      reverse.
      each_with_index.
      reduce(0) do |acc, (e, idx)| 
  acc + e * (256 ** idx)
end)
#⇒ "7bWpTW"