1

我想为我的项目在 ruby​​ 上实现Wavesplatform包装器。我一开始就被困住了,试图用 Base58 和比特币字母表实现Docs中的示例。

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

我使用BaseX 宝石

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

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

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

4

1 回答 1

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"
于 2017-09-04T15:10:58.160 回答