程序人生

写优雅的程序,做优雅的人

Ruby 中的 p 和 puts

| Comments

p 和 puts 是 Ruby 中特别常用的方法,很多童鞋可能认为它们是差不多的,使用的时候也不加注意,但是仔细考究起来,它们是有明显差别的。

先举一个例子

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
  class Foo
    def inspect
      "foo from inspect"
    end

    def to_s
      "foo from to_s"
    end
  end

  foo = Foo.new
  p foo
  puts foo
  p "p: <#{foo}>"
  puts "p: <#{foo}>"

这段代码的输出是

1
2
3
4
foo from inspect
foo from to_s
p: <foo from to_s>
puts: <foo from to_s>

p obj 相当于 puts obj.inspect,而 puts obj 相当于 puts obj.to_s, 使用的方便是明显区别的,p 是使用 obj 的 inspect 方法,而 puts 是 to_s 方法。

为什么会这样呢?这个我想可以从 to_s 和 inspect 的区别说起,to_s 是对象的字符串表示, 是 puts 和双引号字符使用的方法。inspect 是对象状态的表示,通用用于 debug 中。 Object 中的定义了 to_s 和 inspect 方法,默认都是返回对象的类名和地址。

所以p 和 puts主要是用途的不同,p 是作为 debug 输出,而 puts 作为对象的字符串表示输出。

另外值得一提的是,在 irb console 中,命令行中表达式求值,使用的是 p 对象的 inspect 方法。另外,通常 debug 输出命令,也是使用对象的 inspect 方法。

Comments