私はPythonを初めて使用するので、オブジェクトのインスタンス化についてサポートが必要です。Pythonインタープリターは、私が定義したクラスのオブジェクトをインスタンス化するときに問題を引き起こします。2つのクラスがありBTNode
、BST
(それぞれファイルに保存されますbst_node.py
)bst.py
:
# file: bst_node.py
class BTNode:
"""a binary search tree node implementation"""
def ___init___(self, value):
self.value = value
self.left is None
self.right is None
self.parent is None
def ___init___(self, value, left, right, parent):
"""set the parameters to corresponding class members"""
self.value = value
self.left = left
self.right = right
self.parent = parent
def is_leaf(self):
"""check whether this node is a leaf"""
if self.left.value is None and self.right.value is None:
return True
return False
# file: bst.py
from bst_node import *
class BST:
"""a binary search tree implementation"""
def ___init___(self, value):
self.root = BTNode(value)
def insert(self, curRoot, newValue):
if curRoot.is_leaf():
if newValue < curRoot.value:
newNode = BTNode(newValue, None, None, curRoot)
curRoot.left = newNode
else:
newNode = BTNode(newValue, None, None, curRoot)
curRoot.right = newNode
else:
if newValue < curRoot.value:
self.insert(curRoot.left, newValue)
else:
self.insert(curRoot.right, newValue)
だから、通訳で私はします:
import bst as b
t1 = b.BST(8)
そして私はこれを言うエラーを受け取りますconstructor takes no arguments
コンストラクターは明らかに引数を取るvalue
ので、ここで何が問題になっていますか?このエラーを修正するにはどうすればよいですか?
ありがとう、すべての助けは大歓迎です!