我有两个字符串:
short_string = "hello world"
long_string = "this is a very long long long .... string" # suppose more than 10000 chars
我想将print
的默认行为更改为:
puts short_string
# => "hello world"
puts long_string
# => "this is a very long long....."
long_string
仅部分打印。我试图更改String#to_s
,但它没有用。有谁知道这样做怎么做?
更新
实际上我想它运作顺畅,这意味着以下情况也可以正常工作:
> puts very_long_str
> puts [very_long_str]
> puts {:a => very_long_str}
所以我觉得这个行为属于String。
无论如何,谢谢大家。答案 0 :(得分:15)
首先,你需要一个方法来truncate
一个字符串,如:
def truncate(string, max)
string.length > max ? "#{string[0...max]}..." : string
end
或者通过扩展String
:(不建议改变核心类)
class String
def truncate(max)
length > max ? "#{self[0...max]}..." : self
end
end
现在,您可以在打印字符串时调用truncate
:
puts "short string".truncate
#=> short string
puts "a very, very, very, very long string".truncate
#=> a very, very, very, ...
或者您可以定义自己的puts
:
def puts(string)
super(string.truncate(20))
end
puts "short string"
#=> short string
puts "a very, very, very, very long string"
#=> a very, very, very, ...
请注意,Kernel#puts
采用可变数量的参数,您可能需要相应地更改puts
方法。
答案 1 :(得分:10)
Ruby on Rails方法String#truncate就是这样做的。
def truncate(truncate_at, options = {})
return dup unless length > truncate_at
options[:omission] ||= '...'
length_with_room_for_omission = truncate_at - options[:omission].length
stop = if options[:separator]
rindex(options[:separator], length_with_room_for_omission) || length_with_room_for_omission
else
length_with_room_for_omission
end
"#{self[0...stop]}#{options[:omission]}"
end
然后你可以像这样使用它
'And they found that many people were sleeping better.'.truncate(25, omission: '... (continued)')
# => "And they f... (continued)"
是的。它被添加到Rails monkey-patch。所以它实现如下:
class String
def truncate..
end
end
答案 2 :(得分:3)
您可以在puts
周围编写一个包装器来处理截断:
def pleasant(string, length = 32)
raise 'Pleasant: Length should be greater than 3' unless length > 3
truncated_string = string.to_s
if truncated_string.length > length
truncated_string = truncated_string[0...(length - 3)]
truncated_string += '...'
end
puts truncated_string
truncated_string
end
答案 3 :(得分:2)
自然截断
我想提出一个自然截断的解决方案。我爱上了String#truncate method提供的Ruby on Rails。 @Oto Brglez上面已经提到过了。不幸的是我无法用纯红宝石重写它。所以我写了这个函数。
def truncate(content, max)
if content.length > max
truncated = ""
collector = ""
content = content.split(" ")
content.each do |word|
word = word + " "
collector << word
truncated << word if collector.length < max
end
truncated = truncated.strip.chomp(",").concat("...")
else
truncated = content
end
return truncated
end
示例强>
注意:我愿意接受改进,因为我确信可以采用更短的解决方案。