如何使用第一个逗号将字符串拆分为段落?
我有字符串:@address =“10 Madison Avenue, New York, NY - (212) 538-1884”
像这样分割它的最好方法是什么?
<p>10 Madison Avenue,</p>
<p>New York, NY - (212) 538-1884</p>
I have string: @address = "10 Madison Avenue, New York, NY - (212) 538-1884"
What's the best way to split it like this?
<p>10 Madison Avenue,</p>
<p>New York, NY - (212) 538-1884</p>
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(4)
String#split 有第二个参数,即结果数组中返回的最大字段数:
http://ruby-doc.org/core/classes/String.html#M001165
< code>@address.split(",", 2) 将返回一个包含两个字符串的数组,在第一次出现“,”时进行拆分。
其余部分只是使用插值构建字符串,或者如果您想让它更通用,例如
Array#map
和#join
的组合String#split has a second argument, the maximum number of fields returned in the result array:
http://ruby-doc.org/core/classes/String.html#M001165
@address.split(",", 2)
will return an array with two strings, split at the first occurrence of ",".the rest of it is simply building the string using interpolation or if you want to have it more generic, a combination of
Array#map
and#join
for example相当:
rather:
即使
@address.split(",",2)
是正确的。为
split
、partition
和regex
解决方案运行基准测试,例如@adress.match(/^([^,]+ ),\s*(.+)/)
表明分区比split
好一些。在 2.6 GHz Intel Core i5、16 GB RAM 计算机上运行
100_000
:<代码>
用户系统总真实数
分区 0.690000 0.000000 0.690000 ( 0.697015)
正则表达式 1.910000 0.000000 1.910000 ( 1.908033)
分割 0.780000 0.010000 0.790000 ( 0.788240)
Even though
@address.split(",",2)
is correct.Running a benchmark for
split
,partition
and aregex
solution such as@adress.match(/^([^,]+),\s*(.+)/)
showed that partition is a bit better thansplit
.On a 2,6 GHz Intel Core i5, 16 GB RAM computer and
100_000
runs:user system total real
partition 0.690000 0.000000 0.690000 ( 0.697015)
regex 1.910000 0.000000 1.910000 ( 1.908033)
split 0.780000 0.010000 0.790000 ( 0.788240)