谈到长期固定数量的数组红宝石

问题描述:

是否有红宝石的方法把像长整数到74239像一个数组[7,4,2,3,9]

Is there a method in ruby to turn fixnum like 74239 into an array like [7,4,2,3,9]?

您不需要采取通过串地往返于这样的事情:

You don't need to take a round trip through string-land for this sort of thing:

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 进入混合罐如果需要照顾的。如果您需要包括非正值,则:

This does assume that n is positive of course, slipping an n = n.abs into the mix can take care of that if needed. If you need to cover non-positive values, then:

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