Click here to Skip to main content
15,885,767 members
Articles / Desktop Programming / WPF

WPF TreeListView Control

Rate me:
Please Sign up or sign in to vote.
4.90/5 (71 votes)
23 Aug 2012Apache3 min read 443.5K   24.4K   203   91
This article describes the usage of custom WPF TreeListView control comparing with basic TreeView
Image 1

Introduction

This articles explores the problems of standard WPF TreeView controls and describes a better way to display hierarchical data using a custom TreeListView control.

Background of TreeView

Windows Forms TreeView has quite a limited functionality and provides no easy way to extend it. WPF TreeView seems like a major step forward, at first glance. But in real application the lack of features like multiselection or multicolumn view become apparent. Moreover, things that were quite easy to do in Windows Forms are now much more complex in WPF because there's no simple way to get the container item for your business object displayed in the TreeView. For example, if you need to expand the currently selected node you have to use ItemContainerGenerator as described here or use a special model just to support selection/expanding (see here).

Another weakness of the WPF TreeView is poor performance. It takes more the 10 seconds to expand a node containing 5000 subnodes! Even navigation becomes very slow — more than a second to just move a focus.

TreeListView

But there is an alternative way to display hierarchical data — use the ListView. The basic idea is the following:

  • For each tree node we create a row in the ListView.

  • The ListViewItem template contains a special control named RowExpander which allows you to expand/collapse a node and any number of additional controls to represent the data. Those controls are shifted to the right depending on the Node level.

  • When the TreeNode is expanded/collapsed we need to add/remove rows to/from the ListView

Using this approach we get all the benefits from ListView: multiselection, a possibility to display several columns, performance improvements comparing to TreeView, less memory usage because of virtualization support (it means that visual elements will be created only for the items currently displayed on the screen).

Model-View

WPF TreeView is supposed to be used with HierarchicalDataTemplate where you specify a property containing child items. It's quite simple, but requires you to provide such a property in your business objects, which means that you can't display the hierarchy of simple types, like String, in the TreeView. Additionally, I prefer to use another approach — use a special interface which describes hierarchical data:

C#
public interface ITreeModel
{
    /// 
    /// Get list of children of the specified parent
    /// 
    IEnumerable GetChildren(object parent);

    /// 
    /// returns weather specified parent has any children or not.
    /// 
    bool HasChildren(object parent);
}

The HasChildren method is used to display/hide the expander control without calling GetChildren, which can be time expensive. Note that items are loaded on demand in TreeListView, which means the GetChildren method will be called only when the corresponding parent node expands.

Realization Details

We create subclasses of ListView and ListviewItem:

C#
public class TreeList: ListView
{
    /// 
    /// Internal collection of rows representing visible nodes, actually displayed
    /// in the ListView
    /// 
    internal ObservableCollectionAdv Rows
    {
        get;
        private set;
    } 

    protected override DependencyObject GetContainerForItemOverride()
    {
        return new TreeListItem();
    }

    protected override bool IsItemItsOwnContainerOverride(object item)
    {
        return item is TreeListItem;
    }
}

When the Aaren node is collapsed/expanded we need to insert/remove all child nodes and notify ListView about that. As the system class ObservableCollection doesn't provide methods for that we need to create our own collection class:

C#
public class ObservableCollectionAdv : ObservableCollection
{
    public void RemoveRange(int index, int count)
    {
        this.CheckReentrancy();
        var items = this.Items as List;
        items.RemoveRange(index, count);
        OnReset();
    }

    public void InsertRange(int index, IEnumerable collection)
    {
        this.CheckReentrancy();
        var items = this.Items as List;
        items.InsertRange(index, collection);
        OnReset();
    }
}

For every item created by the model we create a TreeNode class which will store node status (IsSelected, IsExpanded) and track changes in the model if it provides such information:

C#
void ChildrenChanged(object sender, NotifyCollectionChangedEventArgs e)
{
    switch (e.Action)
    {
    case NotifyCollectionChangedAction.Add:
        if (e.NewItems != null)
        {
            int index = e.NewStartingIndex;
            int rowIndex = Tree.Rows.IndexOf(this);
            foreach (object obj in e.NewItems)
            {
                Tree.InsertNewNode(this, obj, rowIndex, index);
                index++;
            }
        }
        break;

    case NotifyCollectionChangedAction.Remove:
        if (Children.Count > e.OldStartingIndex)
            RemoveChildAt(e.OldStartingIndex);
        break;

    case NotifyCollectionChangedAction.Move:
    case NotifyCollectionChangedAction.Replace:
    case NotifyCollectionChangedAction.Reset:
        while (Children.Count > 0)
            RemoveChildAt(0);
        Tree.CreateChildrenNodes(this);
        break;
    }
    HasChildren = Children.Count > 0;
    OnPropertyChanged("IsExpandable");
}

Using the Code

The source code of the article contains two examples using TreeListView. One uses a classic TreeView style and the other displays how to interact with the TreeListView. The other shows how several columns can be used to display system registry.

Points of Interest

In the current implementation of the TreeListView you have to keep the XAML markup of the TreeListItem in the client library. Which means that you have to copy it to each project using the control. Normally this information should be stored in the same library as the control itself, but it just didn't work this way. If somebody finds the way how to achieve this, don't hesitate to share it.

License

This article, along with any associated source code and files, is licensed under The Apache License, Version 2.0


Written By
Software Developer
Russian Federation Russian Federation
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
Questionhow to add a Edit-cell feature? Pin
Frank Thielemann10-Nov-08 4:41
Frank Thielemann10-Nov-08 4:41 
AnswerRe: how to add a Edit-cell feature? Pin
Andrey Gliznetsov11-Nov-08 4:43
Andrey Gliznetsov11-Nov-08 4:43 
GeneralNice, but... Pin
Michal Brylka5-Nov-08 23:33
Michal Brylka5-Nov-08 23:33 
GeneralRe: Nice, but... Pin
FD_FTS23-Jul-09 23:38
FD_FTS23-Jul-09 23:38 
GeneralWell done Pin
Dmitri Nеstеruk5-Nov-08 21:23
Dmitri Nеstеruk5-Nov-08 21:23 
Generalworks great [modified] Pin
Leblanc Meneses5-Nov-08 14:34
Leblanc Meneses5-Nov-08 14:34 
Generalwhen used inside an itemscontrol datatemplate Pin
Leblanc Meneses6-Nov-08 11:13
Leblanc Meneses6-Nov-08 11:13 
Generalwhen used inside an itemscontrol datatemplate [modified] Pin
Leblanc Meneses7-Nov-08 5:16
Leblanc Meneses7-Nov-08 5:16 
TreeList I added the following:
<pre>
public static readonly DependencyProperty TreeModelProperty = DependencyProperty.Register(
"TreeModel",
typeof(ITreeModel),
typeof(TreeList),
new FrameworkPropertyMetadata(null, new PropertyChangedCallback(OnTreeModelChanged)));
public ITreeModel TreeModel
{
get { return (ITreeModel)GetValue(TreeModelProperty); }
set { SetValue(TreeModelProperty, value); }
}
public static readonly RoutedEvent TreeModelChangedEvent = EventManager.RegisterRoutedEvent(
"TreeModelChanged", RoutingStrategy.Bubble,
typeof(RoutedEventHandler),
typeof(TreeList));
public event RoutedEventHandler TreeModelChanged
{
add { base.AddHandler(TreeModelChangedEvent, value); }
remove { base.RemoveHandler(TreeModelChangedEvent, value); }
}
private static void OnTreeModelChanged(DependencyObject o, DependencyPropertyChangedEventArgs e)
{
TreeList tree = o as TreeList;

if (tree != null)
{
tree._root.Children.Clear();
tree.Rows.Clear();
tree.CreateChildrenNodes(tree._root);

tree.RaiseEvent(new RoutedEventArgs(TreeModelChangedEvent, tree));
}
}
</pre>

this allows me to place this control in a datatemplate binding different instances of models.


I then did a this.DataContext find replaced with this.TreeModel
I did this because datacontext is inherited/set by the listbox which is not of type ITreeModel.

// wouldn't work
<pre>
<tree:treelist datacontext="{Binding Path=Model}" xmlns:tree="#unknown">
</pre>
// works
<pre>
<tree:treelist treemodel="{Binding Path=Model}">
</pre>


and at the end of the day with these changes they work.

Is your model messed up. shouldn't each node be of the same type.

At one point you yield RegistryKey and at another point you yield RegValue
That caused problems when i provide items to a listbox.

with this model it works.

private void Window_Loaded(object sender, RoutedEventArgs e)
{
this.itemscontainer.DataContext = new ObservableCollection<MainData>() { new MainData(), new MainData(), new MainData(), new MainData(), new MainData() };
}


public class MainData
{
public MainData()
{
this.Model = new MyTreeModel();
}

public String Title
{
get;
set;
}

public String CreatedOn
{
get
{
return DateTime.Now.ToString("G", System.Globalization.CultureInfo.CreateSpecificCulture("en-us"));
}
}

public MyTreeModel Model
{
get;
set;
}
}




public class MyTreeModel : ITreeModel
{
public class RegValue
{
public string Name { get; set; }
public object Data { get; set; }
public string Kind { get; set; }
}

public IEnumerable GetChildren(object parent)
{
var key = parent as RegValue;
if (parent == null)
{
yield return new RegValue()
{
Name = "version 1",
Data = "version 1",
Kind = "version 1"
};
yield return new RegValue()
{
Name = "version 1",
Data = "version 1",
Kind = "version 1"
};
yield return new RegValue()
{
Name = "version 1",
Data = "version 1",
Kind = "version 1"
};
}
else if (key != null)
{
yield return new RegValue()
{
Name = "child 1",
Data = "child 1",
Kind = "child 1"
};
}
}

public bool HasChildren(object parent)
{
return parent is RegValue;
}
}




-lm

<div class="ForumMod">modified on Friday, November 7, 2008 12:07 PM</div>

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.