这就是我现在得到的——对于它正在做的工作来说,这看起来太啰嗦了。

@title        = tokens[Title].strip! || tokens[Title] if !tokens[Title].nil?

假设token是通过分割CSV行获得的数组。 现在的功能像脱衣!chomp !如果字符串未被修改,则返回nil

"abc".strip!    # => nil
" abc ".strip!  # => "abc"

如果它包含额外的前导空格或尾随空格,Ruby如何在不创建副本的情况下对其进行修剪?

如果我想要做令牌[Title].chomp!.strip!


当前回答

如果你使用的是Ruby on Rails,就会有一个问题

> @title = " abc "
 => " abc " 

> @title.squish
 => "abc"
> @title
 => " abc "

> @title.squish!
 => "abc"
> @title
 => "abc" 

如果你只使用Ruby,你想使用strip

这就是问题所在。在你的情况下,你想使用脱衣没有爆炸!

而地带!当然会返回nil,如果没有动作,它仍然会更新变量,所以strip!不能内联使用。如果你想使用带内联,你可以使用版本没有bang !

带!使用多线方法

> tokens["Title"] = " abc "
 => " abc "
> tokens["Title"].strip!
 => "abc"
> @title = tokens["Title"]
 => "abc"

条形单线进场…你的答案

> tokens["Title"] = " abc "
 => " abc "
> @title = tokens["Title"].strip if tokens["Title"].present?
 => "abc"

其他回答

@title = tokens[Title].strip! || tokens[Title]

我完全有可能听不懂这个话题,但这不正是你所需要的吗?

" success ".strip! || "rescue" #=> "success"
"failure".strip! || "rescue" #=> "rescue"

我的方法:

> (@title = " abc ").strip!
 => "abc" 
> @title
 => "abc" 

顺便说一下,现在红宝石已经支持只是剥离没有“!”

比较:

p "abc".strip! == " abc ".strip!  # false, because "abc".strip! will return nil
p "abc".strip == " abc ".strip    # true

而且,没有副本是不可能脱衣的。参见string.c中的源代码:

static VALUE
rb_str_strip(VALUE str)
{
    str = rb_str_dup(str);
    rb_str_strip_bang(str);
    return str;
}

Ruby 1.9.3p0 (2011-10-30) [i386-mingw32]

更新1: 就像我现在看到的,它是在1999年创建的(参见SVN中的rev #372):

更新2: 带!不会在1.9中创建副本。x, 2。X和trunk版本。

如果你使用的是Ruby on Rails,就会有一个问题

> @title = " abc "
 => " abc " 

> @title.squish
 => "abc"
> @title
 => " abc "

> @title.squish!
 => "abc"
> @title
 => "abc" 

如果你只使用Ruby,你想使用strip

这就是问题所在。在你的情况下,你想使用脱衣没有爆炸!

而地带!当然会返回nil,如果没有动作,它仍然会更新变量,所以strip!不能内联使用。如果你想使用带内联,你可以使用版本没有bang !

带!使用多线方法

> tokens["Title"] = " abc "
 => " abc "
> tokens["Title"].strip!
 => "abc"
> @title = tokens["Title"]
 => "abc"

条形单线进场…你的答案

> tokens["Title"] = " abc "
 => " abc "
> @title = tokens["Title"].strip if tokens["Title"].present?
 => "abc"

如果你想使用另一种方法,你需要这样的东西:

( str.strip || str ).split(',')

这样你就可以脱光衣服,之后还能做点什么:)