我有下面的数组

cities = ["Kathmandu", "Pokhara", "", "Dharan", "Butwal"]

我想从数组中删除空白元素,并希望得到以下结果:

cities = ["Kathmandu", "Pokhara", "Dharan", "Butwal"]

有没有像compact这样不需要循环的方法?


当前回答

另一种方法:

> ["a","b","c","","","f","g"].keep_if{|some| some.present?}
=> ["a","b","c","f","g"]

其他回答

有很多方法可以做到这一点,其中之一是拒绝

noEmptyCities = cities.reject { |c| c.empty? }

你也可以用reject!,这将改变城市的位置。如果拒绝某项,它将返回cities作为返回值,如果没有拒绝,则返回nil。如果你不小心,这可能是一个陷阱(感谢ninja08在评论中指出这一点)。

使用拒绝:

>> cities = ["Kathmandu", "Pokhara", "", "Dharan", "Butwal"].reject{ |e| e.empty? }
=> ["Kathmandu", "Pokhara", "Dharan", "Butwal"]

删除空值:

 ['a', nil, 'b'].compact  ## o/p =>  ["a", "b"]

删除空字符串:

   ['a', 'b', ''].select{ |a| !a.empty? } ## o/p => ["a", "b"]

删除空字符串和空字符串:

['a', nil, 'b', ''].select{ |a| a.present? }  ## o/p => ["a", "b"]
 cities = ["Kathmandu", "Pokhara", "", "Dharan", "Butwal"].delete_if {|c| c.empty? } 

试试这个:

puts ["Kathmandu", "Pokhara", "", "Dharan", "Butwal"] - [""]