是否可以在ruby中创建排除一个或两个端点的范围。那么处理开放和封闭区间边界的数学概念?
例如,我可以定义1.0到10.0之间的范围,不包括1.0
Say(with pseudo-ruby)
range = [1.0...10.0)
range === 1.0
=> false
range === 10.0
=> true
答案 0 :(得分:7)
Ruby中的Range
类仅支持闭合和半开(右开)范围。但是,您可以轻松编写自己的。
以下是Ruby中半开放范围的示例:
range = 1.0...10.0
range === 1.0
# => true
range === 10.0
# => false
Rubinius中符合Ruby 1.9的Range
类的总行数是238行Ruby代码。如果你不需要你的开放范围类来支持Ruby语言规范的每个皱纹,角落情况,特殊情况,特性,向后兼容性怪癖等等,那么你可以获得更多的东西。
如果你真的只需要测试包含,那么这样的东西就足够了:
class OpenRange
attr_reader :first, :last
def initialize(first, last, exclusion = {})
exclusion = { first: false, last: false }.merge(exclusion)
@first, @last, @first_exclusive, @last_exclusive = first, last, exclusion[:first], exclusion[:last]
end
def first_exclusive?; @first_exclusive end
def last_exclusive?; @last_exclusive end
def include?(other)
case [first_exclusive?, last_exclusive?]
when [true, true]
first < other && other < last
when [true, false]
first < other && other <= last
when [false, true]
first <= other && other < last
when [false, false]
first <= other && other <= last
end
end
alias_method :===, :include?
def to_s
"#{if first_exclusive? then '(' else '[' end}#@first...#@last#{if last_exclusive? then ')' else ']' end}"
end
alias_method :inspect, :to_s
end
答案 1 :(得分:5)
您可以使用...
排除范围的最右边元素。见下面的例子
(1..10).to_a # an array of numbers from 1 to 10 - [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
(1...10).to_a # an array of numbers from 1 to 9 - [1, 2, 3, 4, 5, 6, 7, 8, 9]
答案 2 :(得分:4)
使用..
构建的范围包括从开始到结束。使用...
创建的内容排除了结束值。
('a'..'e').to_a #=> ["a", "b", "c", "d", "e"]
('a'...'e').to_a #=> ["a", "b", "c", "d"]
查看更多here
您可以轻松编写自己的范围以排除起始值。
对于浮动范围:
(1.0..10.0).step.to_a # => [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0, 10.0]
(1.0...10.0).step.to_a # => [1.0, 2.0, 3.0, 4.0, 5.0, 6.0, 7.0, 8.0, 9.0]
(1.0..10.0).step(2.0).to_a # => [1.0, 3.0, 5.0, 7.0, 9.0]
(1.0...10.0).step(2.0).to_a # => [1.0, 3.0, 5.0, 7.0, 9.0]
答案 3 :(得分:0)
几年后...... 如何利用案例陈述按照出现的顺序评估每个标准的事实,并根据它的第一次匹配遵循路径。 在样本1.0中,即使技术上是第二个“when”的有效值,它总是什么都不做。
case myvalue
when 1.0
#Don't do anything (or do something else)
when 1.0...10.0
#Do whatever you do when value is inside range
# not inclusive of either end point
when 10.0
#Do whatever when 10.0 or greater
end