【leetcode】111. 두 갈래 트리의 최소 깊이(BFS Websearch + Furse)

10465 단어 leetcode
두 갈래 나무를 정해 최소 깊이를 찾아라.
최소 깊이는 루트 노드에서 가장 가까운 잎 노드까지의 가장 짧은 경로의 노드 수량입니다.
설명: 잎 노드는 하위 노드가 없는 노드를 가리킨다.
예:
두 갈래 나무[3,9,20,null,null,15,7],
    3
   / \
  9  20
    /  \
   15   7

그것의 최소 깊이를 되돌려줍니다. 2.
링크:https://leetcode-cn.com/problems/minimum-depth-of-binary-tree
easy 제목, 제출 기록을 보고 6년 전에 한 번 제출했습니다.오늘 또 한 번 했지만 사용하는 방법이 다르다.
//https://leetcode-cn.com/problems/minimum-depth-of-binary-tree/
// 111.  
int minDepth(TreeNode* root) {
	if (root == NULL)
		return 0;

	queue<TreeNode*> q;
	q.push(root);
	int len = 1;
	while (!q.empty())
	{
		int qsize = q.size();

		for (int i = 0; i < qsize; i++)
		{
			TreeNode* p = q.front();
			q.pop(); //  pop 
			if (p->left == NULL && p->right == NULL)
				return len;

			if (p->left != NULL)
			{
				q.push(p->left);
			}
			if (p->right != NULL)
			{
				q.push(p->right);
			}
		}
		len++;
	}
	return len;
}

BFS 알고리즘 분석 참조:https://labuladong.gitbook.io/algo/di-ling-zhang-bi-du-xi-lie/bfs-kuang-jia
6년 전 코드는 귀속을 사용했다.
int minDepth(TreeNode *root) {
	if (root == NULL)
		return 0;
	int a=0, b=0;
	if (root->left &&root->right){
		a = minDepth(root->left) + 1;
		b = minDepth(root->right) + 1;
		return a < b ? a : b;
	}else
	if (root->left && root->right==NULL){
		return 1 + minDepth(root->left);
	}else
	if (root->right && root->left==NULL){
		return 1 + minDepth(root->right);
	}else
	if (root->left == NULL && root->right == NULL){
		return 1;
	}

}

좋은 웹페이지 즐겨찾기