傾向數組及哈希的字面表示法(除非你需要傳遞參數到它們的構造函數中)。
1
2
3
4
5
6
7
|
# bad arr = Array . new hash = Hash . new # good arr = [] hash = {} |
當你需要元素為單詞(沒有空格和特殊符號)的數組的時候總是使用 %w 的方式來定義字符串數組。應用這條規則僅僅在兩個或多個數組。
1
2
3
4
5
|
# bad STATES = [ 'draft' , 'open' , 'closed' ] # good STATES = %w(draft open closed) |
當你需要一個符號的數組(并且不需要保持 Ruby 1.9 兼容性)時,使用 %i。僅當數組只有兩個及以上元素時才應用這個規則。
1
2
3
4
5
|
# bad STATES = [ :draft , :open , :closed ] # good STATES = %i(draft open closed) |
避免在 Array 或者 Hash 的最后一項后面出現逗號,特別是當這些條目不在一行。
1
2
3
4
5
6
7
8
9
10
11
12
|
# bad - easier to move/add/remove items, but still not preferred VALUES = [ 1001 , 2020 , 3333 , ] # bad VALUES = [ 1001 , 2020 , 3333 , ] # good VALUES = [ 1001 , 2020 , 3333 ] |
避免在數組中創造巨大的間隔。
1
2
|
arr = [] arr[ 100 ] = 1 # now you have an array with lots of nils |
當訪問一個數組的第一個或者最后一個元素,傾向使用 first 或 last 而不是 [0] 或 [-1]。
如果要確保元素唯一, 則使用 Set 代替 Array .Set 更適合于無順序的, 并且元素唯一的集合, 集合具有類似于數組一致性操作以及哈希的快速查找.
盡可能使用符號代替字符串作為哈希鍵.
1
2
3
4
5
|
# bad hash = { 'one' => 1 , 'two' => 2 , 'three' => 3 } # good hash = { one: 1 , two: 2 , three: 3 } |
避免使用易變對象作為哈希鍵。
優先使用 1.9 的新哈希語法當你的哈希鍵是符號。
1
2
3
4
5
|
# bad hash = { :one => 1 , :two => 2 , :three => 3 } # good hash = { one: 1 , two: 2 , three: 3 } |
在相同的 hash 字面量中不要混合 Ruby 1.9 hash 語法和箭頭形式的 hash。當你
得到的 keys 不是符號的時候轉換為箭頭形式的語法。
1
2
3
4
5
|
# bad { a: 1 , 'b' => 2 } # good { :a => 1 , 'b' => 2 } |
用 Hash#key? 不用 Hash#has_key? 以及用 Hash#value?, 不用 Hash#has_value? Matz 提到過 長的形式在考慮被棄用。
1
2
3
4
5
6
7
|
# bad hash.has_key?( :test ) hash.has_value?(value) # good hash.key?( :test ) hash.value?(value) |
在處理應該存在的哈希鍵時,使用 fetch。
1
2
3
4
5
6
7
|
heroes = { batman: 'Bruce Wayne' , superman: 'Clark Kent' } # bad - if we make a mistake we might not spot it right away heroes[ :batman ] # => "Bruce Wayne" heroes[ :supermann ] # => nil # good - fetch raises a KeyError making the problem obvious heroes.fetch( :supermann ) |
在使用 fetch 時,使用第二個參數設置默認值而不是使用自定義的邏輯。
1
2
3
4
5
6
7
|
batman = { name: 'Bruce Wayne' , is_evil: false } # bad - if we just use || operator with falsy value we won't get the expected result batman[ :is_evil ] || true # => true # good - fetch work correctly with falsy values batman.fetch( :is_evil , true ) # => false |
盡量用 fetch 加區塊而不是直接設定默認值。
1
2
3
4
5
6
7
8
|
batman = { name: 'Bruce Wayne' } # bad - if we use the default value, we eager evaluate it # so it can slow the program down if done multiple times batman.fetch( :powers , get_batman_powers) # get_batman_powers is an expensive call # good - blocks are lazy evaluated, so only triggered in case of KeyError exception batman.fetch( :powers ) { get_batman_powers } |
當你需要從一個 hash 連續的取回一系列的值的時候使用 Hash#values_at。
1
2
3
4
5
6
|
# bad email = data[ 'email' ] nickname = data[ 'nickname' ] # good email, username = data.values_at( 'email' , 'nickname' ) |
記住, 在 Ruby1.9 中, 哈希的表現不再是無序的. (譯者注: Ruby1.9 將會記住元素插入的序列)
當遍歷一個集合的同時, 不要修改這個集合。