一、语法区别
刚接触python中的面向对象,对于类方法和静态方法难以区分,通过查找知乎、csdn论坛,废了好大的劲思路才逐渐明朗,所以就总结顺便分享一下。
首先开始编辑代码
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
# 普通方法、类方法、静态方法的比较 # 普通方法、类方法、静态方法的比较 class test: # 定义类test的属性 name = 'python' content = '人生苦短,我用python!' def normal_method( self ): # 普通方法访问类text的属性 print ( self .content) @classmethod #类方法访问test类的属性,看到@staticmethod我们就知道这个方法并不需要依赖对象本身的状态 def class_method( cls ): print ( cls .content) @staticmethod #静态方法,无法访问test类的属性, def static_method(): print ( 'content' ) |
进行测试一
1
2
3
4
5
6
7
8
9
10
11
|
t = test() t.content = '人生苦短,及时行乐' #设置对象t的属性 t.normal_method() t.class_method() t.static_method() # 结果 人生苦短,及时行乐 人生苦短,我用python! content |
使用普通方法、类方法和静态方法都可以通过对象(t)进行调用,但是静态方法和类方法无法访问对象的属性,所以更改对象(t)的属性仅仅只是对普通方法起作用。
进行测试二
1
2
3
4
5
6
|
# test.content('name')出现错误,普通方法无法通过类调用 test.class_method() test.static_method() # 结果 人生苦短,我用python! content |
普通方法无法通过类名调用,但静态方法和类方法是可以的。
总结
三种方法都可以通过对象进行调用,但类方法和静态方法无法访问对象属性,类方法通过对象调用获取的仍是类属性(并非对象属性);普通方法无法通过类名调用,类方法和静态方法可以,但静态方法不能进行访问,仅仅只是通过传值得方式(与函数调用相同)
二、简单应用
通过上面的示例仅仅只是知道三种方法的语法区别,下面继续看看三种方法的具体应用区别
示例:用类来实现部分计算器功能,并计算任意两个整数的平方和
1. 普通方法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
|
class test: def __init__( self , num1, num2): self .num1 = num1 self .num2 = num2 def plus( self ): result = self .num1 + self .num2 return result def multiply( self ): result = self .num1 * self .num2 return result t1 = test( 3 , 3 ) m = t1.multiply() t2 = test( 4 , 4 ) n = t2.multiply() t3 = test(m, n) sum = t3.plus() print ( sum ) |
2. 类方法(@classnethod)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
|
class test: def __init__( self , num1, num2): self .num1 = num1 self .num2 = num2 def plus( self ): result = self .num1 + self .num2 return result def multiply( self ): result = self .num1 * self .num2 return result @classmethod def sum ( cls , num1, num2): t1 = test( 3 , 3 ) m = t1.multiply() t2 = test( 4 , 4 ) n = t2.multiply() t3 = test(m, n) print (t3.plus()) test. sum ( 3 , 4 ) |
3.静态方法(@staticmethod)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
class test: def __init__( self , num1, num2): self .num1 = num1 self .num2 = num2 def plus( self ): result = self .num1 + self .num2 return result def multiply( self ): result = self .num1 * self .num2 return result @staticmethod def sum (num1, num2): s = num1 * num1 + num2 * num2 print (s) test. sum ( 3 , 4 ) |
4.总结
以上三种方法都能实现示例要求的功能。使用类方法时,求和功能的那部分代码并没有放在类(test)中,而是作为类的一个成员方法,这样的好处是可以简化对象,增加可读性(直接通过参数num1、num2来实现最终功能),但整个过程仍须类(self)参与;使用静态方法时,仅仅需要通过传递两个参数即可实现,单最终结果仍可作为类方法进行访问。
5.延伸
@classmethod装饰(类方法): 它的作用就是有点像静态类,比静态类不一样的就是它可以传进来一个当前类作为第一个参数。
@staticmethod装饰(静态方法):经常有一些跟类有关系的功能但在运行时又不需要实例和类参与的情况下需要用到静态方法。 比如更改环境变量或者修改其他类的属性等能用到静态方法。这种情况可以直接用函数解决,但这样同样会扩散类内部的代码,造成维护困难。至于静态方法就是写在类里的方法,必须用类来调用(极少数情况下使用,一般都在全局里直接写函数了)。
原文链接:https://blog.csdn.net/sinat_41898105/article/details/80661798