Python中的構造方法

在Java等語言中都有構造方法【進行對象的建立及初始化】這個東東,示例代碼以下:python

public class Student {
	//成員變量
	private String name;
	private int age;
	
	//有參構造方法
	public Student(String name,int age) {
		this.name = name;
		this.age = age;
	}
	
	//成員方法
	...
}

// 建立對象
students = Student('張三', 18)

那麼Python中有麼,答案是確定有的咯,在Python中是使用__new____init__來完成的。this

__new__負責進行對象的建立,object中的__new__示例代碼以下:spa

@staticmethod # known case of __new__
def __new__(cls, *more): # known special case of object.__new__
    """ Create and return a new object. See help(type) for accurate signature. """
    pass

__init__負責進行對象的初始化,object中的__init__示例代碼以下:code

def __init__(self): # known special case of object.__init__
    """ Initialize self. See help(type(self)) for accurate signature. """
    pass

示例代碼:對象

class Test(object):
    def __init__(self):
        print("這是 init 方法")
	
    # 能夠不寫默認使用父類(object)中的的__new__
    def __new__(cls):  # 執行的優先級最高
        print("這是 new 方法")
        return object.__new__(cls)


Test()

執行結果:
    這是 new 方法
    這是 init 方法

總結ci

  • __new__至少要有一個參數cls,表明要實例化的類,此參數在實例化時由Python解釋器自動提供
  • __new__必需要有返回值,返回實例化出來的實例,這點在本身實現__new__時要特別注意,能夠return父類__new__出來的實例,或者直接是object的__new__出來的實例
  • __init__有一個參數self,就是這個__new__返回的實例,__init____new__的基礎上能夠完成一些其它初始化的動做,__init__不須要返回值
相關文章
相關標籤/搜索