MicroDev92
MicroDev92

Reputation: 169

showing tree node details separately in the same window

How can I show the details of a tree node, upon selection, in the same window but separately from the hierarchy tree.
So far I have successfully showed details in the treeview class using this code:

  private void buttonCreateTree_Click(object sender, EventArgs e)
    {
        if (xd != null)
        {
            TreeNode rootNode = new TreeNode(xd.Root.FirstNode.ToString());
            AddNode(xd.Root, rootNode);
            treeView1.Nodes.Add(rootNode);

        }
        if (xd == null)
        {
            MessageBox.Show("No saved XML file!");

        }
    }

I've read about tags, but since I'm not very fond of Windows Forms, I don't know how to implement them correctly. What is the correct syntax for the solution? Update: The details of a tree node are its child components with custom attributes i made like creationDate, LastAccessDate and LastModifiedDate so it needs to show the child elements of a tree node in the same window but apart from the hierarchy tree? that doesn't even make sense O.o

Upvotes: 1

Views: 262

Answers (1)

TaW
TaW

Reputation: 54433

Not sure if that is what you want, or for that matter if you are but you can play with this:

Add a Panel panel1 to the form and hook up this event:

private void treeView1_AfterSelect(object sender, TreeViewEventArgs e)
{
    if (panel1.Controls.Count == 0)
    {
        panel1.Controls.Add(new TreeView());
        panel1.Controls[0].Dock = DockStyle.Fill;
    }
    TreeView tv = panel1.Controls[0] as TreeView;
    if (tv != null)
    {
        tv.Nodes.Clear();

        // option 1 deep copy:
        TreeNode tc = (TreeNode)e.Node.Clone();
        tv.Nodes.Add(tc);

        // option 2 shallow copy, 1 level
        TreeNode tn =  tv.Nodes.Add(e.Node.Text);
        foreach (TreeNode cn in e.Node.Nodes)
            tn.Nodes.Add(cn.Text);
    }
    tv.ExpandAll();
}

Do pick one of the two options and try..

enter image description here

Upvotes: 1

Related Questions