Skip to content Skip to sidebar Skip to footer

Python3 And Recursive Class

I want to define own tree-like class. I've written code like this: class forest: class tree: def __init__(self): self.var_a = []

Solution 1:

You don't need to nest the classes in order to implement a container pattern.

Move the Tree class outside of Forest. Each time a tree is instantianted, it can add itself to the forest:

classForest:
            def__init__(self):
                self.mytrees = []
            defadd(self, tree):
                self.mytrees.append(self)
            defdrop_leaves(self):
                for tree in self.mytrees:
                    tree.drop_leaves()


    classTree:
            def__init__(self, forest):
                forest.add(self)
                self.var_a = []
                self.var_b = []
                #Or something as simpledefdrop_leaves(self):
                print'Drop'

    sherwood = Forest()
    t1 = Tree(sherwood)
    t2 = Tree(sherwood)
    sherwood.drop_leaves()

The question:

It is possible to use recursive class in Python3? How does the code for this look like?

Straight answer:

Nesting class definitions does not confer any benefit in Python because their scopes don't nest (the contents of the inner class cannot refer directly to the enclosing class).

Accordingly, the usual pattern in Python is to make two of more classes than can refer directly to one another (using composition rather than inheritance).

Subsequent comment:

Well. I don't need to use classes. The functions and dictionaries would be enough.

Functions and dictionaries are always enough (the early versions of Python did not have classes). OTOH, we've found that classes are a convenient way to organize code, making it clear which functions operate on which data. How you do it is a matter of taste.

A later comment:

There is one benefit of nested class. Its definition doesn't reside in global scope.

That can be a disadvantage as well, making it more difficult to reuse code, more difficult to test, and possibly confounding introspection tools.

Solution 2:

I just experimented with this and it can be done in Python3

classforest:#Interal Class _treeclass_tree:def__init__(self):
                    self.var_a = []
                    self.var_b = []
                    #Or something as simpledefmk(self,something):
                    #Some instructions on self.var_a or self.var_bdef__init__(self):
        #Assign internal class _tree to public variable treeself.tree=self._tree()

sherwood=forest()
sherwood.tree.mk()

This way you don't have to pollute global name space with a 'tree' class

Though if you dislike this due to confusion/readibility issues, you can always make a separate tree class as previously described.

Post a Comment for "Python3 And Recursive Class"