Ruby 支持Integer和浮点型数字类型,在Ruby中Integer 可以达到任何长度,只要你的机器还有可用的内存。Integer 分为 Fixnum 和 Bignum两种类型,Fixnum 范围在 -2^30 到2^30-1,比这更大的范围是Bignum。
puts (2**30).class puts (2**30-1).class #output: #Fixnum #Bignum
当一个Fixnum长度变大到Bignum的长度时对象会自动变换自己的类为Bignum,相反当Bignum计算结果属于Fixnum的范围时也会变换自己的类为Fixnum。
下面看看和Integer的一些常用技巧
3.times{|i| puts i.to_s} #output: # 0 # 1 # 2
上面的例子使用times方法,表示执行3次{}里面的代码,也可以:
3.times{ puts "times"} #output: # times # times # times
upto 和 downto
3.downto(0) { |i| puts i } #output # 3 # 2 # 1 # 0
<=> 和===,<=>是比较两个数字,比如a<=>b,如果a<b返回-1,等于返回0,大于返回1。===表示属于关系比如:
puts (1..5) === 3 puts (1..5) === 9 #output: # true # false
上面的代码说明了 3属于1到5之间,而9是不属于1到5之间的,这里不光是整数类型,3.5也是属于1..5的:
puts (1..5) === 3.5 #output: # true
1..5在Ruby中是一个Range类型对象。Range 当然不只是数字,字符串、日期等等都可以是Range:
puts ('a'..'e').to_a #output # a # b # c # d # e
1..5表示1到5并包含5,1...5 不包含5. Range 用在for 循环中
for i in 1...5 puts i end #output: # 1 # 2 # 3 # 4
(1..5) === 3也可以这样写
range = 1..5 puts range.include?(3) #output: # true
使用Range的step方法打印1到10中的单数,下面表示每隔两个数字(包含第二个数字)打印一次
range = 1..10 range.step(2){|i| puts i} #output: # 1 # 3 # 5 # 7 # 9
下面让我们新建一个WeekDays来看看如何定义一个支持Range的类
class WeekDays DAYNAME ={'monday'=>1,'tuesday'=>2,'wednesday'=>3, 'thursday'=>4,'friday'=>5,'saturday'=>6,'sunday'=>7} attr_accessor :day def initialize(day) @day = day.downcase end # Support for ranges def <=>(other) DAYNAME[@day] <=> DAYNAME[other.day] end def succ raise(IndexError, "Value is wrong") unless DAYNAME.has_key?(@day) WeekDays.new(DAYNAME.index(DAYNAME[@day].succ)) end end for weekday in WeekDays.new('Monday')..WeekDays.new('Sunday') puts weekday.day end #output: # monday # tuesday # wednesday # thrusday # friday # saturday # sunday