如何在二进制字符串中创建整数0..9和数学运算符+ - * / in。 例如:
0 = 0000,
1 = 0001,
...
9 = 1001
有没有办法在不使用库的情况下使用Ruby 1.8.6执行此操作?
答案 0 :(得分:346)
您可以使用Integer#to_s(base)
和String#to_i(base)
。
Integer#to_s(base)
将十进制数转换为表示指定基数中的数字的字符串:
9.to_s(2) #=> "1001"
虽然使用String#to_i(base)
获得反向:
"1001".to_i(2) #=> 9
答案 1 :(得分:39)
我问a similar question。基于@sawa的答案,以二进制格式表示字符串中整数的最简洁方法是使用字符串格式化程序:
"%b" % 245
=> "11110101"
您还可以选择字符串表示的长度,如果您想要比较固定宽度的二进制数字,这可能很有用:
1.upto(10).each { |n| puts "%04b" % n }
0001
0010
0011
0100
0101
0110
0111
1000
1001
1010
答案 2 :(得分:20)
了解bta的查找表思路,您可以使用块创建查找表。首次访问和存储值时会生成值:
>> lookup_table = Hash.new { |h, i| h[i] = i.to_s(2) }
=> {}
>> lookup_table[1]
=> "1"
>> lookup_table[2]
=> "10"
>> lookup_table[20]
=> "10100"
>> lookup_table[200]
=> "11001000"
>> lookup_table
=> {1=>"1", 200=>"11001000", 2=>"10", 20=>"10100"}
答案 3 :(得分:11)
您自然会在实际程序中使用Integer#to_s(2)
,String#to_i(2)
或"%b"
,但是,如果您对翻译的工作原理感兴趣,此方法会计算给定使用基本运算符的整数:
def int_to_binary(x)
p = 0
two_p = 0
output = ""
while two_p * 2 <= x do
two_p = 2 ** p
output << ((two_p & x == two_p) ? "1" : "0")
p += 1
end
#Reverse output to match the endianness of %b
output.reverse
end
检查它是否有效:
1.upto(1000) do |n|
built_in, custom = ("%b" % n), int_to_binary(n)
if built_in != custom
puts "I expected #{built_in} but got #{custom}!"
exit 1
end
puts custom
end
答案 4 :(得分:4)
如果您只使用单个数字0-9,则构建查找表可能会更快,因此您不必每次都调用转换函数。
lookup_table = Hash.new
(0..9).each {|x|
lookup_table[x] = x.to_s(2)
lookup_table[x.to_s] = x.to_s(2)
}
lookup_table[5]
=> "101"
lookup_table["8"]
=> "1000"
使用数字的整数或字符串表示形式索引到此哈希表将使其二进制表示形式为字符串。
如果您要求二进制字符串长度为一定数量的数字(保持前导零),则将x.to_s(2)
更改为sprintf "%04b", x
(其中4
是最小位数使用)。
答案 5 :(得分:2)
如果您正在寻找一个Ruby类/方法,我使用了它,并且我也包含了测试:
class Binary
def self.binary_to_decimal(binary)
binary_array = binary.to_s.chars.map(&:to_i)
total = 0
binary_array.each_with_index do |n, i|
total += 2 ** (binary_array.length-i-1) * n
end
total
end
end
class BinaryTest < Test::Unit::TestCase
def test_1
test1 = Binary.binary_to_decimal(0001)
assert_equal 1, test1
end
def test_8
test8 = Binary.binary_to_decimal(1000)
assert_equal 8, test8
end
def test_15
test15 = Binary.binary_to_decimal(1111)
assert_equal 15, test15
end
def test_12341
test12341 = Binary.binary_to_decimal(11000000110101)
assert_equal 12341, test12341
end
end
答案 6 :(得分:1)
在ruby Integer类中,将to_s定义为接收称为base
的非必需参数基数,如果要接收字符串的二进制表示,则传递2。
这里是String#to_s的官方文档的链接
1.upto(10).each { |n| puts n.to_s(2) }
答案 7 :(得分:-1)
我已经快十年了,但是如果有人仍然来这里并且想在不使用诸如to_S之类的内置函数的情况下找到代码,那么我可能会有所帮助。
找到二进制文件
def find_binary(number)
binary = []
until(number == 0)
binary << number%2
number = number/2
end
puts binary.reverse.join
end