1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
# 对象的方法即为其所属类的实例方法
1
.methods ==
1
.
class
.instance_methods
#=> true
# 类的“溯源”
N
=
Class
.
new
N
.ancestors
#=> [N, Object, Kernel, BasicObject]
N
.
class
#=> Class
N
.superclass
#=> Object
N
.superclass.superclass
#=> BasicObject
N
.superclass.superclass.superclass
#=> nil
|
1
2
3
4
5
6
7
|
class
String
def
writesize
self
.size
end
end
puts
"Tell me my size!"
.writesize
|
注意当你打开一个类的时候,一定要万分小心!如果你随意向类中添加方法或数据,你可能会收到许多的 BUG,比如,你定义了自己的 captalize()方法并且漫不经心的覆盖了原 String类中的 capitalize()方法,你很可能会收到风险。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
# The Rectangle constructor accepts arguments in either
# of the following forms:
# Rectangle.new([x_top, y_left], length, width)
# Rectangle.new([x_top, y_left], [x_bottom, y_right])
class
Rectangle
def
initialize(*args)
if
args.size <
2
|| args.size >
3
puts
'Sorry. This method takes either 2 or 3 arguments.'
else
puts
'Correct number of arguments.'
end
end
end
Rectangle.
new
([
10
,
23
],
4
,
10
)
Rectangle.
new
([
10
,
23
], [
14
,
13
])
|
关于 eigenclass这个名字的由来:大多数人叫它 singlton classes,另一部分人叫它 metaclasses,意思是 the class of a class。但是这些名字都不足以描述它。 Ruby之父 Matz至今还没有给出一个官方的名字,但是他似乎喜欢叫它 eigenclass, eigen这个词来自于德语,意思是 one’s own。所以, eigenclass就被翻译为 “an object’s own class”。而 eigenclass的方法名字,则取了一个比较科学严肃的名字叫 Singlton Methods。——参考自 blackanger对 Metaprogramming Ruby的笔记(5)
“特征类”是一个很好的命名。这个“特征”和线性代数中“特征值”、“特征向量”的“特征”是一个意思。“特征值”、“特征向量”的名称是由德国数学家 David Hilbert (大卫·希尔伯特)在 1904 年使用并得以流传的,德语单词“ Eigen”本意为“自己的”。 Eigenclass,也就意味着“自己的类”,用于 Ruby 的“单例类”概念之上十分贴切,因为“单例类”实际上就是一个对象独有的类。——参考自 紫苏的 特征类一文
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
|
# 1
class
Rubyist
def
self
.who
"Geek"
end
end
# 2
class
Rubyist
class
<<
self
def
who
"Geek"
end
end
end
# 3
class
Rubyist
end
def
Rubyist.who
"Geek"
end
#4
class
Rubyist
end
Rubyist.instance_eval
do
def
who
"Geek"
end
end
puts Rubyist.who
# => Geek
# 5
class
<< Rubyist
def
who
"Geek"
end
end
|