Ruby中创建字符串的一些技巧小结
%{string} 用于创建一个使用双引号括起来的字符串
%q{string} 用于创建一个使用双引号括起来的字符串
str=<<end_of_string
a string
end_of_string
%q!some string of “characters”! <==> ” some string of /”characters/” “
%q{string} 用于创建一个使用单引号括起来的字符串
%q!some string of “characters”! <==> ‘some string of characters'
%r{string} 用于创建一个正则表达式字面值
%r{/usr/bin/} <==> ///usr//bin///
%w{string} 用于将一个字符串以空白字符切分成一个字符串数组,进行较少替换
%w{string} 用于将一个字符串以空白字符切分成一个字符串数组,进行较多替换
%w(north south east west) <==> ["north", "south", "east", "west"]
%s{string} 用于生成一个符号对象
%x{string} 用于执行string所代表的命令
%x{ ls /usr/local } <==> `ls /usr/local`
ps:上面几个%表示法中用{}扩住了string,其实这个{} 只是一种分割符,可以换成别的字符,比如(),那么%表示法就是%(string),当然还可以是别的字符,对于非括号类型的分割符,左右两边要相同, 如%!string!
下面我对这些表示法简单举几个例子:
%{string}用于创建一个使用双引号括起来的字符串
这个表示法与%q{string}完全一样,这边直接句个例子看结果:
result = %{hello}
puts "result is: #{result}, type is:#{result.class}"
结果: result is: hello, type is:string
%q{string}用于创建一个使用双引号括起来的字符串
%q{string}用于创建一个使用单引号括起来的字符串
从说明中可以看出这两个表示法的区别就是一个使用双引号,一个使用单引号。使用双引号的字符串会对字符串中的变量做较多替换,而单引号则做较少的替换,具 体看例子。先看%q{string}:
world = "world"
result = %q{hello #{world}}
puts "result is: #{result}, type is:#{result.class}"
结果: result is: hello world, type is:string
换成%q{string}:
world = "world"
result = %q{hello #{world}}
puts "result is: #{result}, type is:#{result.class}"
结果:
result is: hello #{world}, type is:string
从上面的结果可以看出,较少替换的情况下,#{world}被解析成了字符串,而不会去计算这个变量中的值。
%r{string}用于创建一个正则表达式字面值
就像使用/reg/方式一样,看代码:
result = %r{world}
puts result =~ "hello world"
puts "result is: #{result}, type is:#{result.class}"
结果: 6
result is: (?-mix:world), type is:regexp
可以看出,world从第6个字符开始匹配
%w{string}用于将一个字符串以空白字符切分成一个字符串数组,进行较少替换
%w{string}用于将一个字符串以空白字符切分成一个字符串数组,进行较多替换
这两个应该是大家见过最多的,用这个方式构造数组,可以省下一些逗号,ruby真 是会惯坏大家,以后大家都不用标点符号了。
同样给一个简单的例子:
result = %w{hello world}
puts "result is: #{result}, type is:#{result.class}, length is:#{result.length}"
结果: result is: helloworld, type is:array, length is:2
%s{string}用于生成一个符号对象
直接先上代码:
result = %s{hello world}
puts "result is: #{result}, type is:#{result.class}"
sym = :"hello world"
puts "the two symbol is the same: #{sym == result}"
结果:
result is: hello world, type is:symbol
the two symbol is the same: true
可以看出,这两中方式生成的symbol对象完全一样
%x{string}用于执行string所代表的命令
比如:
%x{notepad.exe}可以启动windows下的记事本,这里我就不列结果了(那是一个大家熟悉的窗口)
上一篇: 感冒了躺在床上
下一篇: Ruby迭代器的7种技巧分享