假设我有4个字符,A,P,B,N。我希望能够比较它们:
A> P> B> N>甲
如何在Ruby中实现这一目标?
答案 0 :(得分:2)
根据您的评论,您似乎不尝试将这些元素放入订单,而是在某些之间定义一些二元关系他们可以通过多种方式在Ruby中执行此操作,具体取决于您以后打算如何使用该关系。
最简单的方法就是定义有序的相关元素对:
MAP = [
['A', 'P'],
['P', 'B'],
['B', 'N'],
['N', 'A']
]
然后在需要“比较”两个元素时使用它。
def beats? one, other
MAP.member?([one, other])
end
beats? 'A', 'B'
# => false
beats? 'A', 'P'
# => true
beats? 'N', 'A'
# => true
PS。您可以使用类似
的字符串从字符串生成地图MAP = 'APBNA'.chars.each_cons(2).to_a
答案 1 :(得分:1)
其中一种可能的解决方案是创建一个类,例如character
和weight
等。并在其中实现<=>
运算符(方法)。
不要忘记在此课程中加入Comparable
mixin。
class ComparableCharacter
include Comparable
attr_accessor :character, :weight
def <=>(another)
weight <=> another.weight
end
end
答案 2 :(得分:0)
a = "APBN"
h = {};(0...a.size).each{|i| h[a[i].chr] = i}
b = ['A','P','A','N', 'B','P']
b.sort_by{|t| h[t] }
当然,这不适用于你的例子,因为你的订单不好 - 你永远不会有A&gt; P>答,但至少它会告诉你如何根据你想要的顺序进行排序。
答案 3 :(得分:0)
如果有人感兴趣,这是我的建议(三元比较 - 因为比较不是二元操作!!! ):
class RockPaperScissors
ITEMS = %W(A P B N)
def self.compare(item, other_item)
new(item).compare other_item
end
def initialize(item)
# input validations?
@item = item
end
def compare(other_item)
# input validations?
indexes_subtraction = ITEMS.index(@item) - ITEMS.index(other_item)
case indexes_subtraction
when 1, -1
- indexes_subtraction
else
indexes_subtraction <=> 0
end
end
end
require 'test/unit'
include MiniTest::Assertions
assert_equal RockPaperScissors.compare('A', 'A'), 0
assert_equal RockPaperScissors.compare('P', 'P'), 0
assert_equal RockPaperScissors.compare('B', 'B'), 0
assert_equal RockPaperScissors.compare('N', 'N'), 0
assert_equal RockPaperScissors.compare('A', 'P'), 1
assert_equal RockPaperScissors.compare('P', 'A'), -1
assert_equal RockPaperScissors.compare('P', 'B'), 1
assert_equal RockPaperScissors.compare('B', 'P'), -1
assert_equal RockPaperScissors.compare('B', 'N'), 1
assert_equal RockPaperScissors.compare('N', 'B'), -1
assert_equal RockPaperScissors.compare('N', 'A'), 1
assert_equal RockPaperScissors.compare('A', 'N'), -1
平等:(A,A)比较
多数:(A,P)
-
函数:- (-1) -> 1
少数民族:(P,A)
-
函数:- (1) -> -1
边缘情况1:(N,A)
<=>
函数:(3 <=> 0) -> 1
边缘情况2:(A,N)
<=>
函数:(3 <=> 0) -> 1
其余的是重构:0
可以使用0
函数转换为<=>
。