ruby 中有没有一种方法可以将 fixnum like74239
变成一个数组 like [7,4,2,3,9]
?
问问题
11499 次
7 回答
17
也许不是最优雅的解决方案:
74239.to_s.split('').map(&:to_i)
输出:
[7, 4, 2, 3, 9]
于 2012-10-16T05:25:05.363 回答
9
对于这种事情,您不需要在字符串土地上往返:
def digits(n)
Math.log10(n).floor.downto(0).map { |i| (n / 10**i) % 10 }
end
ary = digits(74239)
# [7, 4, 2, 3, 9]
当然,这确实假设这n
是积极的n = n.abs
,如果需要,将其加入混合中可以解决这个问题。如果您需要涵盖非正值,则:
def digits(n)
return [0] if(n == 0)
if(n < 0)
neg = true
n = n.abs
end
a = Math.log10(n).floor.downto(0).map { |i| (n / 10**i) % 10 }
a[0] *= -1 if(neg)
a
end
于 2012-10-16T05:36:56.877 回答
5
divmod 方法可用于一次提取一个数字
def digits n
n= n.abs
[].tap do |result|
while n > 0
n,digit = n.divmod 10
result.unshift digit
end
end
end
一个快速的基准测试表明,这比使用 log 提前找到位数要快,这本身比基于字符串的方法要快。
bmbm(5) do |x|
x.report('string') {10000.times {digits_s(rand(1000000000))}}
x.report('divmod') {10000.times {digits_divmod(rand(1000000000))}}
x.report('log') {10000.times {digits(rand(1000000000))}}
end
#=>
user system total real
string 0.120000 0.000000 0.120000 ( 0.126119)
divmod 0.030000 0.000000 0.030000 ( 0.023148)
log 0.040000 0.000000 0.040000 ( 0.045285)
于 2012-10-16T07:54:32.190 回答
5
您可以转换为字符串并使用 chars 方法:
74239.to_s.chars.map(&:to_i)
输出:
[7, 4, 2, 3, 9]
它比分裂更优雅一点。
于 2015-10-29T01:14:39.027 回答
3
从 Ruby 2.4 开始,整数(FixNum
在 2.4+ 中消失了)有一个内置digits
方法,可以将它们提取到数字数组中:
74239.digits
=> [9, 3, 2, 4, 7]
如果你想保持数字的顺序,只需链reverse
:
74239.digits.reverse
=> [7, 4, 2, 3, 9]
文档:https ://ruby-doc.org/core-2.4.0/Integer.html#method-i-digits
于 2020-05-11T08:20:55.797 回答
1
您也可以使用Array.new
代替map
:
n = 74239
s = Math.log10(n).to_i + 1 # Gets the size of n
Array.new(s) { d = n % 10; n = n / 10; d }.reverse
于 2016-09-27T18:10:38.053 回答
1
在 Ruby 2.4 中,整数将有一个digits 方法。
于 2016-11-02T12:13:10.967 回答