Leetcode 543 Diameter of Binary Tree
Given the root of a binary tree, return the length of the diameter of the tree.
The diameter of a binary tree is the length of the longest path between any two nodes in a tree. This path may or may not pass through the root.
The length of a path between two nodes is represented by the number of edges between them.
Input: root = [1,2,3,4,5]
Output: 3
Explanation: 3is the length of the path [4,2,1,3] or [5,2,1,3].
Input: root = [1,2]
Output: 1
- Diameter iki node arasındaki en uzun yoldur.Bizden de verilen ağaçtaki en uzun yolu istiyor.
- DFS kullanarak tüm nodeları dolaşır ve yolları karşılaştırırsak soruyu çözebiliriz.
- İlk olarak maxdia adında bir değişken oluşturup 0 dan başlatıyoruz.Yolları hesapladıkça bu değişken güncellenecek.
- Elimizddeki node un sağ child ve sol child derinliklerini hesapla hangisi büyük ise ona 1 ekle ve elimizdeki node un derinliğini bul.
- Recursive olarak en uç yaprağa giderek bu çağrılar yapılır ve her defasında yeni derinlik bulunur.
- Bir nodeun diameter değeri sağ ve sol child ının derinlik değerleri toplamıdır.Bunu da elimizdeki maxdia değeri ile karşılaştırıp hangisi büyük ise onu seçerek çağrılara devam ederiz.
def diameterOfBinaryTree(self, root: TreeNode) -> int:
self.maxdia = 0
def depth(root):
if not root:
return 0
left = depth(root.left) #sol derinliği hesapla
right = depth(root.right) #sağ derinliği hesapla
#maxdia ile sol derinlik + sağ derinliği karşılaştır
self.maxdia = max(self.maxdia, left + right)
#node un derinliği olarak sağ ve sol derinliklerin hangisi büyük ise ona 1 ekle ve dön
return max(left, right) + 1
depth(root) #recursive fonksiyonu çağır
return self.maxdia # elindeki maksimum diameterı dön