Koans score_project并了解所需的方法

时间:2014-10-27 15:51:41

标签: ruby

我目前正在研究Ruby Koans并且我仍然坚持评分项目。首先,我很难评估说明并根据我的想法进行说明。其次,我不确定我是否与我在下面写的方法得分走在正确的轨道上。我的问题是 - 有没有办法更好地理解这些说明?另外,根据我写的分数法,我仍然没有通过第一次测试。我想我必须先了解我需要做什么,但我无法弄清楚。任何帮助和简单的解释或方向表示赞赏。

谢谢。

贪婪是一个骰子游戏,你可以累积五个骰子 点。以下“得分”函数将用于计算 骰子的一卷得分。

贪婪名单评分如下:

一组三个是1000分

一组三个数字(除了一个)的价值是100倍    数。 (例如,三个五分是500分)。

一个(不属于三个一组)值得100分。

五分(不属于三分之一)值50分。

其他一切都值得0分。

示例:

score([1,1,1,5,1]) => 1150 points
score([2,3,4,6,2]) => 0 points
score([3,4,5,3,3]) => 350 points
score([1,5,1,2,4]) => 250 points

以下测试中给出了更多评分示例:

您的目标是编写分数方法。

def score(dice)

(1..6).each do |num|
amount = dice.count(num)

if amount >= 3
  100 * num
elsif num == 1
  100 * amount
elsif num == 5
  50 * amount
else 
  0
    end
  end
end

# test code for method 

class AboutScoringProject < Neo::Koan
  def test_score_of_an_empty_list_is_zero
  assert_equal 0, score([])
end

def test_score_of_a_single_roll_of_5_is_50
  assert_equal 50, score([5])
end

def test_score_of_a_single_roll_of_1_is_100
  assert_equal 100, score([1])
end

def test_score_of_multiple_1s_and_5s_is_the_sum_of_individual_scores
  assert_equal 300, score([1,5,5,1])
end

def test_score_of_single_2s_3s_4s_and_6s_are_zero
  assert_equal 0, score([2,3,4,6])
end

def test_score_of_a_triple_1_is_1000
  assert_equal 1000, score([1,1,1])
end

def test_score_of_other_triples_is_100x
  assert_equal 200, score([2,2,2])
  assert_equal 300, score([3,3,3])
  assert_equal 400, score([4,4,4])
  assert_equal 500, score([5,5,5])
  assert_equal 600, score([6,6,6])
end

def test_score_of_mixed_is_sum
  assert_equal 250, score([2,5,2,2,3])
  assert_equal 550, score([5,5,5,5])
  assert_equal 1100, score([1,1,1,1])
  assert_equal 1200, score([1,1,1,1,1])
  assert_equal 1150, score([1,1,1,5,1])
end

end

1 个答案:

答案 0 :(得分:0)

这就是我所做的:

def score(dice)
  score = 0
  return score if dice == nil || dice == []
  quantity = dice.inject(Hash.new(0)) {|result,element| result[element] +=1; result}
  score += quantity[1] >= 3 ? 1000 + ((quantity[1] - 3) * 100) : quantity[1] * 100
  score += quantity[5] >= 3 ? 500 + ((quantity[5] - 3) * 50) : quantity[5] * 50
  [2,3,4,6].each {|x| score += x * 100 if quantity[x] >= 3 }
  score
end