Apress pro Silverlight 3 in C# phần 5 docx

83 488 0
Apress pro Silverlight 3 in C# phần 5 docx

Đ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

CHAPTER ■ NAVIGATION because it allows you to use links that link not just to the entry point of an application but also to some record or state inside that application ■ Tip With a little more effort, you can use deep linking as a starting point for search engine optimization (SEO) The basic idea is to create multiple HTML or ASP.NET pages that lead to different parts of your Silverlight application Each page will point to the same XAP file, but the URI will link to a different page inside that application Web search engines can then add multiple index entries for your application, one for each HTML or ASP.NET page that leads into it URI integration is obviously a convenient feature, but it also raises a few questions, which are outlined in the following sections What Happens If the Page Has More Than One Frame? The URI fragment indicates the page that should appear in the frame, but it doesn’t include the frame name It turns out that this system really only works for Silverlight applications that have a single frame (Applications that contain two or more frames are considered to be a relatively rare occurrence.) If you have more than one frame, they will all share the same navigation path As a result, when your code calls Navigate() in one frame, or when the user enters a URI that includes a page name as a fragment, the same content will be loaded into every frame To avoid this problem, you must pick a single frame that represents the main application content This frame will control the URI and the browser history list Every other frame will be responsible for tracking its navigation privately, with no browser interaction To implement this design, set the JournalOwnership property of each additional frame to OwnJournal From that point on, the only way to perform navigation in these frames is with code that calls the Navigate() method What Happens If the Startup Page Doesn’t Include a Frame Control? Pages with multiple frames aren’t the only potential problem with the navigation system’s use of URIs Another issue occurs if the application can’t load the requested content because there’s no frame in the application’s root visual This situation can occur if you’re using one of the dynamic user interface tricks described earlier–for example, using code to create the Frame object or swap in another page that contains a frame In this situation, the application starts normally; but because no frame is available, the fragment part of the URI is ignored To remedy this problem, you need to either simplify your application so the frame is available in the root visual at startup or add code that responds to the Application.Startup event (see Chapter 6) and checks the document fragment portion of the URI, using code like this: string fragment = System.Windows.Browser.HtmlPage.Document.DocumentUri.Fragment; If you find that the URI contains fragment information, you can then add code by hand to restore the application to its previous state Although this is a relatively rare design, take the time to make sure it works properly After all, when a fragment URI appears in the browser’s address bar, the user naturally assumes it’s a suitable bookmark point And if you don’t want to 242 CHAPTER ■ NAVIGATION provide this service, consider disabling the URI system altogether by setting the JournalOwnership property to OwnJournal What About Security? In a very real sense, the URI system is like a giant back door into your application For example, a user can enter a URI that points to a page you don’t want that user to access–even one that you never load with the Navigate() method Silverlight doesn’t attempt to impose any measure of security to restrict this scenario In other words, adding a Frame control to your application provides a potential path of access to any other page in your application Fortunately, you can use several techniques to clamp down on this ability First, you can detach the frame from the URI system by setting the JournalOwnership property to OwnJournal, as described earlier However, this gives up the ability to use descriptive URIs for any of the pages in your application, and it also removes the integration with the browser history list that’s described in the next section A better approach is to impose selective restriction by handling the Frame.Navigating event At this point, you can examine the URI (through the NavigatingCancelEventArgs object) and, optionally, cancel navigation: private void mainFrame_Navigating(object sender, NavigatingCancelEventArgs e) { if (e.Uri.ToString().ToLower().Contains("RestrictedPage.xaml")) { e.Cancel = true; } } You’ll notice that this code doesn’t match the entire URI but simply checks for the presence of a restricted page name This is to avoid potential canonicalization problems–in other words, allowing access to restricted pages by failing to account for the many different ways the same URI can be written Here’s an example of functionally equivalent but differently written URIs: localhost://Navigation/TestPage.html#/Page1.xaml localhost://Navigation/TestPage.html#/FakeFolder/ /Page1.xaml This example assumes that you never want to perform navigation to RestrictedPage.xaml The Navigating event does not distinguish whether the user has edited the URI, or if the navigation attempt is the result of the user clicking the link or your code calling the Navigate() method Presumably, the application will use RestrictedPage.xaml in some other way–for example, with code that manually instantiates the user control and loads it into another container History Support The navigation features of the Frame control also integrate with the browser Each time you call the Navigate() method, Silverlight adds a new entry in the history list (see Figure 7-6) The first page of your application appears in the history list first, with the title of the HTML entry page Each subsequent page appears under that in the history list, using the user-control file name for the display text (such as Page1.xaml) In the “Pages” section later in this chapter, you’ll learn how you can supply your own, more descriptive title text using a custom page 243 CHAPTER ■ NAVIGATION The browser’s history list works exactly the way you’d expect The user can click the Back or Forward button, or pick an entry in the history list to load a previous page into the frame Best of all, this doesn’t cause your application to restart As long as the rest of the URI stays the same (everything except the fragment), Silverlight simply loads the appropriate page into the frame On the other hand, if the user travels to another website and then uses the Back button to return, the Silverlight application is reloaded, the Application.Startup event fires, and then Silverlight attempts to load the requested page into the frame Figure 7-6 The navigation history of the frame Incidentally, you can call the Frame.Navigate() method multiple times in succession with different pages The user ends up on the last page, but all the others are added to the history list in between Finally, the Navigate() method does nothing if the page is already loaded–it doesn’t add a duplicate entry to the history list ■ Note At the time of this writing, Silverlight has a bug that affects how it deals with the Back button when using navigation If you click the Back button to return to the initial page, you may receive a cryptic “No XAML found at the location” error message Fortunately, it’s easy to work around this problem by using the UriMapper to set the initial content of the frame, as described in the next section URI Mapping As you’ve seen, the fragment URI system puts the page name in the URI In some situations, you’d prefer not to make this detail as glaring Perhaps you don’t want to expose the real page name, you don’t want to tack on the potentially confusing xaml extension, or you want to use a URI that’s easier to remember and type in by hand In all these situations, you can use URI mapping to define different, simpler URIs that map to the standard versions you’ve seen so far To use URI mapping, you first need to add a UriMapper object as a XAML resource Typically, you’ll define the UriMapper in the resources collection of the main page or the App.xaml file, as shown here: 244 CHAPTER ■ NAVIGATION You then need to link your UriMapper to your frame by setting the Frame.UriMapper property: Now, you can add your URI mappings inside the UriMapper Here’s an example: If your application is located here localhost://Navigation/TestPage.html you can use this simplified URI localhost://Navigation/TestPage.html#Home which is mapped to this URI: localhost://Navigation/TestPage.html#/Views/HomePage.xaml The only catch is that it’s up to you to use the simplified URI when you call the Navigate() method, as shown here: mainFrame.Navigate(new Uri("Home", UriKind.Relative)); Note that you don’t need to include a forward slash at the beginning of a mapped URI After mapping, both the original and the new URI will work, allowing you to reach the same page If you use the original URI format when calling the Navigate() method (or in a link, or in a bookmark), that’s what the user sees in the browser’s address bar You can also use the UriMapper to set the initial content in a frame The trick is to map a Uri that’s just an empty string, as shown here: Now, when the page first appears, the frame will show the content from InitialPage.xaml 245 CHAPTER ■ NAVIGATION ■ Note Currently, it’s mandatory that all navigation applications use the UriMapper to set the initial page Otherwise, users may receive an error when they step back to the first page using the browser’s Back button This quirk is likely to be fixed in future Silverlight updates The UriMapper object also supports URIs that take query-string arguments For example, consider the following mapping: In this example, the {id} portion in curly brackets is a placeholder You can use any URI that has this basic form but supplies an arbitrary value for the id For example, this URI localhost://Navigation/TestPage.html#Products/324 will be mapped to this: localhost://Navigation/TestPage.html#/Views/ProductPage.xaml?id=324 The easiest way to retrieve the id query-string argument in the ProductPage.xaml code is to use the NavigationContext object described later in the “Pages” section Forward and Backward Navigation As you’ve learned, you can set the Frame.JournalOwnership property to determine whether the frame uses the browser’s history-tracking system (the default) or is responsible for keeping the record of visited pages on its own (which is called the journal) If you opt for the latter by setting the JournalOwnership property to OwnJournal, your frame won’t integrate with the browser history or use the URI system described earlier You’ll need to provide a way for the user to navigate through the page history The most common way to add this sort of support is to create your own Forward and Backward buttons Custom Forward and Backward buttons are also necessary if you’re building an out-ofbrowser application, like the sort described in Chapter That’s because an application running in a stand-alone window doesn’t have access to any browser features and doesn’t include any browser user interface (including the Back and Forward buttons) In this situation, you’re forced to supply your own navigation buttons for programmatic navigation, even if you haven’t changed the JournalOwnership property If you’re not sure whether your application is running in a browser or in a stand-alone window, check the Application.IsRunningOutOfBrowser property For example, the following code shows a panel with navigation buttons when the application is hosted in a stand-alone window You can use this in the Loaded event handler for your root visual if (App.Current.IsRunningOutOfBrowser) pnlNavigationButtons.Visibility = Visibility.Visible; Designing Forward and Backward buttons is easy You can use any element you like– the trick is simply to step forward or backward through the page history by calling the GoBack() and GoForward() methods of the Frame class You can also check the CanGoBack property (which is true if there are pages in the backward history) and the CanGoForward property 246 CHAPTER ■ NAVIGATION (which is true if there are pages in the forward history) and use that information to selectively enable and disable your custom navigation buttons Typically, you’ll this when responding to the Frame.Navigated event: private void mainFrame_Navigated(object sender, NavigationEventArgs e) { if (mainFrame.CanGoBack) cmdBack.Visibility = Visibility.Collapsed; else cmdBack.Visibility = Visibility.Visible; if (mainFrame.CanGoForward) cmdForward.Visibility = Visibility.Collapsed; else cmdForwawrd.Visibility = Visibility.Visible; } Rather than hide the buttons (as done here), you may choose to disable them and change their visual appearance (for example, changing the color, opacity, or picture, or adding an animated effect) Unfor-tunately, there’s no way to get a list of page names from the journal, which means you can’t display a history list like the one shown in the browser Hyperlinks In the previous example, navigation was performed through an ordinary button However, it’s a common Silverlight design to use a set of HyperlinkButton elements for navigation Thanks to the URI system, it’s even easier to use the HyperlinkButton than an ordinary button You simply need to set the NavigateUri property to the appropriate URI You can use URIs that point directly to XAML pages, or mapped URIs that go through the UriMapper Here’s a StackPanel that creates a strip of three navigation links: Although the concept hasn’t changed, this approach allows you to keep the URIs in the XAML markup and leave your code simple and uncluttered by extraneous details Pages The previous examples all used navigation to load user controls into a frame Although this design works, it’s far more common to use a custom class that derives from Page instead of a user control, because the Page class provides convenient hooks into the navigation system and (optionally) automatic state management To add a page to a Visual Studio project, right-click the project name in the Solution Explorer, and choose Add ➤ New Item Then, select the Silverlight Page template, enter a page name, and click Add Aside from the root element, the markup you place in a page is the same 247 CHAPTER ■ NAVIGATION as the markup you put in a user control Here’s a reworked example that changes Page1.xaml from a user control into a page by modifying the root element and setting the Title property: This is the unremarkable content in Page1.xaml. ■ Tip It’s a common design convention to place pages in a separate project folder from your user controls For example, you can place all your pages in a folder named Views, and use navigation URIs like /Views/Page1.xaml Technically, Page is a class that derives from UserControl and adds a small set of members These include a set of methods you can override to react to navigation actions and four properties: Title, NavigationService, NavigationContext, and NavigationCacheMode The Title property is the simplest It sets the text that’s used for the browser history list, as shown in the previous example The other members are described in the following sections Navigation Properties Every page provides a NavigationService property that offers an entry point into Silverlight’s navigation system The NavigationService property provides a NavigationService object, which supplies the same navigational methods as the Frame class, including Navigate(), GoBack(), and GoForward(), and properties like CanGoBack, CanGoForward, and CurrentSource That means you can trigger page navigation from inside a page by adding code like this: this.NavigationService.Navigate(new Uri("/Page2.xaml", UriKind.Relative)); The Page class also includes a NavigationContext property that provides a NavigationContext object This object exposes two properties: Uri gets the current URI, which was used to reach the current page; and QueryString gets a collection that contains any querystring arguments that were tacked on to the end of the URI This way, the code that triggers the navigation can pass information to the destination page For example, consider the following code, which embeds two numbers into a URI as query-string arguments: string uriText = String.Format("/Product.xaml?id={0}&type={1}", productID, productType); mainFrame.Navigate(new Uri(uriText), UriKind.Relative); A typical completed URI might look something like this: 248 CHAPTER ■ NAVIGATION /Product.xaml?id=402&type=12 You can retrieve the product ID information in the destination page with code like this: int productID, type; if (this.NavigationContext.QueryString.ContainsKey("productID")) productID = Int32.Parse(this.NavigationContext.QueryString["productID"]); if (this.NavigationContext.QueryString.ContainsKey("type")) type = Int32.Parse(this.NavigationContext.QueryString["type"]); Of course, there are other ways to share information between pages, such as storing it in the application object The difference is that query-string arguments are preserved in the URI, so users who bookmark the link can reuse it later to return to an exact point in the application (for example, the query string allows you to create links that point to particular items in a catalog of data) On the down side, query-string arguments are visible to any user who takes the time to look at the URI, and they can be tampered with State Storage Ordinarily, when the user travels to a page using the Forward and Backward buttons or the history list, the page is re-created from scratch When the user leaves the page, the page object is discarded from memory One consequence of this design is that if a page has user input controls (for example, a text box), they’re reset to their default values on a return visit Similarly, any member variables in the page class are reset to their initial values The do-it-yourself state-management approach described earlier lets you avoid this issue by caching the entire page object in memory Silverlight allows a similar trick with its own navigation system using the Page.NavigationCacheMode property The default value of NavigationCacheMode is Disabled, which means no caching is performed Switch this to Required and the Frame will keep the page object in memory after the user navigates away If the user returns, the already instantiated object is used instead of a newly created instance The page constructor will not run, but the Loaded event will still fire There’s one other option for NavigationCacheMode Set it to Enabled and pages will be cached–up to a point The key detail is the Frame.CacheSize property, which sets the maximum number of optional pages that can be cached For example, when this value is 10 (the default), the Frame will cache the ten most recent pages that have a NavigationCacheMode of Enabled When an eleventh page is added to the cache, the first (oldest) page object will be discarded from the cache Pages with NavigationCacheMode set to Required don’t count against the CacheSize total Typically, you’ll set NavigationCacheMode to Required when you want to cache a page to preserve its current state You’ll set NavigationCacheMode to Enabled if you want the option of caching a page to save time and improve performance–for example, if your page includes time-consuming initialization logic that performs detailed calculations or calls a web service In this case, make sure you place this logic in the constructor, not in an event handler for the Loaded event (which still fires when a page is served from the cache) Navigation Methods The Page class also includes a small set of methods that are triggered during different navigation actions They include: 249 CHAPTER ■ NAVIGATION • OnNavigatedTo(): This method is called when the frame navigates to the page (either for the first time or on a return trip through the history) • OnNavigatingFrom(): This method is called when the user is about to leave the page; it allows you to cancel the navigation action • OnNavigatedFrom(): This method is called when the user has left the page, just before the next page appears You could use these methods to perform various actions when a page is being left or visited, such as tracking and initialization For example, you could use them to implement a more selective form of state management that stores just a few details from the current page in memory, rather than caching the entire page object Simply store page state when OnNavigatedFrom() is called and retrieve it when OnNavigatedTo() is called Where you store the state is up to you–you can store it in the App class, or you can use static members in your custom page class, as done here with a single string: public partial class CustomCachedPage : Page { public static string TextBoxState { get; set; } } Here’s the page code that uses this property to store the data from a single text box and retrieve it when the user returns to the page later: protected override void OnNavigatedFrom(NavigationEventArgs e) { // Store the text box data CustomCachedPage.TextBoxState = txtCached.Text; base.OnNavigatedFrom(e); } protected override void OnNavigatedTo(NavigationEventArgs e) { // Retrieve the text box data if (CustomCachedPage.TextBoxState != null) txtCached.Text = CustomCachedPage.TextBoxState; base.OnNavigatedTo(e); } Navigation Templates You now know everything you need to use Silverlight’s Frame and Page classes to create a navigable application However, there’s no small gap between simply using these features and actually making them look good, with a slick, visually consistent display There are two ways to bridge this gap One option is to gradually build your design skills, review other people’s example, experiment, and eventually end up with the perfectly customized user interface you want The other option is to use a ready-made navigation template as a starting point These are starter project templates that you can use in Visual Studio, and they give you basic project structure and a few finer points of style 250 CHAPTER ■ NAVIGATION Figure 7-7 shows what you start with if you create a new project using the Silverlight Navigation Application project template instead of the general purpose Silverlight Application template Figure 7-7 An application created with a navigation template The basic structure of this application is simple enough–there’s a page header at the top of a page with a group of link buttons on the left for navigation Underneath is the Frame that performs the navi-gation Pages are mapped through the UriMapper, and placed in a projet subfolder named Views Silverlight ships with just one navigation template, which is shown in Figure 7-7 However, the Silverlight team has posted several more at http://tinyurl.com/ktv4vu, which tweak the visual styles and placement of the link buttons In the future, you’ll also find many more created by third-party developers on the Expression Community Gallery at http://gallery.expression.microsoft.com The Last Word In this chapter, you considered has to step up from single-page displays to true applications using a range of techniques First, you considered simple content hiding and swapping techniques, which give you unlimited flexibility and allow you to simulate navigation Next, you considered the ChildWindow, which allows you to create a pop-up window that appears over the rest of your application Finally, you took a detailed look at the Frame and Page classes and Silverlight’s built-in Silverlight navigation system, which enables features like history tracking and deep linking 251 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS coordinate-based layout, this distinction has no effect But for other layout containers, which position elements relatively based on the placement and size of other elements, the effect is important For instance, consider Figure 9-11, which shows a StackPanel that contains a rotated button Here, the StackPanel lays out the two buttons as though the first button is positioned normally, and the rotation happens just before the button is rendered As a result, the rotated button overlaps the one underneath WPF also has the ability to use layout transforms, which are applied before the layout pass This means the layout container uses the transformed dimensions of an element when positioning other elements However, Silverlight doesn’t provide this ability Figure 9-11 Rotating buttons ■ Tip You can also use transforms to change a wide range of Silverlight ingredients, such as brushes, geometries, and clipping regions 310 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS A Reflection Effect Transforms are important for applying many types of effects One example is a reflection effect, such as the one demonstrated in Figure 9-12 To create a reflection effect in Silverlight, you first explicitly duplicate the content that will use the effect For example, to create the reflection shown in Figure 9-11, you need to begin with two identical Image elements–one of which shows the original image and the other of which shows the reflected copy: Figure 9-12 A reflection effect Because this technique forces you to duplicate your content, it generally isn’t practical to add a reflection effect to controls But it’s possible to create a reflection of a live video playback with the help of the VideoBrush class, which is described in Chapter 11 The second step is to modify the copy of your content to make it look more like a reflection To accomplish this, you use a combination of two ingredients–a transform, which flips the image into place, and an opacity mask, which fades it gently out of sight 311 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS Here, a ScaleTransform flips the image over by using a negative value for ScaleY To flip an image horizontally, you use —1 Using a fractional value (in this case, —0.8) simultaneously flips the image over and compresses it, so it’s shorter than the original image To make sure the flipped copy appears in the right place, you must position it exactly (using a layout container like the Canvas) or use the RenderTransformOrigin property, as in this example Here, the image is flipped around the point (0, 0.4) In other words, it keeps the same left alignment (x = 0) but is moved down (y = 0.4) Essentially, it’s flipped around an imaginary horizontal line that’s a bit higher than the midpoint of the image This example uses a LinearGradientBrush that fades between a completely transparent color and a partially transparent color, to make the reflected content more faded Because the image is upside down, you must define the gradient stops in reverse order Perspective Transforms Silverlight doesn’t include a true toolkit for 3-D drawing However, it does have a feature called perspective transforms that lets you simulate a 3-D surface Much like a normal transform, a perspective transform takes an existing element and manipulates its visual appearance But with a perspective transform, the element is made to look as though it’s on a 3-D surface Perspective transforms can come in handy, but they’re a long way from real 3-D First, and most obvious, they give you only a single shape to work with–essentially, a flat, rectangular plane, like a sheet of paper, on which you can place your elements and then tilt them away from the viewer By comparison, a true 3-D framework allows you to fuse tiny triangles together to build more complex surfaces, ranging from cubes and polyhedrons to spheres and entire topographic maps True 3-D frameworks also use complex math to calculate proper lighting and shading, determine what shapes are obscuring other shapes, and so on (For an example, consider Silverlight’s Windows-only big brother, WPF, which has rich 3-D support.) ■ Note The bottom line is this—if you’re looking for a few tricks to create some 3-D eye candy without the hard work, you’ll like Silverlight’s perspective-transform feature (Perspective transforms are particularly useful when combined with animation, as you’ll see in the next chapter.) But if you’re hoping for a comprehensive framework to model a 3-D world, you’ll be sorely disappointed 312 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS Much as Silverlight includes an abstract Transform class from which all transforms derive, it uses an abstract System.Windows.Media.Projection class from which all projections derive At present, Silverlight includes just two projections: the practical PlaneProjection that you’ll use in this chapter, and the far more complex Matrix3DProjection, which suits those who are comfortable using heavy-duty math to construct and manipulate 3D matrices Matrix3DProjection is beyond the scope of this book However, if you’d like to experiment with it and explore the underlying math, Charles Petzold provides a good two-part introduction with sample code at http://tinyurl.com/m29v3q and http://tinyurl.com/laalp6 The PlaneProjection Class PlaneProjection gives you two complementary abilities First, you can rotate the 3-D plane around the x-axis (side-to-side), the y-axis (up-and-down), or the z-axis (which looks like a normal rotational transform) Figure 9-13 illustrates the difference, with 45-degree rotations around the three different axes Figure 9-13 Rotations with the PlaneProjection class In Figure 9-13, the picture is rotated around its center point But you can explicitly choose to rotate the element around a different point by setting the right property Here’s how: • For an x-axis rotation, use RotationX to control the amount of rotation (as an angle from to 360 degrees) Use CenterOfRotationX to set the x coordinate of the center point in relative terms, where is the far left, is the far right, and 0.5 is the middle point (and default) • For a y-axis rotation, use RotationY to set the angle of rotation Use CenterOfRotationY to set the y coordinate of the center point, where is the top, is the bottom, and 0.5 is the middle (and default) • For a y-axis rotation, use RotationZ to set the angle of rotation Use CenterOfRotationZ to set the z coordinate of the center point, where is the middle (and default), positive numbers are in front of the element, and negative numbers are behind it In many cases, the rotation properties will be the only parts of the PlaneProjection that you’ll want to use However, you can also shift the element in any direction There are two ways to move it: 313 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS • Use the GlobalOffsetX, GlobalOffsetY, and GlobalOffsetZ properties to move the element using screen coordinates, before the projection is applied • Use the LocalOffsetX, LocalOffsetY, and LocalOffsetZ properties to move the element using its transformed properties, after the projection is applied For example, consider the case where you haven’t rotated the element In this case, the global and the local properties will have the same effect Increasing GlobalOffsetX or LocalOffsetX shifts the element to the right Now, consider the case where the element has been rotated around the y axis using the RotationY property (shown in Figure 9-14) In this situation, increasing GlobalOffsetX shifts the rendered content to the right, exactly the same way it does when the element hasn’t been rotated But increasing LocalOffsetX moves the content along the x axis, which now points in a virtual 3-D direction As a result, the content appears to move to the right and backward Figure 9-14 Translation with the PlaneProjection These two details–rotation and translation–encompass everything the PlaneProjection does Applying a Projection Projections works on virtually any Silverlight element, because every class that derives from UIElement includes the required Projection property To add a perspective effect to an element, you create a PlaneProjection and use it to set the Projection property, either in code or in XAML markup 314 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS For example, here’s the PlaneProjection that rotates the first figure in Figure 9-13: As with ordinary transforms, perspective transforms are performed after layout Figure 9-13 illustrates this fact by using a shaded border that occupies the original position of the transformed element Even though the element now sticks out in new places, the bounds of the shaded background are used for layout calculations As with all elements, if more than one element overlaps, the one declared last in the markup is placed on top (Some layout controls offer more sophisticated layering, as the Canvas does with the ZIndex property discussed in the previous chapter.) To get a feeling for how the different PlaneProjection properties interact, it helps to play with a simple test application, like the one shown in Figure 9-15 Here, the user can rotate an element around its x axis, y axis, or z axis (or any combination) In addition, the element can be displaced locally or globally along the x axis using the LocalOffsetX and GlobalOffsetX properties described earlier Figure 9-15 Rotating ordinary elements in 3-D Although you can use a projection on any element, it’s often useful to apply it to some sort of container, like a layout panel or the Border element, as in this example That way, you can place more elements inside This example is particularly interesting because among the projected elements are interactive controls like a button and text box These controls continue to work in their standard ways, responding to mouse clicks, allowing focus and typing, and so on, even as you rotate the containing Border element 315 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS Type Here: Although you can adjust the PlaneProjection object using code, this example uses the data-binding feature you learned about in Chapter However, because the PlaneProjection isn’t an element, it can’t use binding expressions Instead, you need to place the binding in the linked Slider controls and use a two-way binding to ensure that the new angles are passed backed to the projection as the user drags the tab Here’s an example with the x-axis slider: RotationX If you rotate an element far enough around the x axis or y axis (more than 90 degrees), you begin to see its back Silverlight treats all elements as though they have transparent backing, which means your element’s content is reversed when you look at it from the rear This is notably different than the 3-D support in WPF, which gives all shapes a blank (invisible) backing unless you explicitly place content there If you flip interactive elements this way, they keep working, and they continue capturing all the standard mouse events Pixel Shaders One of the most impressive and most understated features in Silverlight is its support for pixel shaders–objects that transform the appearance of any element by manipulating its pixels just before they’re displayed in the Silverlight content region (Pixel shaders kick in after the transforms and projections you’ve just learned about.) A crafty pixel shader is as powerful as the plug-ins used in graphics software like Adobe Photoshop It can anything from adding a basic drop shadow to imposing more ambitious effects like blurs, glows, watery ripples, embossing, sharpening, and so on Pixel shaders can also create eye-popping effects when they’re combined with animation that alters their parameters in real time, as you’ll see in Chapter 10 Every pixel shader is represented by a class that derives from the abstract Effect class in the System.Windows.Media.Effects namespace Despite the remarkable potential of pixel shaders, Silverlight takes the restrained approach of including just three derived classes in the core runtime: BlurEffect, DropShadowEffect, and ShaderEffect In the following sections, you’ll look at each one and learn how you can incorporate more dazzling effects from a free library 316 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS BlurEffect Silverlight’s simplest effect is the BlurEffect class It blurs the content of an element, as though you’re looking at it through an out-of-focus lens You increase the level of blur by increasing the value of the Radius property (The default value is 5.) To use any pixel-shader effect, you create the appropriate effect object and set the Effect property of the corresponding element: Figure 9-16 shows three different blurs (where Radius is 2, 5, and 20) applied to a stack of buttons Figure 9-16 Blurred buttons DropShadowEffect DropShadowEffect adds a slightly offset shadow behind an element You have several properties to play with, as listed in Table 9-4 Table 9-4 DropShadowEffect Properties Name Description Color Sets the color of the drop shadow (the default is Black) ShadowDepth Determines how far the shadow is from the content, in pixels (the default is 5) BlurRadius Blurs the drop shadow, much like the Radius property of BlurEffect (the default is 5) Opacity Makes the drop shadow partially transparent, using a fractional value between (fully opaque, the default) and (fully transparent) Direction Specifies where the drop shadow should be positioned relative to the content, as an angle from to 360 Use to place the shadow on the right side, and increase the value to move the shadow counterclockwise The default is 315, which places it to the lower-right of the element 317 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS Figure 9-17 shows several different drop-shadow effects on a TextBlock Here’s the markup for all of them: Basic dropshadow Light blue dropshadow Blurred dropshadow with white text Close dropshadow Distant dropshadow Figure 9-17 Different drop shadows There is no class for grouping effects, which means you can apply only a single effect to an element at a time However, you can sometimes simulate multiple effects by adding them to 318 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS higher-level containers (for example, using the drop-shadow effect for a TextBlock and then placing it in a Stack Panel that uses the blur effect) In most cases, you should avoid this workaround, because it multiplies the rendering work and reduces performance Instead, look for a single effect that can does everything you need ShaderEffect The ShaderEffect class doesn’t represent a ready-to-use effect Instead, it’s an abstract class from which you derive to create your own custom pixel shaders By using ShaderEffect (or third-party custom effects that derive from it), you gain the ability to go far beyond mere blurs and drop shadows Contrary to what you may expect, the logic that implements a pixel shader isn’t written in C# code directly in the effect class Instead, pixel shaders are written using High Level Shader Language (HLSL), which was created as part of DirectX (The benefit is obvious–because DirectX and HLSL have been around for many years, graphics developers have already created scores of pixel-shader routines that you can use in your own code.) To create a pixel shader, you need to create the right HLSL code The first step is to install the DirectX SDK (go to http://msdn.microsoft.com/en-us/directx/aa937788.aspx) This gives you enough to create and compile HLSL code to a ps file (using the fxc.exe command-line tool), which is what you need to use a custom ShaderEffect class But a more convenient option is to use the free Shazzam tool (http://shazzam-tool.com) Shazzam provides an editor for HLSL files, which includes the ability to try them on sample images It also includes several sample pixel shaders that you can use as the basis for custom effects Although authoring your own HLSL files is beyond the scope of this book, using an existing HLSL file isn’t Once you’ve compiled your HLSL file to a ps file, you can use it in a project Simply add the file to an existing Silverlight project, select it in the Solution Explorer, and set its Build Action to Resource Finally, you must create a custom class that derives from ShaderEffect and uses this resource For example, if you’re using a custom pixel shader that’s compiled in a file named Effect.ps, you can use the following code: public class CustomEffect : ShaderEffect { public CustomEffect() { // Use the URI syntax described in Chapter to refer to your resource // AssemblyName;component/ResourceFileName Uri pixelShaderUri = new Uri("CustomEffectTest;component/Effect.ps", UriKind.Relative); // Load the information from the ps file PixelShader = new PixelShader(); PixelShader.UriSource = pixelShaderUri; } } You can now use the custom pixel shader in any page First, make the namespace available by adding a mapping like this: 319 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS Now, create an instance of the custom effect class, and use it to set the Effect property of an element: You can get a bit more complicated than this if you use a pixel shader that takes certain input arguments In this case, you need to create the corresponding dependency properties by calling the static RegisterPixelShaderSamplerProperty() method ■ Tip Unless you’re a hard-core graphics programmer, the best way to get more advanced pixel shaders isn’t to write the HLSL yourself Instead, look for existing HLSL examples or—even better—third-party Silverlight components that provide custom effect classes The gold standard is the free Windows Presentation Foundation Pixel Shader Effects Library (which also works with Silverlight 3) at http://codeplex.com/wpffx In includes a long list of dazzling effects like swirls, color inversion, and pixilation Even more useful, it includes transition effects that combine pixel shaders with the animation capabilities described in Chapter 10 The WriteableBitmap Class In Chapter 5, you learned to show bitmaps with the Image element However, displaying a picture this way is a strictly one-way affair Your application takes a ready-made bitmap, reads it, and displays it in the page On its own, the Image element doesn’t give you a way to create or edit bitmap information This is where WriteableBitmap fits in It derives from BitmapSource, which is the class you use when setting the Image.Source property (either directly, when you set the image in code, or implicitly, when you set it in XAML) But whereas BitmapSource is a read-only reflection of bitmap data, WriteableBitmap is a modifiable array of pixels that opens up many interesting possibilities Generating a Bitmap The most direct way to use WriteableBitmap is to create an entire bitmap by hand This process may seem labor intensive, but it’s an invaluable tool if you want to create fractals or create a visualization for music or scientific data In these scenarios, you need to use a code routine to dynamically draw some sort of data, whether it’s a collection of 2-D shapes (using the shape elements introduced in Chapter 8) or a raw bitmap (using WriteableBitmap) To generate a bitmap with WriteableBitmap, you follow a fairly straightforward set of steps First, you create the in-memory bitmap At this time, you supply its width and height in pixels Here’s an example that creates an image as big as the current page: WriteableBitmap wb = new WriteableBitmap((int)this.ActualWidth, (int)this.ActualHeight); 320 CHAPTER ■ BRUSHES, TRANSFORMS, AND BITMAPS Next, you need to fill the pixels To so, you use the Pixels property, which provides a one-dimensional array of pixels The pixels in this array stretch from left to right to fill each row, from top to bottom To find a specific pixel, you need to use the following formula, which steps down the number of rows and then moves to the appropriate position in that row: y * wb.PixelWidth + x For example, to set the pixel (40, 100), you use this code: wb.Pixels[100 * wb.PixelWidth + 40] = ; The color of each pixel is represented by a single unsigned integer However, to construct this integer you need to pack together several pieces of information: the alpha, red, green, and blue values of the color, each of which is a single byte from to 255 The easiest way to calculate the right pixel value is to use this bit-shifting code: int int int int alpha = 255; red = 100; green = 200; blue = 75; int pixelColorValue = (alpha

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

Từ khóa liên quan

Mục lục

  • Navigation

    • The Frame and Page

      • URI Mapping

      • Forward and Backward Navigation

      • Hyperlinks

      • Pages

      • Navigation Templates

      • The Last Word

      • Shapes and Geometries

        • Basic Shapes

          • The Shape Classes

          • Rectangle and Ellipse

          • Sizing and Placing Shapes

          • Sizing Shapes Proportionately with a Viewbox

          • Line

          • Polyline

          • Polygon

          • Line Caps and Line Joins

          • Dashes

          • Paths and Geometries

            • Line, Rectangle, and Ellipse Geometries

            • Combining Shapes with GeometryGroup

            • Curves and Lines with PathGeometry

            • The Geometry Mini-Language

            • Clipping with Geometry

Tài liệu cùng người dùng

  • Đang cập nhật ...

Tài liệu liên quan