2

[1, 2, "3", "4", "1a", "abc", "a"]我有一个数组

  • 纯整数 ( 1, 2),
  • 字符串格式的整数 ( "1", "2"),
  • 字符串 ( "a", "b") 和
  • 混合字符串数字 ( "1a", "2s")。

由此,我只需要选择整数(包括格式化的字符串)1, 2, "3", "4".

首先我尝试了to_i

arr = [1, 2, "3", "4", "1a", "abc", "a"]
arr.map {|x| x.to_i}
# => [1, 2, 3, 4, 1, 0, 0]

但是这个转换"1a"1,我没想到。

然后我尝试了Integer(item)

arr.map {|x| Integer(x) }  # and it turned out to be
# => ArgumentError: invalid value for Integer(): "1a"

现在我在这里没有直接的转换选项。最后,我决定这样做,将值to_ito_s. 所以"1" == "1".to_i.to_s是一个整数,但不是"1a" == "1a".to_i.to_s"a" == "a".to_i.to_s

arr  = arr.map do |x|
  if (x == x.to_i.to_s)
    x.to_i
  else
    x
  end
end

ids, names= arr.partition { |item| item.kind_of? Fixnum }

现在我得到了整数和字符串的数组。有没有一种简单的方法可以做到这一点?

4

7 回答 7

7

@maerics 提供的类似解决方案,但更苗条:

arr.map {|x| Integer(x) rescue nil }.compact
于 2011-04-24T11:08:29.500 回答
3
class Array
  def to_i
    self.map {|x| begin; Integer(x); rescue; nil; end}.compact
  end
end

arr = [1, 2, "3", "4", "1a", "abc", "a"]
arr.to_i # => [1, 2, 3, 4]
于 2011-04-24T08:26:42.097 回答
2

像这样的东西:

a = [1,2,"3","4","1a","abc","a"]



irb(main):005:0> a.find_all { |e| e.to_s =~ /^\d+$/ }.map(&:to_i)
=> [1, 2, 3, 4]
于 2011-04-24T08:31:20.897 回答
2

嘿,谢谢唤醒我的红宝石。这是我解决这个问题的方法:

arr=[1,2,"3","4","1a","abc","a"]
arr.map {|i| i.to_s}.select {|s| s =~ /^[0-9]+$/}.map {|i| i.to_i}
//=> [1, 2, 3, 4]
于 2011-04-24T08:31:47.973 回答
1

我注意到到目前为止,大多数答案都将“3”和“4”的值更改为实际整数。

>> array=[1, 2, "3", "4", "1a", "abc", "a", "a13344a" , 10001, 3321]
=> [1, 2, "3", "4", "1a", "abc", "a", "a13344a", 10001, 3321]
>> array.reject{|x| x.to_s[/[^0-9]/] }
=> [1, 2, "3", "4", 10001, 3321]

@OP,我没有彻底测试我的解决方案,但到目前为止它似乎工作(当然它是根据提供的示例完成的),所以请自己彻底测试。

于 2011-04-24T12:17:44.617 回答
1

这个怎么样?

[1,2,"3","4","1a","abc","a"].select{|x| x.to_i.to_s == x.to_s}
# => [1, 2, "3", "4"]
于 2011-04-24T16:56:51.903 回答
0

看起来很简单

arr.select{ |b| b.to_s =~ /\d+$/ }
# or
arr.select{ |b| b.to_s[/\d+$/] }
#=> [1, 2, "3", "4"]
于 2011-04-24T17:31:28.197 回答