Click here to Skip to main content
15,867,453 members
Articles / Desktop Programming / WPF

ZoomBoxPanel: add custom commands to a WPF control: Part 2

Rate me:
Please Sign up or sign in to vote.
4.82/5 (7 votes)
26 Oct 2009Ms-PL8 min read 45.6K   1.4K   21   6
This article extends ZoomBoxPanel to support both standard and custom commands to zoom and rotate the contents.

Introduction

This is the second in a series of articles that show you how to build a powerful WPF custom control to use instead of the standard WPF Viewbox class.

The previous article, ZoomBoxPanel implementing a choice of page view zoom modes in WPF: Part 1, introduced the core functionality of the ZoomBoxPanel, and its ability to resize its contents into a number of different zoom modes such as Fit Page and Fit Width.

This article extends ZoomBoxPanel to support both standard and custom commands to zoom and rotate its contents.

Commands are a part of the WPF framework, and in basic terms, they are methods of a class. This being WPF, commands take a lot of complex code to define them, but they do bring several benefits. The most important is that commands can be used in XAML, so it is not necessary to write any code to invoke a method. So, it is another case of more code in the control itself to make life easier for the user of the control.

The aim is to produce a self contained and robust custom control that can be used in a variety of situations. This requires duplicating some functionality to provide more than one way of doing things, and doing some things in a more complex manner in order to hide the implementation from the outside world.

Using ZoomBoxPanel Commands

Image 1

The screenshot shows the main window of the attached sample application. The window contains a grid with three rows, containing a menu, toolbar, and a ZoomBoxPanel.

XML
<zb:ZoomBoxPanel ZoomMode="FitPage" 
          x:Name="zoomBox" Grid.Row="2" 
          MinZoom="20" MaxZoom="300">
    <Border BorderThickness="3" BorderBrush="Black">
        <Image Height="525" Name="image1" 
          Stretch="Uniform" Width="700" 
          Source="/ZoomBox2;component/Images/marinbikeride400.jpg" />
    </Border>
</zb:ZoomBoxPanel>

The ZoomBoxPanel contains an Image inside a Border. The definition contains restrictions on the range of zoom values allowed: 20% : 300%.

XML
<ComboBox HorizontalAlignment="Left" Margin="1" 
          Name="comboBoxZoomMode" Width="120"
          ItemsSource="{Binding Source={StaticResource zoomModeListConverter}}"
          SelectedIndex="{Binding ElementName=zoomBox, Path=ZoomMode,
                         Mode=TwoWay, 
                         Converter={StaticResource zoomModeListConverter}}"  />

The zoom ,ode is displayed in a ComboBox, the technique for doing this is described in the articles WPF Enum List Converter and ZoomBoxPanel implementing a choice of page view zoom modes in WPF: Part 1. Commands are invoked from either the buttons on the toolbar or from the menu.

XML
<Button Command="IncreaseZoom" 
    CommandTarget="{Binding ElementName=zoomBox}" 
    HorizontalAlignment="Left" Margin="1" 
    Width="60">Zoom In</Button>
<Button Command="DecreaseZoom" 
    CommandTarget="{Binding ElementName=zoomBox}" 
    HorizontalAlignment="Left" Margin="1" 
    Width="60">Zoom Out</Button>

The "Zoom In" and "Zoom Out" toolbar buttons invoke the commands IncreaseZoom and DecreaseZoom. These are part of the standard commands defined in WPF, and so do not need to be qualified with a namespace. A button can act as a command source as it implements the interface IcommandSource. The Command property is set to the command itself, and the CommandTarget is bound to the object that will be sent the command. As well as sending the command to the ZoomBoxPanel, the binding also works by querying the state of the ZoomBoxPanel to see if it can execute the command, and if not, the button will be automatically disabled. In the example below, the image has been zoomed out to 20%, the minimum permitted by the ZoomBoxPanel's MinZoom property, so the Zoom Out button is disabled.

Image 2

XML
<MenuItem Header="Zoom">
  <MenuItem Command="IncreaseZoom" CommandTarget="{Binding ElementName=zoomBox}"  />
  <MenuItem Command="DecreaseZoom" CommandTarget="{Binding ElementName=zoomBox}" />

The Zoom menu contains items that also make use of the IcommandSource interface in the same way as the buttons. Unlike the buttons, the MenuItem automatically uses the command description as no Header is specified.

To illustrate an alternative, more old fashioned, way of invoking the same functionality, the following menu items are defined:

XML
    <MenuItem Name="menuitemZoomInMethod" Header="Zoom In Method" 
              IsEnabled="{Binding ElementName=zoomBox, Path=CanIncreaseZoom}" 
              Click="menuitemZoomInMethod_Click" />
    <MenuItem Name="menuitemZoomOutMethod" Header="Zoom Out Method" 
              IsEnabled="{Binding ElementName=zoomBox, Path=CanDecreaseZoom}" 
              Click="menuitemZoomOutMethod_Click" />
</MenuItem>

These call methods defined in the Window code-behind class which use the methods of the ZoomBoxPanel class. To ensure the menu options are disabled when the command is not available, the MenuItem's IsEnabled property is bound to the matching "Can" dependency property of the ZoomBoxPanel.

C#
private void menuitemZoomInMethod_Click(object sender, RoutedEventArgs e)
{
  zoomBox.IncreaseZoom();
}
private void menuitemZoomOutMethod_Click(object sender, RoutedEventArgs e)
{
  zoomBox.DecreaseZoom();
}

The IncreaseZoom() and DecreaseZoom() are conventional method calls, separate from the command handling.

Rotation

XML
<Button Command="zb:ZoomBoxPanel.RotateClockwise" 
   CommandTarget="{Binding ElementName=zoomBox}" 
   HorizontalAlignment="Left" Margin="1" 
   Width="60">Clockwise</Button>
<Button Command="zb:ZoomBoxPanel.RotateCounterclockwise" 
   CommandTarget="{Binding ElementName=zoomBox}" 
   HorizontalAlignment="Left" Margin="1" 
   Width="95">Counterclockwise</Button>

There are no standard rotation commands, and so custom commands have been defined by the ZoomBoxPanel. Other than specifying the definition space, these work in the same way as standard commands.

Image 3

XML
<MenuItem Header="Rotate">
    <MenuItem Header="Clockwise" 
         Command="zb:ZoomBoxPanel.RotateClockwise" 
         CommandTarget="{Binding ElementName=zoomBox}" />
    <MenuItem Header="Clockwise 90 degrees" 
         Command="zb:ZoomBoxPanel.RotateClockwise" 
         CommandParameter="90" 
         CommandTarget="{Binding ElementName=zoomBox}" />
    <MenuItem Header="Counterclockwise" 
         Command="zb:ZoomBoxPanel.RotateCounterclockwise" 
         CommandTarget="{Binding ElementName=zoomBox}"  />
    <MenuItem Header="Counterclockwise 90 degrees" 
         Command="zb:ZoomBoxPanel.RotateCounterclockwise" 
         CommandParameter="90" 
         CommandTarget="{Binding ElementName=zoomBox}"  />
    <MenuItem Header="Upright" 
         Command="zb:ZoomBoxPanel.RotateHome" 
         CommandTarget="{Binding ElementName=zoomBox}" />
    <MenuItem Header="Upside down" 
         Command="zb:ZoomBoxPanel.RotateReverse" 
         CommandTarget="{Binding ElementName=zoomBox}" />
</MenuItem>

The rotate menu contains more options than found on the toolbar. By default, the RotateClockwise command rotates the contents by 15 degrees. By specifying an amount in the CommandParameter property, the second MenuItem is able to produce a 90 degree rotation. This shows how CommandParameters can add significant flexibility to the Command mechanism.

The ZoomBoxPanel Code

The control contains over 700 lines of C# code, only some of which is described below. It is all there in the attached source code though.

To keep the article a manageable size, only the implementation of a single command is discussed. The attached source code contains all the commands, and demonstrates issues like command parameters, which are not discussed here.

ZoomBoxPanel implements zooming commands in exactly the same way as the standard WPF control, FlowDocumentPageView.

The IncreaseZoom functionality requires the support of two properties, which are defined as public dependency properties of the ZoomBoxPanel.

C#
private static DependencyProperty ZoomIncrementProperty;
public double ZoomIncrement
{
    set { SetValue(ZoomIncrementProperty, value); }
    get { return (double)GetValue(ZoomIncrementProperty); }
}

static ZoomBoxPanel()
{
    ZoomIncrementProperty = DependencyProperty.Register(
        "ZoomIncrement", typeof(double), typeof(ZoomBoxPanel),
        new FrameworkPropertyMetadata(20.0),
        new ValidateValueCallback(ZoomBoxPanel.ValidateIsPositiveNonZero));

The ZoomIncrement is the percentage by which the zoom is increased when the IncreaseZoom command is executed. The property is given an initial value of 20, and given a validation method that ensures any value assigned is greater than zero.

C#
private static DependencyPropertyKey CanIncreaseZoomPropertyKey;

public bool CanIncreaseZoom
{
    get { return (bool)GetValue(CanIncreaseZoomPropertyKey.DependencyProperty); }
}

static ZoomBoxPanel()
{
   CanIncreaseZoomPropertyKey = DependencyProperty.RegisterReadOnly(
        "CanIncreaseZoom", typeof(bool), typeof(ZoomBoxPanel),
         new FrameworkPropertyMetadata(false, null, null));

CanIncreaseZoom indicates whether the zoom level can be increased. It is a read only dependency property which requires a different class type and a call to RegisterReadOnly(), instead of Register(). Read only properties are rare in WPF as the aim is to enable the user to be able to adjust as much as possible. In this case, the value logically depends upon the values of Zoom and MaxZoom, so we do not want CanIncreaseZoom to be changed outside of the class.

The command, along with the other registrations, is declared in the static or class constructor.

C#
static ZoomBoxPanel()
{
    CommandManager.RegisterClassCommandBinding(
      typeof(ZoomBoxPanel),
      new CommandBinding(NavigationCommands.IncreaseZoom,
        ExecutedEventHandler_IncreaseZoom, CanExecuteEventHandler_IfCanIncreaseZoom));

One command binding is defined for the entire class, which links the command to the class and specifies two callback functions: one to execute the command, and the other to test if the command is enabled. This is more complex than the usual way of declaring instance specific bindings in the instance constructor. However, doing it that way adds binding to the public CommandBindings collection, which can be freely edited outside the class. Using class bindings limits the access and therefore makes the control more robust. This is the way the standard WPF controls are implemented.

C#
private static void CanExecuteEventHandler_IfCanIncreaseZoom(Object sender, 
                    CanExecuteRoutedEventArgs e)
{
    ZoomBoxPanel z = sender as ZoomBoxPanel;
    e.CanExecute = ((z != null) && (z.CanIncreaseZoom));
    e.Handled = true;
}

The CanExecute callback has to be a static method as it is used in the static constructor. The sender is converted into the instance that we believe it to be, and the CanIncreaseZoom property is used to determine the return value.

In order to ensure CanIncreaseZoom is accurate, we need to update it at the right time. The following method is called when the Zoom is changed.

C#
private void process_PropertyChanged_Zoom(DependencyPropertyChangedEventArgs e)
{
    bool canIncrease = (Zoom < MaxZoom);
    bool canDecrease = (Zoom > MinZoom);

    if (canIncrease != CanIncreaseZoom)
        this.SetValue(ZoomBoxPanel.CanIncreaseZoomPropertyKey, canIncrease);
    if (canDecrease != CanDecreaseZoom)
        this.SetValue(ZoomBoxPanel.CanDecreaseZoomPropertyKey, canDecrease);
}

We cannot use the convention property accessor to set the value of CanIncreaseZoom as it is defined as a read only property.. Instead, we call SetValue on the property key. This is private to the class, ensuring it can only be altered here.

You will have noticed that this is a complex way of implementing this. The CanIncreaseZoom property is not needed for the command callback at all. The following would work, and have the advantage of not having to be updated whenever the zoom value changes.

C#
e.CanExecute = ((z != null) && (Zoom < MaxZoom));

The real reason for implementing a CanIncreaseZoom property is to support a different non-command way of doing things. An example of this is shown in the "Zoom In Method" menu item defined earlier. More complexity in the control's code gives more flexibility to the user.

The callback to execute the IncreaseZoom command casts the sender into an instance of the class, and calls the private method to do the work.

C#
public static void ExecutedEventHandler_IncreaseZoom(Object sender, 
                   ExecutedRoutedEventArgs e)
{
    ZoomBoxPanel z = sender as ZoomBoxPanel;
    if (z != null) z.process_ZoomCommand(true);
}

It is possible to execute a command in code, but it is long winded. So the following public method is declared, as another means of using the functionality:

C#
public void IncreaseZoom()
{
    process_ZoomCommand(true);
}

The work of implementing the command is split between four methods, as this functionality is reused in different parts of the code.

C#
private void process_ZoomCommand(bool increase)
{
    Point panelPoint = new Point(ActualWidth / 2, ActualHeight / 2);

    double delta = (1 + (ZoomIncrement / 100));
    if (!increase)
        delta = 1 / delta;

    ApplyZoomCommand(delta, 1, panelPoint);
}

The ZoomIncrement increment is converted from a percentage into a number that can be multiplied. The increase parameter allows the ZoomDecrease command to be implemented by the same function. Zooming or a scale transformation works by increasing the distance of coordinates from a fixed point, the center of the zoom. In the case of IncreaseZoom, this is deemed to be the center of the control. In other cases, it may be different such as the point under the mouse.

C#
protected void ApplyZoomCommand(double delta, int factor, Point panelPoint)
{
    if (factor > 0)
    {
        double zoom = ZoomFactor;

        for (int i = 1; i <= factor; i++)
            zoom = zoom * delta;

        ZoomFactor = zoom;

        ApplyZoomCommand(panelPoint);
    }
}

This method simply multiplies the zoom factor by the given delta. In our case, we only want to do this once. But other parts of the code may want to execute multiple zoom increases as one at a time.

C#
protected void ApplyZoomCommand(Point panelPoint)
{
    Point logicalPoint = transformGroup.Inverse.Transform(panelPoint);

    ZoomMode = eZoomMode.CustomSize;

    panX = -1 * (logicalPoint.X * ZoomFactor - panelPoint.X);
    panY = -1 * (logicalPoint.Y * ZoomFactor - panelPoint.Y);

    ApplyZoom(true);
}

Whenever the zoom is changed by a command, ZoomModes such as "Fit Page" no longer holds true. So, we always change the mode to a custom size. The center point of the control is given in screen coordinates, and these are different from the logical coordinates of the contents. This first line converts the center point into the logical coordinates, and these are then used to calculate the new transformation offset.

C#
protected void ApplyZoom(bool animate)
{
    rotateTransform.Angle = rotateAngle;
    rotateTransform.CenterX = rotateCenterX;
    rotateTransform.CenterY = rotateCenterY;


    translateTransform.X = panX;
    translateTransform.Y = panY;

    zoomTransform.ScaleX = ZoomFactor;
    zoomTransform.ScaleY = ZoomFactor;
}

The final stage is to assign the calculated values to the transformations. Setting the properties automatically updates the user interface.

Conclusion

This article tries to show the extra complexity introduced when developing a robust custom control.

License

This article, along with any associated source code and files, is licensed under The Microsoft Public License (Ms-PL)


Written By
Software Developer
United Kingdom United Kingdom
Tom has been developing software for 20 years and has done a lot of different stuff. Recently this has mostly been C# WPF/Silverlight, ASP.Net and Ruby On Rails.

Blog: http://rightondevelopment.blogspot.com/

Comments and Discussions

 
QuestionmOST NONE OF THE IVALUECONVERTER CONVERT AND CONVERBACK METHODS LIBRARY CALLED WHY ARE THEY THERE Pin
Member 1505493228-Jan-21 5:02
Member 1505493228-Jan-21 5:02 
GeneralThanks Pin
saurabhd1323-Oct-13 1:56
saurabhd1323-Oct-13 1:56 
QuestionKeyboard shortcut for menu item not working Pin
suraj000125-Jul-12 0:28
suraj000125-Jul-12 0:28 
GeneralGreat Work Pin
Gordon Zhang13-Apr-12 7:47
Gordon Zhang13-Apr-12 7:47 
QuestionUse this to select a part of an image...? Pin
trikkeskinner2-Dec-09 3:57
trikkeskinner2-Dec-09 3:57 
This is almost what I need. However I need a panel with zoom and scale ability, but where the panel is just a region of the real image which is bigger than what you see.

I want the panel to always stay inside the image's bounds, so that you can't move the image outside the visible region.

I also need to select the image which is visible inside the panel, because this is the image I want to use for later work.

What modifications would be needed?
AnswerRe: Use this to select a part of an image...? Pin
Tom F Wright2-Dec-09 7:06
Tom F Wright2-Dec-09 7:06 

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.