문제 난이도 : Easy
문제 유형 : Data Structures - Tree
문제 설명 간략 :
후위 순회로 binary tree를 출력하라.
후위 순회 (LEFT - RIGHT - ROOT)
제약사항
- 1 <= Nodes in the tree <= 500
자바 풀이
/* you only have to complete the function given below.
Node is defined as
class Node {
int data;
Node left;
Node right;
}
*/
public static void postOrder(Node root) {
if(root == null) {
return;
}
postOrder(root.left);
postOrder(root.right);
System.out.print(root.data+" ");
}
출처