输出二叉树中所有从根结点到叶子结点的路径

// 输出二叉树中所有从根结点到叶子结点的路径.cpp : 定义控制台应用程序的入口点。

#include 
#include 
using namespace std;

struct BTNode
{
	char m_value;
	BTNode *m_left;
	BTNode *m_right;
};
char path[100];
int pathlen=0;
//先序创建二叉树
void CreatBTree(BTNode *&root)
{	
	char nValue = 0;
	cin >> nValue;
	if ('#' == nValue)
	{
		root=NULL;
		return;
	}
	else
	{
		root = new BTNode();
		root->m_value = nValue;
		CreatBTree(root->m_left);
		CreatBTree(root->m_right);
	}	
}

//输出二叉树中所有从根结点到叶子结点的路径(递归)
void FindAllPath(BTNode *pRoot)
{
	if (pRoot != NULL)
	{
	
		if (pRoot->m_left == NULL && pRoot->m_right == NULL)
		{
		    path[pathlen++]=pRoot->m_value;
			for (int i=0;im_value;
			FindAllPath(pRoot->m_left);
			FindAllPath(pRoot->m_right);
		    pathlen--;
		}
	}
}

int main()
{
	BTNode *pRoot = NULL;
	vector path;
	CreatBTree(pRoot);
	cout << "二叉树中从根到叶子结点的所有路径如下:" << endl;
    FindAllPath(pRoot);
	system("pause");
	return 0;
}

 
  

你可能感兴趣的:(c/c++)