One of the things that affects the overall friendliness of your custom WPF controls - but you may not consider implementing it - is the design-time integration. With Cider continuing to exist in VS 2010, there’s a lot of design-time functionality at your disposal. Since the model is different in Cider than creating designers for WinForm controls, I’m trying to shed some light on the subject. To demonstrate this, I’ll show some simple steps on adding design-time capabilities to my FarsiLibrary controls which are a pack of date related controls (DatePickers, MonthView, etc.) freely available here. This is not meant to be a complete guide but will let you build a basic designer if you need to.

In order for your designer to get loaded by the design-time host, it is essential that you name like YourProjectName.VisualStudio.Design. Guess this is to force developers move out their design-time logic out of main control’s dll (as was encouraged in WinForms).

Preparing MetaData

First thing you should do, is to plug into meta-data registration mechanism. We do this by creating any class and implementing IRegisterMetadata interface. Then we need to create our various attributes on a Attribute Table. Here’s how you might do it:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
public class VisualStudioMetadata : IRegisterMetadata
{
public void Register()
{
AttributeTableBuilder builder = new FarsiLibraryVisualStudioAttributeTableBuilder();
MetadataStore.AddAttributeTable(builder.CreateTable());
}
}

internal class FarsiLibraryVisualStudioAttributeTableBuilder : AttributeTableBuilder
{
internal FarsiLibraryVisualStudioAttributeTableBuilder()
{
}
}

In order to get this metadata loaded, you need to have the assembly containing this interface beside your Controls assembly and it will eventually gets loaded when needed. Also when updating the design-time assembly, VS.NET unloads the old one and uses the updated assembly. This will bring you a lot of performance gain and ease when creating designers for your controls because you no longer need to exit the current instance of VS.NET and run a new one to get the changes loaded.

In fact, unlike WinForm model where design attributes were added to the actual control’s source code, in VS.NET 2008 (and later?) the new model allows you to switch designer assemblies at a later stage or even create a designer for a control you don’t have access to the source code.

Toolbox Integration

WPF controls are usually consisted of various primitive type controls, like shapes, buttons, labels, content controls, etc. These parts are composed to build the actual Control. When the final control’s assembly is loaded in design-time environment, (e.g. VS.NET), control parts will be added to the toolbox but this may not be appropriate since you don’t want your control’s building blocks to appear on the toolbox. However, contols will disappear if a proper toolbox attribute is to them.

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
internal class FarsiLibraryVisualStudioAttributeTableBuilder : AttributeTableBuilder
{
internal FarsiLibraryVisualStudioAttributeTableBuilder()
{
AddToolboxBrowsableAttributes();
}

private void AddToolboxBrowsableAttributes()
{
var builder = new AttributeTableBuilder();

builder.AddCustomAttributes(typeof(FXMonthViewButton), ToolboxBrowsableAttribute.No);
builder.AddCustomAttributes(typeof(FXMonthViewContainer), ToolboxBrowsableAttribute.No);
builder.AddCustomAttributes(typeof(FXMonthViewHeader), ToolboxBrowsableAttribute.No);
builder.AddCustomAttributes(typeof(FXMonthViewItem), ToolboxBrowsableAttribute.No);
builder.AddCustomAttributes(typeof(FXMonthViewWeekDayHeaderCell), ToolboxBrowsableAttribute.No);

MetadataStore.AddAttributeTable(builder.CreateTable());
}
}

FarsiLibrary Designer Icons

This will result your controls not being visible when the toolbox is loaded. In case you to show your custom icons appear in the toolbox you should create a BMP icon and place it on your main control’s assembly (not design-time assembly), and give it a proper name. The name should be YourControl.Icon.bmp and you should set the bitmap’s action to “Embedded Resource”.

Property Grid Integration

You can specify where and how the control’s property will be shown in PropertyGrid of VS.NET when the control is opened in the design-mode.

To hide properties similar to BrowsableAttribute in WinForms you can use the following snippet:

1
builder.AddCustomAttributes(FXMonthView.ButtonStyleProperty, BrowsableAttribute.No);

and to specify the category of the Control’s property similar to CategoryAttribute in WinForms:

1
2
var behaviorCategory = new CategoryAttribute("Behavior");
builder.AddCustomAttributes(FXMonthView.ViewDateTimeProperty, behaviorCategory);

Some attributes still work in WPF world. For example you can use the EditorBrowsableAtribute on your properties to make them show in Advanced section of the new WPF Property Grid. The usage is the same as before:

1
2
3
4
5
6
[EditorBrowsable(EditorBrowsableState.Advanced)]
public DateTime MaxDate
{
get { return (DateTime)GetValue(MaxDateProperty); }
set { SetValue(MaxDateProperty, value); }
}

Visual Studio WPF Designer supports the full extensibility framework, but Expression Blend only supports property editors, metadata loading, and licensing. and it does not support menu actions and adorners.

PropertyGrid-AdvancedProperties

Another way to change your control’s design-time behavior is to add actions to VS.NET Context-menu which will appear when the control is right-clicked upon. Unlike WinForm’s Designer Verbs which also appeared on the bottom of the Property Grid, these menu actions will only appear when the control is selected on the design surface.

FarsiLibrary-DesignerActions

You can add your menu actions by extending PrimarySelectionContextMenuProvider class and load it with your IRegisterMetadata instance:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
private void AddMonthViewMenuItems()
{
AddCallback(typeof (FXMonthView), builder => builder.AddCustomAttributes(new FeatureAttribute(typeof (MonthViewDesignMenuProvider))));
}

public class MonthViewDesignMenuProvider : PrimarySelectionContextMenuProvider
{
private readonly MenuAction aboutMenuAction;

public MonthViewDesignMenuProvider()
{
var grp = new MenuGroup("FarsiLibrary", "Farsi Library");
aboutMenuAction = new MenuAction("About...");
aboutMenuAction.Execute += OnAboutActionExecuted;

grp.Items.Add(aboutMenuAction);
Items.Add(grp);
}

private void OnAboutActionExecuted(object sender, MenuActionEventArgs e)
{
var dialog = new AboutUI();
dialog.WindowStartupLocation = WindowStartupLocation.CenterScreen;
dialog.Topmost = true;
dialog.ShowDialog();
}
}

Design-Time Adorners

To have more control on how users interact with your custom control and to provide them an elaborated experience, you can benefit control adorners to create a more robust design-time functionality. You can create WPF UserControls that manipulate your control in a developer friendly way. You can create a Design-Time Control Adorner by extending PrimarySelectionAdornerProvider class which resides in Microsoft.Windows.Design.Extensibility assembly. Just a couple of methods to override and you’re all set here. Here’s the method’s skeleton to show you what is the general idea:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
public class MonthViewDesignAdorner : PrimarySelectionAdornerProvider
{
private MonthViewDesignerUI designerUI;
private AdornerPanel adornersPanel;
private ModelItem calendarModelItem;

public MonthViewDesignAdorner()
{
designerUI = new MonthViewDesignerUI();
}

protected override void Activate(ModelItem item, DependencyObject view)
{
calendarModelItem = item;

CreateAdornerPanel();
PlaceAdornerPanel();
SubscribeDesignerEvents();

base.Activate(item, view);
}

protected override void Deactivate()
{
UnsubscribeDesignerEvents();

base.Deactivate();
}

private void OnDesignerUIPropertyChanged(object sender, PropertyChangedEventArgs e)
{
//Set the actual control's property with the updated value
}

private void PlaceAdornerPanel()
{
//Create an AdornerPanel and set it's placement
//to display whereever you like when your contol gets selected
//on design surface.
}

private void OnDesignerUILoaded(object sender, RoutedEventArgs e)
{
//When the control designer is loaded we need to synchronoze the designer's
//properties with actual property values of the control and set the
//element that displays this value on the designer accordingly.
}

private void SubscribeDesignerEvents()
{
designerUI.Loaded += OnDesignerUILoaded;
designerUI.PropertyChanged += OnDesignerUIPropertyChanged;
}

private void UnsubscribeDesignerEvents()
{
designerUI.Loaded -= OnDesignerUILoaded;
designerUI.PropertyChanged -= OnDesignerUIPropertyChanged;
}

private void CreateAdornerPanel()
{
//Create a new AdornerPanel and set our
//DesignerUI as its child.
}
}

To synchronize the values between our Designer and Control, the designer should implement INotifyPropertyChanged interface to report back when a property value is change in design-time and we set property on the control accordingly. Control’s properties are accessible via our ModelItem instance which is set in OnActivate method. For example to access a dependency property on our control and set it’s value we need to do the following:

1
2
ModelProperty prop = calendarModelItem.Properties["SelectedDateTime"];
prop.SetValue(DateTime.Now);

As for our designer goes, you can create a WPF user interface, a WinForm dialog or even both (through WPF and WinForm Integration mechanism). Here, I’ve created a UserControl to act as my designer and added some simple controls to edit the properties of my actual controls. To handle editing of SelectedDateTime property (which is of nullable DateTime type), I have used another instance of my FXDatePicker on the design surface (the design-time control’s are skinned). Here’s the designer’s XAML:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
<UserControl x:Class="FarsiLibrary.WPF.VisualStudio.Design.MonthViewDesignerUI"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:Controls="clr-namespace:FarsiLibrary.WPF.Controls;assembly=FarsiLibrary.WPF">

<Expander IsExpanded="False" Margin="10" Padding="10" Header="Options...">
<StackPanel x:Name="ContentPanel" SnapsToDevicePixels="True">
<CheckBox Content="Show Today Button" IsChecked="{Binding Path=ShowTodayButton}" />
<CheckBox Content="Show Empty Button" IsChecked="{Binding Path=ShowEmptyButton}" />
<CheckBox Content="Show WeekDay Names" IsChecked="{Binding Path=ShowWeekDayNames}" />

<Rectangle Fill="{DynamicResource Text1Brush}" Height="1" SnapsToDevicePixels="True" Margin="-5,5,-5,5" />

<StackPanel Orientation="Horizontal">
<TextBlock Text="Selected Date : " Width="150" />
<Controls:FXDatePicker SelectedDateTime="{Binding Path=SelectedDateTime}" Width="120" />
</StackPanel>

<Rectangle Fill="{DynamicResource Text1Brush}" Height="1" SnapsToDevicePixels="True" Margin="-5,5,-5,5" />

<StackPanel Orientation="Horizontal">
<TextBlock Text="Maximum Selectable Date : " Width="150" />
<Controls:FXDatePicker SelectedDateTime="{Binding Path=MaxDate}" Width="120" />
</StackPanel>
<StackPanel Orientation="Horizontal">
<TextBlock Text="Minimum Selectable Date : " Width="150" />
<Controls:FXDatePicker SelectedDateTime="{Binding Path=MinDate}" Width="120" />
</StackPanel>
</StackPanel>
</Expander>
</UserControl>

Basically, when a property is changed on our designer, we’ll raise the INotifyPropertyChanged event with the newly changed value and matching property name on the control that should be changed. You could directly bind your designer’s control to the actual control’s properties and it would work but this gives you more control. The code-behind looks very simple:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
/// <summary>
/// Designer control to visually set FXMonthView's
/// properties on design-time.
/// </summary>
public partial class MonthViewDesignerUI : INotifyPropertyChanged
{
public event PropertyChangedEventHandler PropertyChanged;

private bool _ShowEmptyButton;
private DateTime? _SelectedDateTime;

public MonthViewDesignerUI()
{
InitializeComponent();

this.Loaded += OnLoaded;
}

private void OnLoaded(object sender, RoutedEventArgs e)
{
this.DataContext = this;
}

public bool ShowEmptyButton
{
get { return _ShowEmptyButton; }
set
{
_ShowEmptyButton = value;
RaisePropertyChanged("ShowEmptyButton", value);
}
}

public DateTime? SelectedDateTime
{
get { return _SelectedDateTime; }
set
{
_SelectedDateTime = value;
RaisePropertyChanged("SelectedDateTime", value);
}
}

protected void RaisePropertyChanged(string propertyName, object value)
{
if(PropertyChanged != null)
{
PropertyChanged(this, new DesignerPropertyChangedEventArgs(propertyName, value));
}
}
}

Now, PropertyChangedEventArgs sent by INotifyPropertyChanged does not send the actual value (though you can read it through the sender). To easily read the changed value I’m using an extension to PropertyChangedEventArgs named DesignerPropertyChangedEventArgs (works just like PropertyChangedEventArgs but also has the value inside). With this, our synchronization code looks like this:

1
2
3
4
5
6
7
8
9
10
private void OnDesignerUIPropertyChanged(object sender, PropertyChangedEventArgs e)
{
ModelProperty prop = calendarModelItem.Properties[e.PropertyName];
var args = e as DesignerPropertyChangedEventArgs;

if(prop != null && args != null)
{
prop.SetValue(args.Value);
}
}

FarsiLibrary-DesignAdorner

Conclusion

Designer integration with seems way better than WinForm world and with WPF powers you can create very sophisticated designers. The only drawback is that Cider and Expression Blend designers are different, both in how they work and what functionality they provide so you might need to create separate design assemblies one for each environment which is an unnecessary burden to me. This is just a scratch in the surface of what you can achieve by creating custom designers for WPF Controls.