Click here to Skip to main content
15,884,425 members
Articles / Desktop Programming / WPF
Article

WPF Diagram Designer - Part 3

Rate me:
Please Sign up or sign in to vote.
4.96/5 (245 votes)
29 Feb 2008CPOL4 min read 664.1K   22.8K   571   153
Connecting items
WPF FlowChart Designer
  • Part 1 - Features: Drag, resize and rotate items on a canvas
  • Part 2 - Features: Toolbox, drag & drop, rubberband selection

Introduction

There exist different techniques to connect items in a typical diagram designer. One approach is to provide connection elements in a toolbox which the user can drop on the designer canvas and then drag the endpoints to the source and sink items. Another approach is that the items themselves provide connection points from which the user can drag a connection to other items. This second strategy is the one I will explain in this article.

Use Case: How to Connect Items

I'm sure you know how to connect items in a designer application, but still I will illustrate this in some detail to make it easier to identify which class is involved in which activity.

If you move your mouse over a designer item four visual elements of type Connector will appear at each side of the item. This default layout is defined in the ConnectorDecoratorTemplate and is part of the default DesignerItem template. Now move your mouse over one of the connectors and the cursor changes to a cross. WPF Diagram Designer: Connecting items
If you now click the left mouse button and start dragging, the connector will create an adorner of type ConnectorAdorner. This adorner is responsible for drawing the path between the source connector and the current mouse position. While dragging, the adorner continuously does hit-testing against the DesignerCanvas to check if the mouse is over a potential sink connector. WPF Diagram Designer: Connecting items
If you release the mouse button over a Connector element the ConnectorAdorner creates a new Connection instance and adds it to the designer canvas' children. If the mouse button is released elsewhere no Connection instance is created. WPF Diagram Designer: Connecting items
Like the DesignerItem the Connection implements the ISelectable interface. If a Connection instance is selected you will see two rectangles at each end of the connection path. They belong to an adorner of type ConnectionAdorner which automatically shows up when a Connection instance gets selected.
Note: A ConnectorAdorner belongs to a Connector and a ConnectionAdorner belongs to a Connection.
WPF Diagram Designer: Connecting items
Each of the two rectangles represents a Thumb control and they are part of a ConnectionAdorner instance which allows you to modify existing connections. WPF Diagram Designer: Connecting items
E.g. If you drag the sink thumb of the connection to another connector and release it there, you can re-connect the existing connection.
Note: The ConnectorAdorner and the ConnectionAdorner are similar in what they do, but they differ in how they make use of an Adorner class.
WPF Diagram Designer: Connecting items

How is a Connection Glued to an Item?

The default layout of the connectors is defined in the ConnectorDecoratorTemplate, which is part of the DesignerItem's template:

XML
<ControlTemplate x:Key="ConnectorDecoratorTemplate" TargetType="{x:Type Control}">
  <Grid Margin="-5">
    <s:Connector Orientation="Left" VerticalAlignment="Center"
           HorizontalAlignment="Left"/>
    <s:Connector Orientation="Top" VerticalAlignment="Top"
           HorizontalAlignment="Center"/>
    <s:Connector Orientation="Right" VerticalAlignment="Center"
           HorizontalAlignment="Right"/>
    <s:Connector Orientation="Bottom" VerticalAlignment="Bottom"
           HorizontalAlignment="Center"/>
  </Grid>
</ControlTemplate>

A Connector class has a Position property which specifies the relative position of the connector's centre point to the designer canvas. Because the Connector class implements the INotifyPropertyChanged interface it can notify clients that a property value has changed. Now when a designer item changes its position or its size the connector's LayoutUpdated event is automatically fired as part of the WPF layout procedure. And this is when the Position property gets updated and itself fires an event to notify clients.

C#
public class Connector : Control, INotifyPropertyChanged
{
    private Point position;
    public Point Position
    {
        get { return position; }
        set
        {
            if (position != value)
            {
                position = value;
                OnPropertyChanged("Position");
            }
        }
    }

      public Connector()
      {
          // fired when layout changes
          base.LayoutUpdated += new EventHandler(Connector_LayoutUpdated);
      }

      void Connector_LayoutUpdated(object sender, EventArgs e)
      {
          DesignerCanvas designer = GetDesignerCanvas(this);
          if (designer != null)
          {
              //get center position of this Connector relative to the DesignerCanvas
              this.Position = this.TransformToAncestor(designer).Transform
                   (new Point(this.Width / 2, this.Height / 2));
          }
      }

   ...

}

Now we switch over to the Connection class. The Connection class has a Source and a Sink property, both of type Connector. When the source or sink connector is set we immediately register an event handler that listens to the PropertyChanged event of the connector.

C#
public class Connection : Control, ISelectable, INotifyPropertyChanged
{
     private Connector source;
     public Connector Source
     {
         get
         {
             return source;
         }
         set
         {
             if (source != value)
             {
                 if (source != null)
                 {
                     source.PropertyChanged -=
                         new PropertyChangedEventHandler(OnConnectorPositionChanged);
                     source.Connections.Remove(this);
                 }

                 source = value;

                 if (source != null)
                 {
                     source.Connections.Add(this);
                     source.PropertyChanged +=
                         new PropertyChangedEventHandler(OnConnectorPositionChanged);
                 }

                 UpdatePathGeometry();
             }
         }
     }

    void OnConnectorPositionChanged(object sender, PropertyChangedEventArgs e)
    {
        if (e.PropertyName.Equals("Position"))
        {
            UpdatePathGeometry();
        }
    }

   ....

}

This snippet shows only the source connector, but the sink connector works analogous. The event handler finally updates the connection path geometry, that's it.

Customize Connectors Layout

The default layout and the number of connectors may not always fit your needs. Take the following example of a triangle shaped Path with a customized DragThumbTemplate (see the previous article on how to customize the DragThumbTemplate).

XML
<Path IsHitTestVisible="False"
      Fill="Orange"
      Stretch="Fill"
      Data="M 0,10 5,0 10,10 Z">
  <s:DesignerItem.DragThumbTemplate>
     <ControlTemplate>
        <Path Fill="Transparent" Stretch="Fill"
                  Data="M 0,10 5,0 10,10 Z"/>
     </ControlTemplate>
  </s:DesignerItem.DragThumbTemplate>
</Path>

WPF Diagram Designer: Custom connectors

The problem here is that the connectors are only visible when the mouse is over the item. If you try to reach the connector on the left or right side you may have some problems. But the solution comes in the form of an attached property named DesignerItem.ConnectorDecoratorTemplate that lets you define custom templates for the connector decorator. The usage is best explained with an example:

XML
<Path IsHitTestVisible="False"
      Fill="Orange"
      Stretch="Fill"
      Data="M 0,10 5,0 10,10 Z">
  <!-- Custom DragThumb Template -->
  <s:DesignerItem.DragThumbTemplate>
     <ControlTemplate>
        <Path Fill="Transparent" Stretch="Fill"
              Data="M 0,10 5,0 10,10 Z"/>
     </ControlTemplate>
  <s:DesignerItem.DragThumbTemplate>
  <!-- Custom ConnectorDecorator Template -->
  <s:DesignerItem.ConnectorDecoratorTemplate>
      <ControlTemplate>
         <Grid Margin="0">
            <s:Connector Orientation="Top" HorizontalAlignment="Center"
                   VerticalAlignment="Top" />
            <s:Connector Orientation="Bottom"  HorizontalAlignment="Center"
                   VerticalAlignment="Bottom" />
            <UniformGrid Columns="2">
               <s:Connector Grid.Column="0" Orientation="Left" />
               <s:Connector Grid.Column="1" Orientation="Right"/>
            </UniformGrid>
         </Grid>
      </ControlTemplate>
   </s:DesignerItem.ConnectorDecoratorTemplate>
</Path>

WPF Diagram Designer: Custom connectors

This solution provides a better result but it still needs some tricky layout, which may not always be feasible. For this I provide a RelativePositionPanel that allows you to position items relative to the bounds of the panel. The following example positions three buttons on a RelativePositionPanel by setting the RelativePosition property, which is an attached property.

XML
<c:RelativePositionPanel>
   <Button Content="TopLeft" c:RelativePositionPanel.RelativePosition="0,0"/>
   <Button Content="Center" c:RelativePositionPanel.RelativePosition="0.5,0.5"/>
   <Button Content="BottomRight" c:RelativePositionPanel.RelativePosition="1,1"/>
</ControlTemplate>

This panel can be quite handy when it comes to arrange connectors:

XML
<Path IsHitTestVisible="False"
      Fill="Orange"
      Stretch="Fill"
      Data="M 9,2 11,7 17,7 12,10 14,15 9,12 4,15 6,10 1,7 7,7 Z">
  <!-- Custom DragThumb Template -->
  <s:DesignerItem.DragThumbTemplate>
     <ControlTemplate>
        <Path Fill="Transparent" Stretch="Fill"
              Data="M 9,2 11,7 17,7 12,10 14,15 9,12 4,15 6,10 1,7 7,7 Z"/>
     </ControlTemplate>
  </s:DesignerItem.DragThumbTemplate>
  <!-- Custom ConnectorDecorator Template -->
  <s:DesignerItem.ConnectorDecoratorTemplate>
      <ControlTemplate>
         <c:RelativePositionPanel Margin="-4">
            <s:Connector Orientation="Top"
               c:RelativePositionPanel.RelativePosition="0.5,0"/>
            <s:Connector Orientation="Left"
               c:RelativePositionPanel.RelativePosition="0,0.385"/>
            <s:Connector Orientation="Right"
               c:RelativePositionPanel.RelativePosition="1,0.385"/>
            <s:Connector Orientation="Bottom"
               c:RelativePositionPanel.RelativePosition="0.185,1"/>
            <s:Connector Orientation="Bottom"
               c:RelativePositionPanel.RelativePosition="0.815,1"/>
         </c:RelativePositionPanel>
      </ControlTemplate>
   </s:DesignerItem.ConnectorDecoratorTemplate>
</Path>

WPF Diagram Designer: Custom connectors

Outlook

In the next article I will concentrate on commands:

  • Cut, copy, paste
  • Grouping of items
  • Align items
  • Z-ordering (bring to front, send to back,...)

History

  • 24 February, 2008 -- Original version submitted

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


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

Comments and Discussions

 
GeneralMake it a free source project Pin
simon.cropp1-Jan-09 17:16
simon.cropp1-Jan-09 17:16 
QuestionTwo connections overlapping...how to separe ? Pin
pbisiac27-Dec-08 6:20
pbisiac27-Dec-08 6:20 
AnswerRe: Two connections overlapping...how to separe ? Pin
Mitch Belew27-Mar-12 7:05
Mitch Belew27-Mar-12 7:05 
GeneralMaking strait line connections Pin
Kevin101022-Oct-08 5:15
Kevin101022-Oct-08 5:15 
GeneralRe: Making strait line connections Pin
sukram24-Oct-08 5:25
sukram24-Oct-08 5:25 
GeneralRe: Making strait line connections Pin
Kevin101031-Oct-08 18:42
Kevin101031-Oct-08 18:42 
GeneralCode optimization PinPopular
User 391184031-Jul-08 21:36
User 391184031-Jul-08 21:36 
Hello Markus,

I really do appreciate the work you have done here!
I have been reading through your code for the past 3 days and trying to fully understand it.
I came across 2 things that immediately bugged me

1.
The way you work with selectable items. Many times in the code you do repeat the same lines over and over again. So I did change that the following way:
a) change the SelectedItems property:
// keep track of selected items
public IEnumerable< ISelectable> SelectedItems
{
    get
    {
        foreach (UIElement UIElement in this.Children)
        {
            ISelectable Item = UIElement as ISelectable;
            if (Item != null && Item.IsSelected)
            {
                yield return Item;
            }
        }
    }
}

This allows you to get the list of selected items when needed and you do not have to keep track of it manually

b) Create a DeselectAll method
public void DeselectAll()
{
    foreach (ISelectable Item in this.SelectedItems)
    {
        Item.IsSelected = false;
    }
}


c) Clean up the code (where needed) e.g.
// if you click directly on the canvas all
// selected items are 'de-selected'
this.DeselectAll();
//foreach (ISelectable item in SelectedItems)
//item.IsSelected = false;
//selectedItems.Clear();

if (designer != null)
    if ((Keyboard.Modifiers & (ModifierKeys.Shift | ModifierKeys.Control)) != ModifierKeys.None)
        //if (this.IsSelected)
        //{
        //    this.IsSelected = false;
        //    designer.SelectedItems.Remove(this);
        //}
        //else
        //{
        //    this.IsSelected = true;
        //    designer.SelectedItems.Add(this);
        //}
        this.IsSelected ^= true;
    else if (!this.IsSelected)
    {
        designer.DeselectAll();
        //foreach (ISelectable item in designer.SelectedItems)
            //item.IsSelected = false;

        //designer.SelectedItems.Clear();
        this.IsSelected = true;
        //designer.SelectedItems.Add(this);
    }


Change #2 would be a bit of performance optimization
if (rubberBand.Contains(itemBounds) && item is ISelectable)
{
    //ISelectable selectableItem = item as ISelectable;
    ((ISelectable)item).IsSelected = true;
    //designerCanvas.SelectedItems.Add(selectableItem);
}

In your if-loop you make sure that item is ISelectable therefor the use of the as keyword inside the loop would cost more performance then necessary (additional internal try catch things). A direct cast is faster. I know that this is just a very small optimization, but it may sum up.

Keep up that good work !!! Big Grin | :-D

Mertsch

modified 30-May-21 21:01pm.

GeneralConnectorDecoratorTemplate at Runtime Pin
yasser_hamed29-Jul-08 6:40
yasser_hamed29-Jul-08 6:40 
GeneralRe: ConnectorDecoratorTemplate at Runtime Pin
yasser_hamed30-Jul-08 19:34
yasser_hamed30-Jul-08 19:34 
GeneralRe: ConnectorDecoratorTemplate at Runtime Pin
Mouaici Mohamed11-Aug-14 0:45
Mouaici Mohamed11-Aug-14 0:45 
GeneralConnectorDecoratorTemplate - Add a centered handle Pin
ggealy23-Jun-08 12:09
ggealy23-Jun-08 12:09 
GeneralRe: ConnectorDecoratorTemplate - Add a centered handle Pin
sukram27-Aug-08 0:11
sukram27-Aug-08 0:11 
General[Message Deleted] Pin
patric1235-Jun-08 1:01
patric1235-Jun-08 1:01 
GeneralRe: orthogonal connection Pin
sukram27-Aug-08 0:05
sukram27-Aug-08 0:05 
GeneralThanks a lot! Pin
bxf20022-Jun-08 1:54
bxf20022-Jun-08 1:54 
GeneralRe: Thanks a lot! Pin
pawlatko3-Jun-08 2:36
pawlatko3-Jun-08 2:36 
Generalconnecting items in silverlight Pin
patric12315-May-08 2:39
patric12315-May-08 2:39 
GeneralRe: connecting items in silverlight Pin
sukram26-May-08 6:19
sukram26-May-08 6:19 
QuestionConnection between DesignerItem Pin
Simoussi8-May-08 8:54
Simoussi8-May-08 8:54 
AnswerRe: Connection between DesignerItem Pin
sukram14-May-08 23:39
sukram14-May-08 23:39 
Generalbase.Template == null in DesignerItem load event Pin
moondaddy30-Apr-08 18:44
moondaddy30-Apr-08 18:44 
AnswerRe: base.Template == null in DesignerItem load event Pin
moondaddy30-Apr-08 20:11
moondaddy30-Apr-08 20:11 
GeneralNeed help with dragging a custom userControl Pin
moondaddy28-Apr-08 20:20
moondaddy28-Apr-08 20:20 
GeneralRe: Need help with dragging a custom userControl Pin
moondaddy30-Apr-08 18:45
moondaddy30-Apr-08 18:45 
GeneralRe: Need help with dragging a custom userControl Pin
dherv3-Dec-08 4:14
dherv3-Dec-08 4:14 

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.