1. Trang chủ
  2. » Công Nghệ Thông Tin

Pro WPF in C# 2010 phần 6 ppsx

107 796 0

Đang tải... (xem toàn văn)

Tài liệu hạn chế xem trước, để xem đầy đủ mời bạn chọn Tải xuống

THÔNG TIN TÀI LIỆU

Cấu trúc

  • CHAPTER 16 Advanced Animation

    • Storyboards in Code

      • Intercepting a Bomb

      • Counting Bombs and Cleaning Up

    • The Last Word

  • CHAPTER 17 Control Templates

    • Understanding Logical Trees and Visual Trees

    • Understanding Templates

      • The Chrome Classes

      • Dissecting Controls

    • Creating Control Templates

      • A Simple Button

      • Template Bindings

      • Triggers That Change Properties

      • Triggers That Use Animation

    • Organizing Template Resources

      • Refactoring the Button Control Template

      • Applying Templates with Styles

      • Applying Templates Automatically

      • User-Selected Skins

    • Building More Complex Templates

      • Nested Templates

      • Modifying the Scroll Bar

      • The Control Template Examples

    • Visual States

    • The Last Word

  • CHAPTER 18 Custom Elements

    • Understanding Custom Elements in WPF

    • Building a Basic User Control

      • Defining Dependency Properties

      • Defining Routed Events

      • Adding Markup

      • Using the Control

      • Command Support

        • More Robust Commands

      • A Closer Look at User Controls

    • Creating a Lookless Control

      • Refactoring the Color Picker Code

      • Refactoring the Color Picker Markup

      • Streamlining the Control Template

        • Adding Part Names

        • Manipulating Template Parts

        • Documenting Template Parts

      • Theme-Specific Styles and the Default Style

    • Supporting Visual States

      • Starting the FlipPanel Class

      • Choosing Parts and States

      • The Default Control Template

        • The Flip Button

        • Defining the State Animations

        • Defining the State Transitions

        • Wiring Up the Elements

      • Using the FlipPanel

      • Using a Different Control Template

    • Custom Panels

      • The Two-Step Layout Process

        • MeasureOverride()

        • ArrangeOverride()

      • The Canvas Clone

      • A Better Wrapping Panel

    • Custom-Drawn Elements

      • The OnRender() Method

      • Evaluating Custom Drawing

      • A Custom-Drawn Element

      • A Custom Decorator

    • The Last Word

  • CHAPTER 19 Data Binding

    • Binding to a Database with Custom Objects

Nội dung

CHAPTER 16 ■ ADVANCED ANIMATION 492 private void cmdStart_Click(object sender, RoutedEventArgs e) { cmdStart.IsEnabled = false; // Reset the game. droppedCount = 0; savedCount = 0; secondsBetweenBombs = initialSecondsBetweenBombs; secondsToFall = initialSecondsToFall; // Start the bomb-dropping timer. bombTimer.Interval = TimeSpan.FromSeconds(secondsBetweenBombs); bombTimer.Start(); } Every time the timer fires, the code creates a new Bomb object and sets its position on the Canvas. The bomb is placed just above the top edge of the Canvas so it can fall seamlessly into view. It’s given a random horizontal position that falls somewhere between the left and right sides: private void bombTimer_Tick(object sender, EventArgs e) { // Create the bomb. Bomb bomb = new Bomb(); bomb.IsFalling = true; // Position the bomb. Random random = new Random(); bomb.SetValue(Canvas.LeftProperty, (double)(random.Next(0, (int)(canvasBackground.ActualWidth - 50)))); bomb.SetValue(Canvas.TopProperty, -100.0); // Add the bomb to the Canvas. canvasBackground.Children.Add(bomb); The code then dynamically creates a storyboard to animate the bomb. Two animations are used: one that drops the bomb by changing the attached Canvas.Top property and one that wiggles the bomb by changing the angle of its rotate transform. Because Storyboard.TargetElement and Storyboard.TargetProperty are attached properties, you must set them using the Storyboard.SetTargetElement() and Storyboard.SetTargetProperty() methods: // Attach mouse click event (for defusing the bomb). bomb.MouseLeftButtonDown += bomb_MouseLeftButtonDown; // Create the animation for the falling bomb. Storyboard storyboard = new Storyboard(); DoubleAnimation fallAnimation = new DoubleAnimation(); fallAnimation.To = canvasBackground.ActualHeight; fallAnimation.Duration = TimeSpan.FromSeconds(secondsToFall); Storyboard.SetTarget(fallAnimation, bomb); CHAPTER 16 ■ ADVANCED ANIMATION 493 Storyboard.SetTargetProperty(fallAnimation, new PropertyPath("(Canvas.Top)")); storyboard.Children.Add(fallAnimation); // Create the animation for the bomb "wiggle." DoubleAnimation wiggleAnimation = new DoubleAnimation(); wiggleAnimation.To = 30; wiggleAnimation.Duration = TimeSpan.FromSeconds(0.2); wiggleAnimation.RepeatBehavior = RepeatBehavior.Forever; wiggleAnimation.AutoReverse = true; Storyboard.SetTarget(wiggleAnimation, ((TransformGroup)bomb.RenderTransform).Children[0]); Storyboard.SetTargetProperty(wiggleAnimation, new PropertyPath("Angle")); storyboard.Children.Add(wiggleAnimation); Both of these animations could use animation easing for more realistic behavior, but this example keeps the code simple by using basic linear animations. The newly created storyboard is stored in a dictionary collection so it can be retrieved easily in other event handlers. The collection is stored as a field in the main window class: // Make it possible to look up a storyboard based on a bomb. private Dictionary<Storyboard, Bomb> bombs = new Dictionary<Storyboard, Bomb>(); Here’s the code that adds the storyboard to the tracking collection: storyboards.Add(bomb, storyboard); Next, you attach an event handler that reacts when the storyboard finishes the fallAnimation, which occurs when the bomb hits the ground. Finally, the storyboard is started, and the animations are put in motion: storyboard.Duration = fallAnimation.Duration; storyboard.Completed += storyboard_Completed; storyboard.Begin(); The bomb-dropping code needs one last detail. As the game progresses, it becomes more difficult. The timer begins to fire more frequently, the bombs begin to appear more closely together, and the fall time is reduced. To implement these changes, the timer code makes adjustments whenever a set interval of time has passed. By default, BombDropper makes an adjustment every 15 seconds. Here are the fields that control the adjustments: // Perform an adjustment every 15 seconds. private double secondsBetweenAdjustments = 15; private DateTime lastAdjustmentTime = DateTime.MinValue; // After every adjustment, shave 0.1 seconds off both. private double secondsBetweenBombsReduction = 0.1; private double secondsToFallReduction = 0.1; CHAPTER 16 ■ ADVANCED ANIMATION 494 And here’s the code at the end of the DispatcherTimer.Tick event handler, which checks whether an adjustment is needed and makes the appropriate changes: // Perform an "adjustment" when needed. if ((DateTime.Now.Subtract(lastAdjustmentTime).TotalSeconds > secondsBetweenAdjustments)) { lastAdjustmentTime = DateTime.Now; secondsBetweenBombs -= secondsBetweenBombsReduction; secondsToFall -= secondsToFallReduction; // (Technically, you should check for 0 or negative values. // However, in practice these won't occur because the game will // always end first.) // Set the timer to drop the next bomb at the appropriate time. bombTimer.Interval = TimeSpan.FromSeconds(secondsBetweenBombs); // Update the status message. lblRate.Text = String.Format("A bomb is released every {0} seconds.", secondsBetweenBombs); lblSpeed.Text = String.Format("Each bomb takes {0} seconds to fall.", secondsToFall); } } With this code in place, there’s enough functionality to drop bombs at an ever-increasing rate. However, the game still lacks the code that responds to dropped and saved bombs. Intercepting a Bomb The user saves a bomb by clicking it before it reaches the bottom of the Canvas. Because each bomb is a separate instance of the Bomb user control, intercepting mouse clicks is easy—all you need to do is handle the MouseLeftButtonDown event, which fires when any part of the bomb is clicked (but doesn’t fire if you click somewhere in the background, such as around the edges of the bomb circle). When a bomb is clicked, the first step is to get the appropriate bomb object and set its IsFalling property to indicate that it’s no longer falling. (The IsFalling property is used by the event handler that deals with completed animations.) private void bomb_MouseLeftButtonDown(object sender, MouseButtonEventArgs e) { // Get the bomb. Bomb bomb = (Bomb)sender; bomb.IsFalling = false; // Record the bomb's current (animated) position. double currentTop = Canvas.GetTop(bomb); CHAPTER 16 ■ ADVANCED ANIMATION 495 The next step is to find the storyboard that controls the animation for this bomb so it can be stopped. To find the storyboard, you need to look it up in the collection that this game uses for tracking. Currently, WPF doesn’t include any standardized way to find the animations that are acting on a given element. // Stop the bomb from falling. Storyboard storyboard = storyboards[bomb]; storyboard.Stop(); After a button is clicked, another set of animations moves the bomb off the screen, throwing it up and left or right (depending on which side is closest). Although you could create an entirely new storyboard to implement this effect, the BombDropper game clears the current storyboard that’s being used for the bomb and adds new animations to it. When this process is completed, the new storyboard is started: // Reuse the existing storyboard, but with new animations. // Send the bomb on a new trajectory by animating Canvas.Top // and Canvas.Left. storyboard.Children.Clear(); DoubleAnimation riseAnimation = new DoubleAnimation(); riseAnimation.From = currentTop; riseAnimation.To = 0; riseAnimation.Duration = TimeSpan.FromSeconds(2); Storyboard.SetTarget(riseAnimation, bomb); Storyboard.SetTargetProperty(riseAnimation, new PropertyPath("(Canvas.Top)")); storyboard.Children.Add(riseAnimation); DoubleAnimation slideAnimation = new DoubleAnimation(); double currentLeft = Canvas.GetLeft(bomb); // Throw the bomb off the closest side. if (currentLeft < canvasBackground.ActualWidth / 2) { slideAnimation.To = -100; } else { slideAnimation.To = canvasBackground.ActualWidth + 100; } slideAnimation.Duration = TimeSpan.FromSeconds(1); Storyboard.SetTarget(slideAnimation, bomb); Storyboard.SetTargetProperty(slideAnimation, new PropertyPath("(Canvas.Left)")); storyboard.Children.Add(slideAnimation); // Start the new animation. storyboard.Duration = slideAnimation.Duration; storyboard.Begin(); } CHAPTER 16 ■ ADVANCED ANIMATION 496 Now the game has enough code to drop bombs and bounce them off the screen when the user saves them. However, to keep track of what bombs are saved and which ones are dropped, you need to react to the Storyboard.Completed event that fires at the end of an animation. Counting Bombs and Cleaning Up As you’ve seen, the BombDropper uses storyboards in two ways: to animate a falling bomb and to animate a defused bomb. You could handle the completion of these storyboards with different event handlers, but to keep things simple, the BombDropper uses just one. It tells the difference between an exploded bomb and a rescued bomb by examining the Bomb.IsFalling property. // End the game when 5 bombs have fallen. private int maxDropped = 5; private void storyboard_Completed(object sender, EventArgs e) { ClockGroup clockGroup = (ClockGroup)sender; // Get the first animation in the storyboard, and use it to find the // bomb that's being animated. DoubleAnimation completedAnimation = (DoubleAnimation)clockGroup.Children[0].Timeline; Bomb completedBomb = (Bomb)Storyboard.GetTarget(completedAnimation); // Determine if a bomb fell or flew off the Canvas after being clicked. if (completedBomb.IsFalling) { droppedCount++; } else { savedCount++; } Either way, the code then updates the display test to indicate how many bombs have been dropped and saved: // Update the display. lblStatus.Text = String.Format("You have dropped {0} bombs and saved {1}.", droppedCount, savedCount); At this point, the code checks to see whether the maximum number of dropped bombs has been reached. If it has, the game ends, the timer is stopped, and all the bombs and storyboards are removed: // Check if it's game over. if (droppedCount >= maxDropped) { CHAPTER 16 ■ ADVANCED ANIMATION 497 bombTimer.Stop(); lblStatus.Text += "\r\n\r\nGame over."; // Find all the storyboards that are underway. foreach (KeyValuePair<Bomb, Storyboard> item in storyboards) { Storyboard storyboard = item.Value; Bomb bomb = item.Key; storyboard.Stop(); canvasBackground.Children.Remove(bomb); } // Empty the tracking collection. storyboards.Clear(); // Allow the user to start a new game. cmdStart.IsEnabled = true; } else { // Clean up just this bomb, and let the game continue. Storyboard storyboard = (Storyboard)clockGroup.Timeline; storyboard.Stop(); storyboards.Remove(completedBomb); canvasBackground.Children.Remove(completedBomb); } } This completes the code for BombDropper game. However, you can make plenty of refinements. Some examples include the following: x Animate a bomb explosion effect. This effect can make the flames around the bomb twinkle or send small pieces of shrapnel flying across the Canvas. x Animate the background. This change is easy, and it adds pizzazz. For example, you can create a linear gradient that shifts up, creating an impression of movement, or one that transitions between two colors. x Add depth. It’s easier than you think. The basic technique is to give the bombs different sizes. Bombs that are bigger should have a higher ZIndex, ensuring that they overlap smaller bombs, and should be given a shorter animation time, ensuring that they fall faster. You can also make the bombs partially transparent, so as one falls, the others behind it are visible. x Add sound effects. In Chapter 26, you’ll learn to use sound and other media in WPF. You can use well-timed sound effects to punctuate bomb explosions or rescued bombs. CHAPTER 16 ■ ADVANCED ANIMATION 498 x Use animation easing. If you want bombs to accelerate as they fall, bounce off the screen, or wiggle more naturally, you can add easing functions to the animations used here. And, as you’d expect, easing functions can be constructed in code just as easily as in XAML. x Fine-tune the parameters. You can provide more dials to tweak behavior (for example, variables that set how the bomb times, trajectories, and frequencies are altered as the game processes). You can also inject more randomness (for example, allowing saved bombs to bounce off the Canvas in slightly different ways). The Last Word In this chapter, you learned the techniques needed to make practical animations and integrate them into your applications. The only missing ingredient is the eye candy—in other words, making sure the animated effects are as polished as your code. As you’ve seen over the past two chapters, the animation model in WPF is surprisingly full-featured. However, getting the result you want isn’t always easy. If you want to animate separate portions of your interface as part of a single animated “scene,” you’re often forced to write a fair bit of markup with interdependent details that aren’t always clear. In more complex animations, you may be forced to hard- code details and fall back to code to perform calculations for the ending value of animation. And if you need fine-grained control over an animation, such as when modeling a physical particle system, you’ll need to control every step of the way using frame-based animation. The future of WPF animation promises higher-level classes that are built on the basic plumbing you’ve learned about in this chapter. Ideally, you’ll be able to plug animations into your application simply by using prebuilt animation classes, wrapping your elements in specialized containers, and setting a few attached properties. The actual implementation that generates the effect you want— whether it’s a smooth dissolve between two images or a series of animated fly-ins that builds a window—will be provided for you. C H A P T E R 17 ■ ■ ■ 499 Control Templates In the past, Windows developers were forced to choose between convenience and flexibility. For maximum convenience, they could use prebuilt controls. These controls worked well enough, but they offered limited customization and almost always had a fixed visual appearance. Occasionally, some controls provided a less than intuitive “owner drawing” mode that allowed developers to paint a portion of the control by responding to a callback. But the basic controls—buttons, text boxes, check boxes, list boxes, and so on—were completely locked down. As a result, developers who wanted a bit more pizzazz were forced to build custom controls from scratch. This was a problem—not only was it slow and difficult to write the required drawing logic by hand, but custom control developers also needed to implement basic functionality from scratch (such as selection in a text box or key handling in a button). And even once the custom controls were perfected, inserting them into an existing application involved a fairly significant round of editing, which would usually necessitate changes in the code (and more rounds of testing). In short, custom controls were a necessary evil—they were the only way to get a modern, distinctive interface, but they were also a headache to integrate into an application and support. WPF finally solves the control customization problem with styles (which you considered in Chapter 11) and templates (which you’ll begin exploring in this chapter). The reason these features work so well is because of the dramatically different way that controls are implemented in WPF. In previous user interface technologies, such as Windows Forms, commonly used controls aren’t actually implemented in .NET code. Instead, the Windows Forms control classes wrap core ingredients from the Win32 API, which are untouchable. But as you’ve already learned, in WPF every control is composed in pure .NET code, with no Win32 API glue in the background. As a result, it’s possible for WPF to expose mechanisms (styles and templates) that allow you to reach into these elements and tweak them. In fact, tweak is the wrong word because, as you’ll see in this chapter, WPF controls allow the most radical redesigns you can imagine. ■ What’s New WPF 4 adds a new visual state model to help you restyle controls more easily. This model was originally introduced by WPF’s “little brother,” the browser-based application development platform Silverlight 3. However, the visual state model hasn’t been fully incorporated into the WPF world in this release. Although it’s there for you to use when you design your own controls (see Chapter 18), the standard set of WPF controls doesn’t yet support it. For a high-level discussion of the visual state manager, see the “Visual States” section later in this chapter. CHAPTER 17 ■ CONTROL TEMPLATES 500 Understanding Logical Trees and Visual Trees Earlier in this book, you spent a great deal of time considering the content model of a window—in other words, how you can nest elements inside other elements to build a complete window. For example, consider the extremely simple two-button window shown in Figure 17-1. To create this window, you nest a StackPanel control inside a Window. In the StackPanel, you place two Button controls, and inside of each you can add some content of your choice (in this case, two strings). Here’s the markup: <Window x:Class="SimpleWindow.Window1" xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation" xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml" Title="SimpleWindow" Height="338" Width="356" > <StackPanel Margin="5"> <Button Padding="5" Margin="5">First Button</Button> <Button Padding="5" Margin="5">Second Button</Button> </StackPanel> </Window> Figure 17-1. A window with three elements The assortment of elements that you’ve added is called the logical tree, and it’s shown in Figure 17-2. As a WPF programmer, you’ll spend most of your time building the logical tree and then backing it up with event handling code. In fact, all of the features you’ve considered so far (such as property value inheritance, event routing, and styling) work through the logical tree. CHAPTER 17 ■ CONTROL TEMPLATES 501 Button Window StackPanel Button String String Other Type Framework Element Legend F Figure 17-2. The logical tree for SimpleWindow However, if you want to customize your elements, the logical tree isn’t much help. Obviously, you could replace an entire element with another element (for example, you could substitute a custom FancyButton class in place of the current Button), but this requires more work, and it could disrupt your application’s interface or its code. For that reason, WPF goes deeper with the visual tree. A visual tree is an expanded version of the logical tree. It breaks elements down into smaller pieces. In other words, instead of seeing a carefully encapsulated black box such as the Button control, you see the visual components of that button—the border that gives buttons their signature shaded background (represented by the ButtonChrome class), the container inside (a ContentPresenter), and the block that holds the button text (represented by the familiar TextBlock). Figure 17-3 shows the visual tree for Figure 17-1. [...]... pass information from the control to the template but not the other way around), and they can’t be used to draw information from a property of a class that derives from Freezable If you run into a situation where template bindings won’t work, you can use a full-fledged data binding instead Chapter 18 includes a sample color picker that runs into this problem and uses a combination of template bindings... of template bindings and regular bindings ■ Note Template bindings support the WPF change-monitoring infrastructure that’s built into all dependency properties That means that if you modify a property in a control, the template takes it into account automatically This detail is particularly useful when you’re using animations that change a property value repeatedly in a short space of time The only... it in your template In other words, it’s up to your template to retrieve the padding value and use it to insert some extra space around your content Fortunately, WPF has a tool that’s designed exactly for this purpose: template bindings By using a template binding, your template can pull out a value from the control to which you’re applying the template In this example, you can use a template binding... be used in a variety of controls and aren’t very useful on their own, while Microsoft.Windows.Themes contains the down-and-dirty drawing logic for rendering these details There’s one more difference The types in System.Windows.Controls.Primitives are, like most WPF types, defined in the PresentationFramework.dll assembly However, those in the Microsoft.Windows Themes are defined separately in three... ContentPresenter Template Bindings There’s still one minor issue with this example Right now the tag you’ve added for your button specifies a Margin value of 10 and a Padding of 5 The StackPanel pays attention to the Margin property of the button, but the Padding property is ignored, leaving the contents of your button scrunched up against the sides The problem here is that the Padding property doesn’t have... can’t reach deep into the visual tree to change the aspect of a nested element Instead, your style needs to set a property of the control, and the element in the control needs to bind the property using a template binding Control Templates vs Custom Controls You can get around both of the problems discussed here—being forced to define control behavior in the style with triggers and not being able to target... and put them into a style To make this work, you’ll need to rework your template Instead of using hard-coded colors, you need to pull the information out of control properties using template bindings The following example 524 CHAPTER 17 ■ CONTROL TEMPLATES defines a streamlined template for the fancy button you saw earlier The control template treats some details as fundamental, unchanging ingredients—namely,... nothing more than a dash of recursive code 503 CHAPTER 17 ■ CONTROL TEMPLATES Figure 17-4 shows one possible implementation Here, a separate window displays an entire visual tree, starting at any supplied object In this example, another window (named SimpleWindow), uses the VisualTreeDisplay window to show its visual tree Figure 17-4 Programmatically examining the visual tree Here, a window named Window1... effect of adding some space between the border and the content Figure 17 -6 shows your modest new button 515 CHAPTER 17 ■ CONTROL TEMPLATES Figure 17 -6 A button with a customized control template Template bindings are similar to ordinary data bindings, but they’re lighter weight because they’re specifically designed for use in a control template They only support one-way data binding (in other words,... it in a content control or in the individual items of a list control Data templates are ridiculously useful in data binding scenarios, and they’re described in detail in Chapter 20 To a certain extent, data templates and control templates overlap For example, both types of templates allow you to insert additional elements, apply formatting, and so on However, data templates are used to add elements inside . selection in a text box or key handling in a button). And even once the custom controls were perfected, inserting them into an existing application involved a fairly significant round of editing,. types in System.Windows.Controls.Primitives are, like most WPF types, defined in the PresentationFramework.dll assembly. However, those in the Microsoft.Windows. Themes are defined separately in. controls are implemented in WPF. In previous user interface technologies, such as Windows Forms, commonly used controls aren’t actually implemented in .NET code. Instead, the Windows Forms control

Ngày đăng: 06/08/2014, 09:20

TỪ KHÓA LIÊN QUAN