简体   繁体   English

在python中逐级打印二叉树

[英]print binary tree level by level in python

I want to print my binary tree in the following manner:我想按以下方式打印我的二叉树:

                   10

               6        12

             5   7    11  13 

I have written code for insertion of nodes but can't able to write for printing the tree.我已经编写了用于插入节点的代码,但无法编写用于打印树的代码。 so please help on this.所以请帮忙解决这个问题。 My code is:我的代码是:

class Node:
    def __init__(self,data):
       self.data=data
       self.left=None
       self.right=None
       self.parent=None

class binarytree:
   def __init__(self):
     self.root=None
     self.size=0

   def insert(self,data):
     if self.root==None:
        self.root=Node(data)

    else:
        current=self.root
        while 1:
            if data < current.data:
                if current.left:
                    current=current.left
                else:
                    new=Node(data)
                    current.left=new
                    break;
            elif data > current.data:
                if current.right:
                    current=current.right
                else:
                    new=Node(data)
                    current.right=new
                    break;
            else:
                break



 b=binarytree()  

Here's my attempt, using recursion, and keeping track of the size of each node and the size of children.这是我的尝试,使用递归,并跟踪每个节点的大小和子节点的大小。

class BstNode:

    def __init__(self, key):
        self.key = key
        self.right = None
        self.left = None

    def insert(self, key):
        if self.key == key:
            return
        elif self.key < key:
            if self.right is None:
                self.right = BstNode(key)
            else:
                self.right.insert(key)
        else: # self.key > key
            if self.left is None:
                self.left = BstNode(key)
            else:
                self.left.insert(key)

    def display(self):
        lines, *_ = self._display_aux()
        for line in lines:
            print(line)

    def _display_aux(self):
        """Returns list of strings, width, height, and horizontal coordinate of the root."""
        # No child.
        if self.right is None and self.left is None:
            line = '%s' % self.key
            width = len(line)
            height = 1
            middle = width // 2
            return [line], width, height, middle

        # Only left child.
        if self.right is None:
            lines, n, p, x = self.left._display_aux()
            s = '%s' % self.key
            u = len(s)
            first_line = (x + 1) * ' ' + (n - x - 1) * '_' + s
            second_line = x * ' ' + '/' + (n - x - 1 + u) * ' '
            shifted_lines = [line + u * ' ' for line in lines]
            return [first_line, second_line] + shifted_lines, n + u, p + 2, n + u // 2

        # Only right child.
        if self.left is None:
            lines, n, p, x = self.right._display_aux()
            s = '%s' % self.key
            u = len(s)
            first_line = s + x * '_' + (n - x) * ' '
            second_line = (u + x) * ' ' + '\\' + (n - x - 1) * ' '
            shifted_lines = [u * ' ' + line for line in lines]
            return [first_line, second_line] + shifted_lines, n + u, p + 2, u // 2

        # Two children.
        left, n, p, x = self.left._display_aux()
        right, m, q, y = self.right._display_aux()
        s = '%s' % self.key
        u = len(s)
        first_line = (x + 1) * ' ' + (n - x - 1) * '_' + s + y * '_' + (m - y) * ' '
        second_line = x * ' ' + '/' + (n - x - 1 + u + y) * ' ' + '\\' + (m - y - 1) * ' '
        if p < q:
            left += [n * ' '] * (q - p)
        elif q < p:
            right += [m * ' '] * (p - q)
        zipped_lines = zip(left, right)
        lines = [first_line, second_line] + [a + u * ' ' + b for a, b in zipped_lines]
        return lines, n + m + u, max(p, q) + 2, n + u // 2


import random

b = BstNode(50)
for _ in range(50):
    b.insert(random.randint(0, 100))
b.display()

Example output:示例输出:

                              __50_________________________________________ 
                             /                                             \
    ________________________43_                   ________________________99
   /                           \                 /                          
  _9_                         48    ____________67_____________________     
 /   \                             /                                   \    
 3  11_________                   54___                         ______96_   
/ \            \                       \                       /         \  
0 8       ____26___________           61___           ________88___     97  
         /                 \         /     \         /             \        
        14_             __42        56    64_       75_____       92_       
       /   \           /                 /   \     /       \     /   \      
      13  16_         33_               63  65_   72      81_   90  94      
             \       /   \                     \         /   \              
            25    __31  41                    66        80  87              
                 /                                     /                    
                28_                                   76                    
                   \                                                        
                  29                                                        
class Node(object):
    def __init__(self, value, left=None, right=None):
        self.value = value
        self.left = left
        self.right = right
    
def printTree(node, level=0):
    if node != None:
        printTree(node.left, level + 1)
        print(' ' * 4 * level + '-> ' + node.value)
        printTree(node.right, level + 1)

t = Node(1, Node(2, Node(4, Node(7)),Node(9)), Node(3, Node(5), Node(6)))
printTree(t)

output:输出:

            -> 7
        -> 4
    -> 2
        -> 9
-> 1
        -> 5
    -> 3
        -> 6

What you're looking for is breadth-first traversal , which lets you traverse a tree level by level.您正在寻找的是广度优先遍历,它可以让您逐级遍历树。 Basically, you use a queue to keep track of the nodes you need to visit, adding children to the back of the queue as you go (as opposed to adding them to the front of a stack).基本上,您使用队列来跟踪您需要访问的节点,将子节点添加到队列的后面(而不是将它们添加到堆栈的前面)。 Get that working first.先让它工作。

After you do that, then you can figure out how many levels the tree has ( log2(node_count) + 1 ) and use that to estimate whitespace.完成此操作后,您可以计算出树有多少级别( log2(node_count) + 1 )并使用它来估计空白。 If you want to get the whitespace exactly right, you can use other data structures to keep track of how many spaces you need per level.如果您想获得完全正确的空白,您可以使用其他数据结构来跟踪每个级别需要多少空间。 A smart estimation using number of nodes and levels should be enough, though.不过,使用节点和级别的数量进行智能估计就足够了。

I am leaving here a stand-alone version of @JV's code.我将在这里留下@JV 代码的独立版本。 If anyone wants to grab his/her own binary tree and pretty print it, pass the root node and you are good to go.如果有人想获取他/她自己的二叉树并漂亮地打印它,请传递根节点,您就可以开始了。

If necessary, change val , left and right parameters according to your node definition.如有必要,根据您的节点定义更改valleftright参数。

def print_tree(root, val="val", left="left", right="right"):
    def display(root, val=val, left=left, right=right):
        """Returns list of strings, width, height, and horizontal coordinate of the root."""
        # No child.
        if getattr(root, right) is None and getattr(root, left) is None:
            line = '%s' % getattr(root, val)
            width = len(line)
            height = 1
            middle = width // 2
            return [line], width, height, middle

        # Only left child.
        if getattr(root, right) is None:
            lines, n, p, x = display(getattr(root, left))
            s = '%s' % getattr(root, val)
            u = len(s)
            first_line = (x + 1) * ' ' + (n - x - 1) * '_' + s
            second_line = x * ' ' + '/' + (n - x - 1 + u) * ' '
            shifted_lines = [line + u * ' ' for line in lines]
            return [first_line, second_line] + shifted_lines, n + u, p + 2, n + u // 2

        # Only right child.
        if getattr(root, left) is None:
            lines, n, p, x = display(getattr(root, right))
            s = '%s' % getattr(root, val)
            u = len(s)
            first_line = s + x * '_' + (n - x) * ' '
            second_line = (u + x) * ' ' + '\\' + (n - x - 1) * ' '
            shifted_lines = [u * ' ' + line for line in lines]
            return [first_line, second_line] + shifted_lines, n + u, p + 2, u // 2

        # Two children.
        left, n, p, x = display(getattr(root, left))
        right, m, q, y = display(getattr(root, right))
        s = '%s' % getattr(root, val)
        u = len(s)
        first_line = (x + 1) * ' ' + (n - x - 1) * '_' + s + y * '_' + (m - y) * ' '
        second_line = x * ' ' + '/' + (n - x - 1 + u + y) * ' ' + '\\' + (m - y - 1) * ' '
        if p < q:
            left += [n * ' '] * (q - p)
        elif q < p:
            right += [m * ' '] * (p - q)
        zipped_lines = zip(left, right)
        lines = [first_line, second_line] + [a + u * ' ' + b for a, b in zipped_lines]
        return lines, n + m + u, max(p, q) + 2, n + u // 2

    lines, *_ = display(root, val, left, right)
    for line in lines:
        print(line)

print_tree(root)

          __7 
         /   \
     ___10_  3
    /      \  
  _19     13  
 /   \        
 9   8_       
/ \    \      
4 0   12 

I enhanced Prashant Shukla answer to print the nodes on the same level in the same line without spaces.我增强了Prashant Shukla 的答案,以在同一行中打印同一级别的节点而没有空格。

class Node(object):
    def __init__(self, value, left=None, right=None):
        self.value = value
        self.left = left
        self.right = right

    def __str__(self):
        return str(self.value)


def traverse(root):
    current_level = [root]
    while current_level:
        print(' '.join(str(node) for node in current_level))
        next_level = list()
        for n in current_level:
            if n.left:
                next_level.append(n.left)
            if n.right:
                next_level.append(n.right)
        current_level = next_level

t = Node(1, Node(2, Node(4, Node(7)), Node(9)), Node(3, Node(5), Node(6)))

traverse(t)

Just use this small method of print2DTree:只需使用 print2DTree 这个小方法:

class bst:
    def __init__(self, value):
        self.value = value
        self.right = None
        self.left = None
        
def insert(root, key):
    if not root:
        return bst(key)
    if key >= root.value:
        root.right = insert(root.right, key)
    elif key < root.value:
        root.left = insert(root.left, key)
    return root

def insert_values(root, values):
    for value in values:
        root = insert(root, value)
    return root

def print2DTree(root, space=0, LEVEL_SPACE = 5):
    if (root == None): return
    space += LEVEL_SPACE
    print2DTree(root.right, space)
    # print() # neighbor space
    for i in range(LEVEL_SPACE, space): print(end = " ")  
    print("|" + str(root.value) + "|<")
    print2DTree(root.left, space)

root = insert_values(None, [8, 4, 12, 2, 6, 10, 14, 1, 3, 5, 7, 9, 11, 13, 15])
print2DTree(root)  

Results:结果:

示例树

树的示例 2D 打印

Simple solution with no recursion没有递归的简单解决方案

def PrintTree(root):
    def height(root):
        return 1 + max(height(root.left), height(root.right)) if root else -1  
    nlevels = height(root)
    width =  pow(2,nlevels+1)

    q=[(root,0,width,'c')]
    levels=[]

    while(q):
        node,level,x,align= q.pop(0)
        if node:            
            if len(levels)<=level:
                levels.append([])
        
            levels[level].append([node,level,x,align])
            seg= width//(pow(2,level+1))
            q.append((node.left,level+1,x-seg,'l'))
            q.append((node.right,level+1,x+seg,'r'))

    for i,l in enumerate(levels):
        pre=0
        preline=0
        linestr=''
        pstr=''
        seg= width//(pow(2,i+1))
        for n in l:
            valstr= str(n[0].val)
            if n[3]=='r':
                linestr+=' '*(n[2]-preline-1-seg-seg//2)+ '¯'*(seg +seg//2)+'\\'
                preline = n[2] 
            if n[3]=='l':
               linestr+=' '*(n[2]-preline-1)+'/' + '¯'*(seg+seg//2)  
               preline = n[2] + seg + seg//2
            pstr+=' '*(n[2]-pre-len(valstr))+valstr #correct the potition acording to the number size
            pre = n[2]
        print(linestr)
        print(pstr)   

Sample output样本输出

               1
       /¯¯¯¯¯¯   ¯¯¯¯¯¯\
       2               3
   /¯¯¯ ¯¯¯\       /¯¯¯ ¯¯¯\
   4       5       6       7
 /¯ ¯\   /¯      /¯
 8   9  10      12

code Explanation:代码说明:

  • by using the BFS get the lists of list contains elements of each level通过使用 BFS 获取包含每个级别元素的列表列表
  • number of white spaces at any level = (max number of element in tree)//2^level任何级别的空格数=(树中的最大元素数)//2^level
  • maximum number of elements of h height tree = 2^h -1; h高度树的最大元素数= 2^h -1; considering root level height as 1考虑根级高度为 1
  • print the value and white spaces find my Riple.it link here print-bst-tree打印值和空格在这里找到我的 Riple.it 链接print-bst-tree
def bfs(node,level=0,res=[]):
  if level<len(res):
    if node:
      res[level].append(node.value)
    else:
      res[level].append(" ")
  else:
    if node:
      res.append([node.value])
    else:
      res.append([" "])
  if not node:
    return 
  bfs(node.left,level+1,res)
  bfs(node.right,level+1,res)
  return res
    
def printTree(node):
  treeArray = bfs(node)
  h = len(treeArray)
  whiteSpaces = (2**h)-1
  
  def printSpaces(n):
    for i in range(n):
      print(" ",end="")

      
  for level in treeArray:
    whiteSpaces = whiteSpaces//2
    for i,x in enumerate(level):
      if i==0:
        printSpaces(whiteSpaces)
      print(x,end="")
      printSpaces(1+2*whiteSpaces)
    print()
#driver Code
printTree(root)

#output #输出输出

Similar question is being answered over here This may help following code will print in this format此处正在回答类似的问题这可能有助于以下代码将以这种格式打印

>>> 
1
2 3
4 5 6
7
>>> 

Code for this is as below :代码如下:

class Node(object):
  def __init__(self, value, left=None, right=None):
   self.value = value
   self.left = left
   self.right = right

def traverse(rootnode):
  thislevel = [rootnode]
  a = '                                 '
  while thislevel:
    nextlevel = list()
    a = a[:len(a)/2]
    for n in thislevel:
      print a+str(n.value),
      if n.left: nextlevel.append(n.left)
      if n.right: nextlevel.append(n.right)
      print
      thislevel = nextlevel

t = Node(1, Node(2, Node(4, Node(7)),Node(9)), Node(3, Node(5), Node(6)))

traverse(t)

Edited code gives result in this format :编辑后的代码以这种格式给出结果:

>>> 
              1
      2         3
  4     9     5     6
7
>>> 

This is just a trick way to do what you want their maybe a proper method for that I suggest you to dig more into it.这只是一种技巧,可以做你想做的事,他们可能是一种合适的方法,我建议你深入研究它。

class magictree:
    def __init__(self, parent=None):
        self.parent = parent
        self.level = 0 if parent is None else parent.level + 1
        self.attr = []
        self.rows = []

    def add(self, value):
        tr = magictree(self)
        tr.attr.append(value)
        self.rows.append(tr)
        return tr

    def printtree(self):
        def printrows(rows):
            for i in rows:
                print("{}{}".format(i.level * "\t", i.attr))
                printrows(i.rows)

        printrows(self.rows)

tree = magictree()
group = tree.add("company_1")
group.add("emp_1")
group.add("emp_2")
emp_3 = group.add("emp_3")

group = tree.add("company_2")
group.add("emp_5")
group.add("emp_6")
group.add("emp_7")

emp_3.add("pencil")
emp_3.add("pan")
emp_3.add("scotch")

tree.printtree()

result:结果:

['company_1']
    ['emp_1']
    ['emp_2']
    ['emp_3']
        ['pencil']
        ['pan']
        ['scotch']
['company_2']
    ['emp_5']
    ['emp_6']
    ['emp_7']

As I came to this question from Google (and I bet many others did too), here is binary tree that has multiple children, with a print function ( __str__ which is called when doing str(object_var) and print(object_var) ).当我从 Google 提出这个问题时(我敢打赌其他许多人也这样做了),这里有一个二叉树,它有多个孩子,带有一个打印函数( __str__ ,它在执行str(object_var)print(object_var)时被调用)。

Code:代码:

from typing import Union, Any

class Node:
    def __init__(self, data: Any):
        self.data: Any = data
        self.children: list = []
    
    def insert(self, data: Any):
        self.children.append(Node(data))

    def __str__(self, top: bool=True) -> str:
        lines: list = []
        lines.append(str(self.data))
        for child in self.children:
            for index, data in enumerate(child.__str__(top=False).split("\n")):
                data = str(data)
                space_after_line = "   " * index
                if len(lines)-1 > index:
                    lines[index+1] += "   " + data
                    if top:
                        lines[index+1] += space_after_line
                else:
                    if top:
                        lines.append(data + space_after_line)
                    else:
                        lines.append(data)
                for line_number in range(1, len(lines) - 1):
                    if len(lines[line_number + 1]) > len(lines[line_number]):
                        lines[line_number] += " " * (len(lines[line_number + 1]) - len(lines[line_number]))

        lines[0] = " " * int((len(max(lines, key=len)) - len(str(self.data))) / 2) + lines[0]
        return '\n'.join(lines)

    def hasChildren(self) -> bool:
        return bool(self.children)

    def __getitem__(self, pos: Union[int, slice]):
        return self.children[pos]

And then a demo:然后是一个演示:

# Demo
root = Node("Languages Good For")
root.insert("Serverside Web Development")
root.insert("Clientside Web Development")
root.insert("For Speed")
root.insert("Game Development")
root[0].insert("Python")
root[0].insert("NodeJS")
root[0].insert("Ruby")
root[0].insert("PHP")
root[1].insert("CSS + HTML + Javascript")
root[1].insert("Typescript")
root[1].insert("SASS")
root[2].insert("C")
root[2].insert("C++")
root[2].insert("Java")
root[2].insert("C#")
root[3].insert("C#")
root[3].insert("C++")
root[0][0].insert("Flask")
root[0][0].insert("Django")
root[0][1].insert("Express")
root[0][2].insert("Ruby on Rails")
root[0][0][0].insert(1.1)
root[0][0][0].insert(2.1)
print(root)

This is part of my own implementation of BST.这是我自己的 BST 实现的一部分。 The ugly part of this problem is that you have to know the space that your children occupies before you can print out yourself.这个问题的丑陋部分是你必须知道你的孩子占据的空间,然后才能打印出自己。 Because you can have very big numbers like 217348746327642386478832541267836128736..., but also small numbers like 10, so if you have a parent-children relationship between these two, then it can potentially overlap with your other child.因为你可以有非常大的数字,比如 217348746327642386478832541267836128736...,也可以有像 10 这样的小数字,所以如果你在这两者之间有亲子关系,那么它可能会与你的另一个孩子重叠。 Therefore, we need to first go through the children, make sure we get how much space they are having, then we use that information to construct ourself.因此,我们需要先了解孩子,确保我们得到他们有多少空间,然后我们使用这些信息来构建我们自己。

def __str__(self):
    h = self.getHeight()
    rowsStrs = ["" for i in range(2 * h - 1)]
    
    # return of helper is [leftLen, curLen, rightLen] where
    #   leftLen = children length of left side
    #   curLen = length of keyStr + length of "_" from both left side and right side
    #   rightLen = children length of right side.
    # But the point of helper is to construct rowsStrs so we get the representation
    # of this BST.
    def helper(node, curRow, curCol):
        if(not node): return [0, 0, 0]
        keyStr = str(node.key)
        keyStrLen = len(keyStr)
        l = helper(node.l, curRow + 2, curCol)
        rowsStrs[curRow] += (curCol -len(rowsStrs[curRow]) + l[0] + l[1] + 1) * " " + keyStr
        if(keyStrLen < l[2] and (node.r or (node.p and node.p.l == node))): 
            rowsStrs[curRow] += (l[2] - keyStrLen) * "_"
        if(l[1]): 
            rowsStrs[curRow + 1] += (len(rowsStrs[curRow + 2]) - len(rowsStrs[curRow + 1])) * " " + "/"
        r = helper(node.r, curRow + 2, len(rowsStrs[curRow]) + 1)
        rowsStrs[curRow] += r[0] * "_"
        if(r[1]): 
            rowsStrs[curRow + 1] += (len(rowsStrs[curRow]) - len(rowsStrs[curRow + 1])) * " " + "\\"
        return [l[0] + l[1] + 1, max(l[2] - keyStrLen, 0) + keyStrLen + r[0], r[1] + r[2] + 1]

    helper(self.head, 0, 0)
    res = "\n".join(rowsStrs)
    #print("\n\n\nStart of BST:****************************************")
    #print(res)
    #print("End of BST:****************************************")
    #print("BST height: ", h, ", BST size: ", self.size)

    return res

Here's some examples of running this:以下是一些运行示例:

[26883404633, 10850198033, 89739221773, 65799970852, 6118714998, 31883432186, 84275473611, 25958013736, 92141734773, 91725885198, 131191476, 81453208197, 41559969292, 90704113213, 6886252839]
                                     26883404633___________________________________________
                                    /                                                      \
                       10850198033__                                                        89739221773___________________________
                      /             \                                                      /                                      \
           6118714998_               25958013736                 65799970852_______________                                        92141734773
          /           \                                         /                          \                                      /
 131191476             6886252839                   31883432186_                            84275473611                91725885198
                                                                \                          /                          /
                                                                 41559969292    81453208197                90704113213

Another example:另一个例子:

['rtqejfxpwmggfro', 'viwmdmpedzwvvxalr', 'mvvjmkdcdpcfb', 'ykqehfqbpcjfd', 'iuuujkmdcle', 'nzjbyuvlodahlpozxsc', 'wdjtqoygcgbt', 'aejduciizj', 'gzcllygjekujzcovv', 'naeivrsrfhzzfuirq', 'lwhcjbmcfmrsnwflezxx', 'gjdxphkpfmr', 'nartcxpqqongr', 'pzstcbohbrb', 'ykcvidwmouiuz']
                                                                                         rtqejfxpwmggfro____________________
                                                                                        /                                   \
                                              mvvjmkdcdpcfb_____________________________                                     viwmdmpedzwvvxalr_______________
                                             /                                          \                                                                    \
                         iuuujkmdcle_________                                            nzjbyuvlodahlpozxsc_                                                 ykqehfqbpcjfd
                        /                    \                                          /                    \                                               /
 aejduciizj_____________                      lwhcjbmcfmrsnwflezxx    naeivrsrfhzzfuirq_                      pzstcbohbrb                       wdjtqoygcgbt_
                        \                                                               \                                                                    \
                         gzcllygjekujzcovv                                               nartcxpqqongr                                                        ykcvidwmouiuz
                        /
             gjdxphkpfmr

Here's a 2-pass solution with no recursion for general binary trees where each node has a value that "fits" within the allotted space (values closer to the root have more room to spare).这是一个 2-pass 解决方案,对于一般二叉树没有递归,其中每个节点都有一个“适合”在分配空间内的值(靠近根的值有更多空间)。 (Pass 0 computes the tree height). (通过 0 计算树的高度)。

'''
0:        0
1:    1       2
2:  3   4   5   6
3: 7 8 9 a b c d e
h: 4
N: 2**4 - 1 <--| 2**0 + 2**1 + 2**2 + 2**3
'''
import math

def t2_lvl(   i):  return int(math.log2(i+1)) if 0<i else 0  # @meta  map the global idx to the lvl
def t2_i2base(i):  return (1<<t2_lvl(i))-1                   # @meta  map the global idx to the local idx (ie. the idx of elem 0 in the lvl at idx @i)
def t2_l2base(l):  return (1<<       l) -1                   # @meta  map the lvl        to the local idx (ie. the idx of elem 0 in lvl @l)

class Tree2:  # @meta  a 2-tree is a tree with at most 2 sons per dad
    def __init__(self, v=None):
        self.v = v
        self.l = None
        self.r = None
    def __str__(self):  return f'{self.v}'

def t2_show(tree:Tree2):  # @meta  2-pass fn. in the 1st pass we compute the height
    if not tree:  return
    q0 = []  # perm queue
    q1 = []  # temp queue

    # pass 0
    h = 0  # height is the number of lvls
    q0.append((tree,0))
    q1.append((tree,0))
    while q1:
        n,i = q1.pop(0)
        h = max(h, t2_lvl(i))
        if n.l:  l=(n.l, 2*i+1); q0.append(l); q1.append(l)
        if n.r:  r=(n.r, 2*i+2); q0.append(r); q1.append(r)
    h += 1         # nlvls
    N  = 2**h - 1  # nelems (for a perfect tree of this height)
    W  = 1         # elem width

    # pass 1
    print(f'\n\x1b[31m{h} \x1b[32m{len(q0)}\x1b[0m')
    print(f'{0:1x}\x1b[91m:\x1b[0m',end='')
    for idx,(n,i) in enumerate(q0):
        l  = t2_lvl(i)  # lvl
        b  = (1<<l)-1   # base
        s0 = (N // (2**(l+1)))
        s1 = (N // (2**(l+0)))
        s  = 3+1 + s0 + (i-b)*(s1+1)  # absolute 1-based position (from the beginning of line)
        w  = int(2**(h-l-2))          # width (around the element) (to draw the surrounding @-)

        # print(f'{i:2x} {l} {i-b}  {s0:2x} {s1:2x} {s:2x} {w:x}  {n.v:02x}')
        if 0<idx and t2_lvl(q0[idx-1][1])!=l:  print(f'\n{l:1x}\x1b[91m:\x1b[0m',end='')  # new level: go to the next line
        print(f"\x1b[{s-w}G{w*'-'}\x1b[1G", end='')
        print(f"\x1b[{s}G{n.v:1x}\x1b[1G",  end='')  # `\x1b[XG` is an ANSI escape code that moves the cursor to column X
        print(f"\x1b[{s+W}G{w*'-'}\x1b[1G", end='')
    print()

And an example:还有一个例子:

tree = Tree2(0)

tree.l = Tree2(1)
tree.r = Tree2(2)

tree.l.l = Tree2(3)
tree.r.l = Tree2(4)
tree.r.r = Tree2(5)

tree.l.l.l = Tree2(3)
tree.r.l.l = Tree2(6)
tree.r.l.r = Tree2(7)

tree.l.l.l.l = Tree2(3)
tree.r.l.l.l = Tree2(8)
tree.r.l.l.r = Tree2(9)

t2_show(tree)

Output:输出:

5 12
0:        --------0--------
1:    ----1----       ----2----
2:  --3--           --4--   --5--
3: -3-             -6- -7-
4: 3               8 9

Another output example:另一个输出示例:

7 127
0:                                --------------------------------0--------------------------------
1:                ----------------1----------------                               ----------------2----------------
2:        --------3--------               --------4--------               --------5--------               --------6--------
3:    ----7----       ----8----       ----9----       ----a----       ----b----       ----c----       ----d----       ----e----
4:  --f--   --0--   --1--   --2--   --3--   --4--   --5--   --6--   --7--   --8--   --9--   --a--   --b--   --c--   --d--   --e--
5: -f- -0- -1- -2- -3- -4- -5- -6- -7- -8- -9- -a- -b- -c- -d- -e- -f- -0- -1- -2- -3- -4- -5- -6- -7- -8- -9- -a- -b- -c- -d- -e-
6: f 0 1 2 3 4 5 6 7 8 9 a b c d e f 0 1 2 3 4 5 6 7 8 9 a b c d e f 0 1 2 3 4 5 6 7 8 9 a b c d e f 0 1 2 3 4 5 6 7 8 9 a b c d e

Record Each Level Separately using Breadth First Approach使用广度优先方法分别记录每个级别

You can use a breadth first traversal and record node values in a dictionary using level as key.您可以使用广度优先遍历并使用level作为键在字典中记录节点值。 This helps next when you want to print each level in a new line.当您想要在新行中打印每个级别时,这会有所帮助。 If you maintain a count of nodes processed, you can find current node's level (since it's a binary tree) using - level = math.ceil(math.log(count + 1, 2) - 1)如果您维护处理的节count ,则可以使用 - level = math.ceil(math.log(count + 1, 2) - 1)

Sample Code示例代码

Here's my code using the above method (along with some helpful variables like point_span & line_space which you can modify as you like).这是我使用上述方法的代码(以及一些有用的变量,如point_spanline_space ,您可以根据需要进行修改)。 I used my custom Queue class, but you can also use a list for maintaining queue.我使用了自定义队列类,但您也可以使用列表来维护队列。

def pretty_print(self):
        q, current, count, level, data = Queue(), self.root, 1, 0, {}
        while current:
            level = math.ceil(math.log(count + 1, 2) - 1)
            if data.get(level) is None:
                data[level] = []
            data[level].append(current.value)
            count += 1

            if current.left:
                q.enqueue(current.left)
            if current.right:
                q.enqueue(current.right)

            current = q.dequeue()

        point_span, line_space = 8, 4
        line_width = int(point_span * math.pow(2, level))
        for l in range(level + 1):
            current, string = data[l], ''
            for c in current:
                string += str(c).center(line_width // len(current))
            print(string + '\n' * line_space)

And here's how the output looks:下面是输出的样子: 漂亮地打印一个二叉树

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM