So I have a program that creates a binary tree of the prime factors of a user input number and displays them in a treeView control:
Now I would like to create a string like the ones shown in the messageboxes, except with exponents ("256 = 2 ^ 8", "1234567890 = 2 X 3 ^ 2 X 5 X 3607 X 3803")
My current code looks like:
private void LabelDisplayCondensed(FactorTreeNode currentNode)
{
string result = Convert.ToString(root.Key) + " = "
+ Convert.ToString(currentNode.Left.Key);
FactorTreeNode prevNode = currentNode;
int exponent = 1;
while (currentNode.Right != null)
{
prevNode = currentNode;
currentNode = currentNode.Right;
if (currentNode.Left.Key == prevNode.Left.Key)
{
exponent += 1;
}
else
{
exponent = 1;
}
if ((exponent != 1) && (currentNode.Left.Key != prevNode.Left.Key))
{
result += " ^ " + exponent + " X " + currentNode.Left.Key;
}
}
MessageBox.Show(result);
}
This is my latest, desperate attempt. The function is called with the root of the tree. I realize this code is completely flawed. The current wall I am hitting is the currentNode reaches the right-most child in the tree, evaluates the key for its .Left.Key in
if (currentNode.Left.Key == prevNode.Left.Key)
and crashes because .Left is null.
I was actually a lot closer earlier. I had it at a point where 500 would be evaluated to "500 = 2 ^ 2 X 5 ^ 2 ^ 2" I think (rather than the ideal 500 = 2 ^ 2 X 5 ^ 3)
Here is the code for my FactorTreeNode:
class FactorTreeNode
{
// constants
// variables
private long data; // this is our only data, so also key
private FactorTreeNode leftPointer;
private FactorTreeNode rightPointer;
// these pointers point to the
// left and right children respectively
private FactorTreeNode parentPainter;
// pointer to the parent of the node
// constructors
public FactorTreeNode(long newValue)
{
Key = newValue;
Left = null;
Right = null;
Parent = null;
}
// Properties
public long Key
{
get
{
return data;
}
set
{
data = value;
}
}
public FactorTreeNode Left
{
get
{
return leftPointer;
}
set
{
leftPointer = value;
}
}
public FactorTreeNode Right
{
get
{
return rightPointer;
}
set
{
rightPointer = value;
}
}
public FactorTreeNode Parent
{
get
{
return parentPainter;
}
set
{
parentPainter = value;
}
}
}
I've been chewing on this all day. I appreciate any help.
Assuming your
FactorTreeNodeclass
is something like this:Then this will work:
Obviously this includes no checks that the tree is valid.
You probably also want to use
StringBuilder
to actually build the string rather than doing all those appends.