Silverlight – Animation ”; Previous Next Animation allows you to create truly dynamic user interfaces. It is often used to apply effects, for example, icons that grow when you move over them, logos that spin, text that scrolls into view, and so on. Sometimes, these effects seem like excessive glitz. If used properly, animations can enhance an application in a number of ways. They can make an application seem more responsive, natural, and intuitive. For example, a button that slides in when you click it feels like a real, physical button, not just another gray rectangle. Animations can also draw attention to important elements and guide the user through transitions to new content. Silverlight’s approach to animation is declarative rather than focusing on sequences of frames animations. Defining Animations Animations are typically defined in resource sections. In fact, they are usually wrapped in a story board element, which we will see in detail shortly. It provides a Begin() method, so the animation can be invoked from code. Animations can also be put inside of the visual state elements in a control template. Declarative Animation Animations in Silverlight are declarative. They describe what would like to have happen. Leave it up to Silverlight to work out how to make that happen. So animations typically follow the pattern we tell Silverlight what we would like to change. This is always some property on some named elements i.e. TargetName and TargetProperty. <DoubleAnimation Storyboard.TargetName = “myRectangle” Storyboard.TargetProperty = “Opacity” From = “0” To = “1” Duration = “0:0:5” /> We say how we would like that property to change in this case we are changing the opacity from a value of zero to a value of one. In other words, we like the target elements to fade from opaque to transparent. Finally, we say how long we would like this to take, in this case it will take five seconds. the significance of the double in this double animation is that it targets a property which has type double, so a floating point value. If you want to animate a property representing a color, you use a color animation instead. Let us have a look at a simple example of double animation. Given below is the XAML code in which two buttons, one rectangle and two story boards are added. <UserControl x:Class = “DoubleAnimationExample.MainPage” xmlns = “http://schemas.microsoft.com/winfx/2006/xaml/presentation” xmlns:x = “http://schemas.microsoft.com/winfx/2006/xaml” xmlns:d = “http://schemas.microsoft.com/expression/blend/2008” xmlns:mc = “http://schemas.openxmlformats.org/markup-compatibility/2006” mc:Ignorable = “d” d:DesignWidth = “640” d:DesignHeight = “480”> <UserControl.Resources> <Storyboard x:Name = “fadeDown”> <DoubleAnimation Storyboard.TargetName = “myRectangle” Storyboard.TargetProperty = “Opacity” From = “1” To = “0” Duration = “0:0:5” /> </Storyboard> <Storyboard x:Name = “fadeUp”> <DoubleAnimation Storyboard.TargetName = “myRectangle” Storyboard.TargetProperty = “Opacity” From = “0” To = “1” Duration = “0:0:5” /> </Storyboard> </UserControl.Resources> <Grid x:Name = “LayoutRoot”> <Rectangle x:Name = “myRectangle” Fill = “Blue” Width = “300” Height = “100” HorizontalAlignment = “Center” VerticalAlignment = “Top” Margin = “0,30” /> <Button x:Name = “fadeUpButton” Content = “Up” Width = “80” Height = “30” HorizontalAlignment = “Left” VerticalAlignment = “Top” Margin = “50,140,0,0” Click = “fadeUpButton_Click” /> <Button x:Name = “fadeDownButton” Content = “Down” Width = “80” Height = “30” HorizontalAlignment = “Left” VerticalAlignment = “Top” Margin = “50,180,0,0” Click = “fadeDownButton_Click” /> </Grid> </UserControl> Here is the implementation for different events in C#. using System.Windows; using System.Windows.Controls; namespace DoubleAnimationExample { public partial class MainPage : UserControl { public MainPage() { InitializeComponent(); } private void fadeUpButton_Click(object sender, RoutedEventArgs e) { fadeUp.Begin(); } private void fadeDownButton_Click(object sender, RoutedEventArgs e) { fadeDown.Begin(); } } } When the above code is compiled and executed, you will see the following output. Repeating and Reversing Animations offer some properties to automatically repeat and all reverse animations. If you set the repeat behavior property to a time spam the animation will loop around repeating until the specified amount of time has elapsed or you can just tell it how many times you would like it to repeat. This supports decimal points so you can repeat four and a half times. You can repeat forever and you can also tell the animation that once it reaches the end, it should run in reverse back to the start. Key Frame Animation Often a simple animation from A to B is a little too simple. For example, you want to animate a ball bouncing off the ground. This is not a simple point to point movement. The ball drops, speeding up gradually and then reverses its direction as it hits the bottom. Slowing up again as it comes back to the top of its travel. Let us have a look at a simple example of Key Frame animation. Given below is the XAML code, which contains an ellipse and double animation with key frames. <UserControl x:Class = “LinearKeyFrames.MainPage” xmlns = “http://schemas.microsoft.com/winfx/2006/xaml/presentation” xmlns:x = “http://schemas.microsoft.com/winfx/2006/xaml” xmlns:d = “http://schemas.microsoft.com/expression/blend/2008” xmlns:mc = “http://schemas.openxmlformats.org/markup-compatibility/2006” mc:Ignorable = “d” Width = “400” Height = “300”> <UserControl.Resources> <Storyboard x:Name = “ballAnim” SpeedRatio = “0.2”> <DoubleAnimation From = “0” Duration = “00:00:03” To = “96” Storyboard.TargetName = “ellipse” Storyboard.TargetProperty = “(Canvas.Left)” /> <DoubleAnimationUsingKeyFrames Storyboard.TargetName = “ellipse” Storyboard.TargetProperty = “(Canvas.Top)”> <LinearDoubleKeyFrame KeyTime = “00:00:00” Value = “0”/> <LinearDoubleKeyFrame KeyTime = “00:00:00.5” Value = “16” /> <LinearDoubleKeyFrame KeyTime = “00:00:01” Value = “48”/> <LinearDoubleKeyFrame KeyTime = “00:00:01.5” Value = “112”/> <LinearDoubleKeyFrame KeyTime = “00:00:02” Value = “48”/> <LinearDoubleKeyFrame KeyTime = “00:00:02.5” Value = “16”/> <LinearDoubleKeyFrame KeyTime = “00:00:03” Value = “0”/> </DoubleAnimationUsingKeyFrames> </Storyboard> </UserControl.Resources> <Grid x:Name = “LayoutRoot” Background = “White”> <Canvas> <Ellipse x:Name = “ellipse” Fill = “Aqua” Width = “50” Height = “50” /> </Canvas> </Grid> </UserControl> Here is the implementation for mouse left button down event, which will begin animation when user press mouse left button down on the web page. using System.Windows.Controls; using System.Windows.Input; namespace LinearKeyFrames { public partial class MainPage : UserControl { public MainPage() { InitializeComponent(); this.MouseLeftButtonDown += new MouseButtonEventHandler(Page_MouseLeftButtonDown); } void Page_MouseLeftButtonDown(object sender, MouseButtonEventArgs e) { ballAnim.Begin(); } } } When the above code is compiled and executed, you will see the following output. When
Category: silverlight
Silverlight – View Model
Silverlight – View Model ”; Previous Next In this chapter, we will be looking at an important technique in Silverlight”s software development, the use of View Models. The view model is a key piece, which introduces a technique called separated presentation by keeping the view separate from the model. View Models offer one-way of achieving separated presentation, and we will see how they exploit Silverlight”s data binding to reduce the amount of code needed in your user interface. UI Development Challenges View Models are designed to solve certain problems that crop up frequently when developing user interface software. Perhaps the most important one is that user interface code is often difficult to inextricably test, especially with automated unit tests. There are also code quality problems that can affect the ongoing flexibility and maintainability of your code. If you follow the path of least resistance that Visual Studio”s design tools lead you down, you can end up putting far too much code into the code behind. It is very common to see large amounts of application functionality are added into the code behind. Few developers would actually plan to put business logic into a user interface class, but because that is where Visual Studio puts your event handlers, it becomes an all too convenient place to get the things done. It is widely accepted that software is easier to develop and maintain if classes have well-defined, and reasonably narrow responsibilities. The code behind”s job is to interact directly with the objects that make up the user interface where it is necessary. As soon as you start putting code that makes decisions about how your application behaves in there which tends to lead to problems. Not only can application logic flow into code that”s supposed to be concerned with the user interface, some developers start to rely on controls, and other user interface objects to hold important application state. The model simply holds the data, the view simply holds the formatted date, and the controller (ViewModel) acts as the liaison between the two. The controller might take input from the view and place it on the model and vice versa. Separated Presentation To avoid the problems caused by putting application logic in the code behind or XAML, it is best to use a technique known as separated presentation. Having XAML and code behind with the minimum required for working with user interface objects directly, a user interface classes also contain code for complex interaction behaviors, application logic, and everything else as shown below on left side. Important features of Seperated Presentation − With separated presentation, the user interface class is much simpler. It has XAML of course, but the code behind does as little as is practical. The application logic belongs in a separate class, which is often referred to as the model. Many developers attempt to use data binding to connect elements in the XAML directly to properties in the model. The problem is the model is entirely concerned with matters of what the application does, and not with how the user interacts with the application. Most user interfaces have some state that does not belong in the application model. For example, if your user interface uses a drag and drop, something needs to keep track of things like where the item being dragged is right now, how its appearance should change as it moves over possible drop targets, and how those drop targets might also change as the item is dragged over them. This sort of state can get surprisingly complex, and needs to be thoroughly tested. In practice, you normally want some other class sitting between the user interface and the model. This has two important roles. First, it adapts your application model for a particular user interface view. Second, it is where any nontrivial interaction logic lives, and by that, I mean code required to get your user interface to behave in the way you want. Model / View / ViewModel View Model is an example of the separated presentation approach, but let us be clear about exactly what sort of thing we have in each layer. There are three layers − Model View ViewModel Model This is a classic object model comprising of ordinary C# classes that has no direct relationship with the user interface. You would typically expect your Model codes to be able to compile without references to any user interface libraries. In fact, you would probably be able to take the exact same source code and compile it into a Silverlight application, an ordinary .NET Console application, or even server-side web code. The types in the Model should represent the concepts your application works with. View A View is normally a UserControl, it might be your MainPage, or it might just be some part of your page. In most Silverlight applications, it is a good idea to split your user interface up into small pieces defining a UserControl, or View for each piece. Silverlight applications are not unique in this respect. Something that is obviously Silverlight specific is the View. The more fine-grained your user interface is, the better things tend to be. Not only are you less likely to trip over other developers working on the same files, keeping things small and simple naturally discourages the shortcuts that lead to spaghetti-like code. For example, it is very common to define a View to represent an individual item in a List. ViewModel Finally, for each View, you write a ViewModel. So, this is one of the important features of a ViewModel class. It exists to serve a particular View. The ViewModel is specialized for a particular way of presenting things, such as a particular data item as it appears in Lists. This is why it is called a ViewModel; it adapts the underlying Model especially for a particular View. Like the Model, the ViewModel is also an ordinary C# class. It does not need to derive from any particular type.
Silverlight – Dynamic Layout
Silverlight – Dynamic Layout ”; Previous Next The Canvas is the least interesting of all of the Silverlight”s Layout panels. The other panels enable Dynamic Layouts, meaning that the layouts can adapt as the number of displayed items changes, or the size of the displayed information varies, or if the amount of space available to the application changes because the user has resized the browser. Silverlight offers two panels with Dynamic Layout strategies. StackPanel − which arranges elements in a vertical or horizontal stack. Grid − which provides a flexible grid-like, or table-like layout system. Stack Panel Stack panel is a simple and useful layout panel in XAML. In Stack Panel, the child elements can be arranged in a single line either horizontally or vertically based on their orientation property. It is often used whenever any kind of list needs to be created. ItemsControls use stack panels. Menu, ListBox and ComboBox are their default internal layout panel. Given below are the commonly used properties of StackPanel. Given below are the most commonly used properties of StackPanel. Sr. No. Property & Description 1 Background Gets or sets a Brush that fills the panel content area. (Inherited from Panel) 2 Children Gets a UIElementCollection of child elements of this Panel. (Inherited from Panel.) 3 Height Gets or sets the suggested height of the element. (Inherited from FrameworkElement.) 4 ItemHeight Gets or sets a value that specifies the height of all items that are contained within a WrapPanel. 5 ItemWidth Gets or sets a value that specifies the width of all items that are contained within a WrapPanel. 6 LogicalChildren Gets an enumerator that can iterate the logical child elements of this Panel element. (Inherited from Panel.) 7 LogicalOrientation The Orientation of the panel, if the panel supports layout in only a single dimension. (Inherited from Panel.) 8 Margin Gets or sets the outer margin of an element. (Inherited from FrameworkElement.) 9 Name Gets or sets the identifying name of the element. The name provides a reference so that code-behind, such as event handler code, can refer to a markup element after it is constructed during processing by a XAML processor. (Inherited from FrameworkElement.) 10 Orientation Gets or sets a value that specifies the dimension in which child content is arranged. 11 Parent Gets the logical parent element of this element. (Inherited from FrameworkElement.) 12 Resources Gets or sets the locally-defined resource dictionary. (Inherited from FrameworkElement.) 13 Style Gets or sets the style used by this element when it is rendered. (Inherited from FrameworkElement.) 14 Width Gets or sets the width of the element. (Inherited from FrameworkElement.) The following example shows how to add child elements into a StackPanel. Given below is the XAML implementation in which Buttons are created inside a StackPanel with some properties. <UserControl x:Class = “DynamicLayout.MainPage” xmlns = “http://schemas.microsoft.com/winfx/2006/xaml/presentation” xmlns:x = “http://schemas.microsoft.com/winfx/2006/xaml” xmlns:d = “http://schemas.microsoft.com/expression/blend/2008” xmlns:mc = “http://schemas.openxmlformats.org/markup-compatibility/2006” mc:Ignorable = “d” d:DesignHeight = “300” d:DesignWidth = “400”> <Grid x:Name = “LayoutRoot” Background = “White”> <StackPanel> <Button x:Name = “button” Content = “Button” Margin = “10” /> <Button x:Name = “button1” Content = “Button” Margin = “10”/> <Button x:Name = “button2” Content = “Button” Margin = “10”/> <Button x:Name = “button3” Content = “Button” Margin = “10”/> </StackPanel> </Grid> </UserControl> When the above code is compiled and executed, you will see the following output. The StackPanel tries to arrange for each element to have as much space as it requires in the direction of stacking. Now if you resize the browser, you will see that the width of the buttons have also changed. Grid Grid panel provides a flexible area, which consists of rows and columns. In Grid, the child elements can be arranged in tabular form. An element can be added to any specific row and column by using Grid.Row and Grid.Column properties. By default, the Grid panel is created with one row and one column. Multiple rows and columns are created by RowDefinitions and ColumnDefinitions properties. The height of the rows and the width of the columns can be defined in the following three ways − Fixed value − To assign a fixed size of logical units (1/96 inch). Auto − It will take the space, which is required for the controls in that specific row/column. Star (*) − It will take the remaining space when Auto and fixed sized are filled. Given below are the commonly used properties of Grid class. Given below are the most commonly used properties of Grid. Sr. No. Property & Description 1 Background Gets or sets a Brush that fills the panel content area. (Inherited from Panel) 2 Children Gets a UIElementCollection of child elements of this Panel. (Inherited from Panel.) 3 ColumnDefinitions Gets a list of ColumnDefinition objects defined on this instance of Grid. 4 Height Gets or sets the suggested height of the element. (Inherited from FrameworkElement.) 5 ItemHeight Gets or sets a value that specifies the height of all items that are contained within a WrapPanel. 6 ItemWidth Gets or sets a value that specifies the width of all items that are contained within a WrapPanel. 7 Margin Gets or sets the outer margin of an element. (Inherited from FrameworkElement.) 8 Name Gets or sets the identifying name of the element. The name provides a reference so that code-behind, such as event handler code, can refer to a markup element after it is constructed during processing by a XAML processor. (Inherited from FrameworkElement.) 9 Orientation Gets or sets a value that specifies the dimension in which child content is arranged. 10 Parent Gets the logical parent element of this element. (Inherited from FrameworkElement.) 11 Resources Gets or sets the locally-defined resource dictionary. (Inherited from FrameworkElement.) 12 RowDefinitions Gets a list of RowDefinition objects defined on this instance of Grid. 13 Style Gets or sets the style used by this element when it is rendered. (Inherited from FrameworkElement.) 14 Width Gets or sets the width of the element. (Inherited from FrameworkElement.) Given below are the commonly
Silverlight – Controls
Silverlight – Controls ”; Previous Next All controls have interactive behavior of some kind such as, the way the button lights up when you move the mouse over it and pushes it when you press it, scrolling and selection behavior of a list box. In all the cases, the controls go beyond simple visibility. It might be more complex than it seems. These controls are a combination of the parents and the code. Silverlight allows a developer to easily build and create visually enriched UI based applications. The controls distinguish Silverlight from the other elements. Some important features are − The classical UI elements or controls in other UI frameworks are also enhanced in silverlight applications. Almost all of the standard Silverlight controls can be found in the Toolbox, which is a part of the System.Windows.Controls. These controls can also be created in XAML markup language. The complete inheritance hierarchy of Silverlight controls is as follows − Print Page Previous Next Advertisements ”;
Silverlight – CSS
Silverlight – CSS ”; Previous Next Since Silverlight content always runs inside a web page, the object tag is subject to normal CSS layout rules. There is no way for the plug-in to push a preferred size back to the browser, so regardless of what size the Silverlight content may want to be, its size and position will be wholly determined by the containing web page. The default Silverlight project template puts CSS in the web page that gives the object tag the whole of the browser window. The default XAML appears to have a fixed size, but if you look closely, you will see that the template sets the design width, and design height properties. These tell Visual Studio, or Blend, how large the user interface should look in the designer, but they allow it to resize at runtime. In Solution Explorer you will see {project name}TestPage.html file, which is the default HTML you get when you create a new Silverlight project in Visual Studio as shown below. The CSS at the top here, sets the HTML and body style to be 100%, which may seem a bit odd. Here is the complete html file, which contains different settings. <!DOCTYPE html PUBLIC “-//W3C//DTD XHTML 1.0 Transitional//EN” “http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd”> <html xmlns = “http://www.w3.org/1999/xhtml” > <head> <title>FirstExample</title> <style type = “text/css”> html, body { height: 100%; overflow: auto; } body { padding: 0; margin: 0; } #silverlightControlHost { height: 100%; text-align:center; } </style> <script type = “text/javascript” src = “Silverlight.js”></script> <script type = “text/javascript”> function onSilverlightError(sender, args) { var appSource = “”; if (sender != null && sender != 0) { appSource = sender.getHost().Source; } var errorType = args.ErrorType; var iErrorCode = args.ErrorCode; if (errorType == “ImageError” || errorType == “MediaError”) { return; } var errMsg = “Unhandled Error in Silverlight Application ” + appSource + “n” ; errMsg += “Code: “+ iErrorCode + ” n”; errMsg += “Category: ” + errorType + ” n”; errMsg += “Message: ” + args.ErrorMessage + ” n”; if (errorType == “ParserError”) { errMsg += “File: ” + args.xamlFile + ” n”; errMsg += “Line: ” + args.lineNumber + ” n”; errMsg += “Position: ” + args.charPosition + ” n”; } else if (errorType == “RuntimeError”) { if (args.lineNumber != 0) { errMsg += “Line: ” + args.lineNumber + ” n”; errMsg += “Position: ” + args.charPosition + ” n”; } errMsg += “MethodName: ” + args.methodName + ” n”; } throw new Error(errMsg); } </script> </head> <body> <form id = “form1” runat = “server” style = “height:100%”> <div id = “silverlightControlHost”> <object data = “data:application/x-silverlight-2,” type = “application/xsilverlight-2” width = “100%” height = “100%”> <param name = “source” value = “ClientBin/FirstExample.xap”/> <param name = “onError” value = “onSilverlightError” /> <param name = “background” value = “white” /> <param name = “minRuntimeVersion” value = “5.0.61118.0” /> <param name = “autoUpgrade” value = “true” /> <a href = “http://go.microsoft.com/fwlink/?LinkID=149156&v=5.0.61118.0” style = “textdecoration:none”> <img src = “http://go.microsoft.com/fwlink/?LinkId=161376” alt = “Get Microsoft Silverlight” style = “border-style:none”/> </a> </object> <iframe id = “_sl_historyFrame” style = “visibility:hidden;height:0px; width:0px;border:0px”></iframe> </div> </form> </body> </html> Looking at the silverlightControlHost, we need to make sure it stars with a fixed height, say 300 pixels, and a width of 400 pixels, which matches the default design width and height in the XAML. You can also change these settings according to your application requirements. Overlapping Content By default, Silverlight and HTML contents cannot share the same space on the screen. If you make a content from both, such that they occupy the same space then only the Silverlight content will be visible. This is because, by default, Silverlight will ask the browser for its own private window, rendering all the content into that. It is a child window inside the browser, so it looks like a part of the web page, but it prevents the content from overlapping. The main reason for this is performance. By getting its own private area on the screen, Silverlight does not have to coordinate its rendering with a web browser. However, sometimes it is useful to have an overlapping content. There is a performance price to pay. You might find that animations do not run as smoothly when Silverlight and HTML share space on screen, but the extra layout flexibility may be worth the price. To use the overlapping content, you need to enable Windowless mode. In Windowless mode, the Silverlight plug-in renders to the same target window handler as the browser allowing the content to mingle. Zed index, or Z index is significant when the contents overlap. As far as HTML is concerned, the Silverlight content is a single HTML element, so it appears at exactly one place in the HTML Z order. This has an impact on mouse handling. If the Silverlight plug-in is at the top of the HMTL Z order, any mouse activity anywhere within its bounding box, will be delivered to the plug-in. Even if some areas of the plug-in are transparent, and you can see the HTML behind, you won”t be able to click it. However, if you arrange for the Z index with some HTML content to be on top, it will continue to be interactive even when it overlaps with Silverlight content. Example Take a look at the simple example given below in which we have a layout with a container, in which three divs have all been arranged to overlap inside of this containing div. <!DOCTYPE html PUBLIC “-//W3C//DTD XHTML 1.0 Transitional//EN” “http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd”> <html xmlns = “http://www.w3.org/1999/xhtml” > <head> <title>HtmlOverlap</title> <style type = “text/css”> #container { position: relative; height: 300px; font-size: small; text-align:justify; } #silverlightControlHost { position: absolute; width: 400px; height: 300px; } #underSilverlight { position: absolute; left: 4px; width: 196px; } #overSilverlight { position: relative; left: 204px; width: 196px; } </style> <script type = “text/javascript” src = “Silverlight.js”></script> <script type = “text/javascript”> function onSilverlightError(sender, args) { var appSource = “”; if (sender != null && sender != 0) { appSource = sender.getHost().Source; } var errorType = args.ErrorType;
Silverlight – Input Handling
Silverlight – Input Handling ”; Previous Next In this chapter, we will learn how to handle user input in Silverlight applications. Silverlight provides a powerful API with the help of which an application can get input from various devices such as mouse, keyboard, and touch etc. Input Types There are several different ways, a user can interact with your application. The most obvious way is with a mouse. Silverlight offers events for tracking − Mouse movements Button clicks, and Wheel activity There is also the keyboard, of course, and Silverlight also supports touch screen input. If you are familiar with touch support in Windows, you know that touch input can be represented either as low-level events providing detailed information, or it can be summarized into high-level events called gestures. Mouse Events Let us get started by looking at the mouse input events Silverlight offers. Some events are concerned with the movement of the mouse pointer. The MouseMove event is raised anytime the pointer moves while it is over the elements to which you have attached the handler. You also get MouseEnter and MouseLeave events to notify you of when the mouse moves in to, and out of the element. Given below is the XAML code in which ellipse and TextBlock is added. <UserControl x:Class=”MouseInput.MainPage” xmlns = “http://schemas.microsoft.com/winfx/2006/xaml/presentation” xmlns:x = “http://schemas.microsoft.com/winfx/2006/xaml” xmlns:d = “http://schemas.microsoft.com/expression/blend/2008” xmlns:mc = “http://schemas.openxmlformats.org/markup-compatibility/2006” mc:Ignorable = “d” d:DesignHeight = “300” d:DesignWidth = “400”> <Grid x:Name = “LayoutRoot” Background = “White”> <TextBlock x:Name = “mouseText” FontSize = “40” VerticalAlignment = “Top” Height = “76” Margin = “0,10,0,0” /> <Ellipse Name = “myEllipse” Width = “320” Height = “150” HorizontalAlignment = “Left” VerticalAlignment = “Top” Margin = “27,103,0,0” Stroke = “Black” StrokeThickness = “10” Fill = “#00FF0000” MouseEnter = “myEllipse_MouseEnter” MouseLeave = “myEllipse_MouseLeave” MouseMove = “myEllipse_MouseMove” /> </Grid> </UserControl> Given below is the implementation for different mouse input events. using System.Windows.Controls; using System.Windows.Input; using System.Windows.Media; namespace MouseInput { public partial class MainPage : UserControl { public MainPage() { InitializeComponent(); } private void myEllipse_MouseEnter(object sender, MouseEventArgs e) { mouseText.Text = “Mouse Enter”; myEllipse.Stroke = new SolidColorBrush(Colors.Blue); } private void myEllipse_MouseLeave(object sender, MouseEventArgs e) { mouseText.Text = “Mouse Leave”; myEllipse.Stroke = new SolidColorBrush(Colors.Black); } private void myEllipse_MouseMove(object sender, MouseEventArgs e) { mouseText.Text = “Mouse Move: ” + e.GetPosition(myEllipse); } } } When the above code is compiled and executed, you will see the following output. When the mouse enters the ellipse, you will see the change in color and coordinates. When the mouse leaves the ellipse, it will show a message ‘mouse leave’ and will change to the default color. Keyboard The easiest way for a user to enter textual data into your application is through the keyboard, where available. Remember that not all mobile devices have keyboards except for laptops and desktops. Silverlight offers two straightforward events for keyboard input, KeyUp and KeyDown. Both of these pass a KeyEventArgs to the handler, and the Key property indicates which key was pressed. In the below example some of the keyboard input are handled. The following example defines a handler for the Click event and a handler for the KeyDown event. Given below is the XAML code in which different UI elements are added. <UserControl x:Class = “KeyboardInput.MainPage” xmlns = “http://schemas.microsoft.com/winfx/2006/xaml/presentation” xmlns:x = “http://schemas.microsoft.com/winfx/2006/xaml” xmlns:d = “http://schemas.microsoft.com/expression/blend/2008” xmlns:mc = “http://schemas.openxmlformats.org/markup-compatibility/2006” mc:Ignorable = “d” d:DesignHeight = “300” d:DesignWidth = “400”> <Grid x:Name = “LayoutRoot” Background = “White”> <StackPanel Orientation = “Horizontal” KeyDown = “OnTextInputKeyDown”> <TextBox Width = “400” Height = “30” Margin = “10”/> <Button Click = “OnTextInputButtonClick” Content = “Open” Margin = “10” Width = “50” Height = “30”/> </StackPanel> </Grid> </UserControl> Given below is the C# code in which different keyboard and click events are handled. using System.Windows; using System.Windows.Controls; using System.Windows.Input; namespace KeyboardInput { public partial class MainPage : UserControl { public MainPage() { InitializeComponent(); } private void OnTextInputKeyDown(object sender, KeyEventArgs e) { if (e.Key == Key.O) { handle(); e.Handled = true; } } private void OnTextInputButtonClick(object sender, RoutedEventArgs e) { handle(); //e.Handled = true; } public void handle() { MessageBox.Show(“Do you want to open a file?”); } } } When the above code is compiled and executed, you will see the following − If you click the Open button or click in the textbox and click OK, then it will display the same message. We recommend you to execute the above example for better understanding. Print Page Previous Next Advertisements ”;
Silverlight – Project Types
Silverlight – Project Types ”; Previous Next If you create a new project in Visual Studio, you will see four types of project in the right pane of the dialog box. They are − Silverlight Application Silverlight Class Library Class Library (Portable) Silverlight Navigation Application The first two, Silverlight Application and Silverlight Class Library, are straightforward enough. These are analogous to executables in DLLs in the world of classic Windows applications. Both build DLLs because of how Silverlight applications are deployed. Conceptually, a Silverlight Application project builds a program, which can be run, while the Class Library project builds a library designed to be incorporated into other applications. You can build a class library if you are planning to build multiple applications, and want to reuse the common code. If you are planning to sell the controls that other people will use in their applications, again a library is the thing to build. The other project types are a little less obvious, so we will look at those in detail later in this chapter. Silverlight Web Applications Silverlight applications are downloaded from the web, so you will normally have a web project associated with the Silverlight project. There are a couple of features of Visual Studio, designed to manage the relationship between these projects. Let us have a look at a simple example of Silverlight Application project again. Step 1 − Open Visual Studio. Click the File menu, point to New and then click Project. Step 2 − A New Project dialog box will open. Under Templates, select Visual C# and then click Silverlight. In the right pane, choose Silverlight Application. Enter a project name and a location on your hard drive to save your project. The Silverlight project itself is just going to build the Silverlight content, and that content is just one asset amongst many that are going to make up the whole web application. Click OK. Step 3 − Check the Host the Silverlight application checkbox. The default is an ASP.NET Web Application Project. Step 4 − MS-Visual Studio has created two projects, the Silverlight project and an ASP.NET web application. Now, we need an ASP.NET web application. You can see this in the Solution Explorer window as shown below. Anything that can serve up the content via HTTP will do but this is Visual Studio, and it understands the ASP.NET web technology, so that is what it gives us. To demonstrate that Silverlight does not depend on any particular server-side technology, let us delete this .aspx file, leaving just the plain static HTML file. Step 5 − Right-click FirstExampleTestpage.aspx. From the list of options, click Delete. Step 6 − Set FirstExampleTestPage.html as the Start page. The MainPage.xaml file defines the user interface for Silverlight content. Either you can write XAML code directly or you can also use Toolbox to drag and drop different UI elements. Step 7 − Given below is a simple code in MainPage.xaml in which a Button and a TextBlock are defined inside the StackPanel. <UserControl x:Class = “FirstExample.MainPage” xmlns = “http://schemas.microsoft.com/winfx/2006/xaml/presentation” xmlns:x = “http://schemas.microsoft.com/winfx/2006/xaml” xmlns:d = “http://schemas.microsoft.com/expression/blend/2008” xmlns:mc = “http://schemas.openxmlformats.org/markup-compatibility/2006” mc:Ignorable = “d” d:DesignHeight = “300” d:DesignWidth = “400”> <Grid x:Name = “LayoutRoot” Background = “White”> <StackPanel> <TextBlock x:Name = “TextMessage” Text = “Hello World!” Margin = “5”> </TextBlock> <Button x:Name = “ClickMe” Click = “ClickMe_Click” Content = “Click Me!” Margin = “5”> </Button> </StackPanel> </Grid> </UserControl> Step 8 − This example assumes that you have created an event-handling method named ClickMe_Click. Here is what it looks like in the MainPage.xaml.cs file. using System.Windows; using System.Windows.Controls; namespace FirstExample { public partial class MainPage : UserControl { public MainPage() { InitializeComponent(); } private void ClickMe_Click(object sender, RoutedEventArgs e) { TextMessage.Text = “Congratulations! you have created your first Silverlight Applicatoin”; } } } Step 9 − A Silverlight application can be run on any installed browsers. Step 10 − When the above code is compiled and executed, you will see the following webpage. Silverlight Navigation Application The Silverlight Navigation Application template builds a project similar to an ordinary Silverlight app. There is nothing fundamentally different about the two project types. The Navigation template just includes some additional code you could easily add yourself. As the name suggests, it supports web-like navigation within the Silverlight application. Let us create a Navigation application. Step 1 − Select Silverlight Navigation Application from the right pane in the New Project dialog box. Step 2 − Follow the settings as you have done for the Silverlight Web Application. Step 3 − Click the OK button. A window will open as shown below. These usually have an associated web project, so we will have one of those. It creates two projects as described before, but as you can see, the default user interface looks a bit less blank. Step 4 − It provides an Application Chrome, including a Navigation bar. The solution contains a few extra files. This Styles file defines the look and feel for the Navigation bar. In this Views folder, we see a couple of pages, and also a window for showing errors. As you can see, when you run the application, it shows a Home page with some placeholder content. Step 5 − When you click the About button, it will navigate to the About page. The important part is that you can then use the browser Back and Forward buttons to retrace the steps. Normally when you do that, the web browser goes from one web page to another, but here it does not. The Silverlight application does not actually unload; it stays running, and just shows different content. Therefore, from the browser”s point of view, it is actually all on one web page. Silverlight plays some tricks with the navigation buttons to ensure that the web page does not unload as we navigate. Print Page Previous Next Advertisements ”;
Silverlight – Useful Resources ”; Previous Next The following resources contain additional information on Silverlight. Please use them to get more in-depth knowledge on this. Useful Links on Silverlight Silverlight Wiki − Wikipedia Reference for Silverlight. Useful Books on Silverlight To enlist your site on this page, please drop an email to contact@tutorialspoint.com Print Page Previous Next Advertisements ”;
Silverlight – Out-of-Browser
Silverlight – Out-of-Browser Applications ”; Previous Next We are now going to explore Silverlight support for applications that can be installed on the end-user”s machine to run outside of the web browser like a normal Windows application. There are three main reasons you might want your application to be able to run out-of-browser − Interaction Offline Elevated Trust Interaction It may enable better interaction design. A navigation model of the web is not a particularly good fit for some applications. For example, the Address bar and Back button may be a waste of space, and useless. Importance of Silverlight here is as given below − Web applications can use client-side technologies, such as Silverlight, Flash, or AJAX to provide continuous updates to a single page, perhaps removing any need to navigate to other pages. In some applications, a user can spend many minutes, or even hours on what the browser considers to be a single page. For this sort of application, the Back button can end up having a rather surprising effect of exiting the application because it will dump you back at whatever page you were on before you went into the application. Distinctly, non-web-like applications are usually better served by running out of the browser, because that gets rid of the browser Chrome. Generally, usability is not the only reason for running out of browser. Offline Another reason to use this feature is to enable offline execution. When a Silverlight application is installed for out-of-browser operation, it is copied to a per user repository on the local machine and becomes available through the usual operating system mechanisms for launching applications, like the Start menu on Windows, for example. The application will then be available even if the user does not have internet connectivity. Obviously, this is only helpful for applications that do not depend wholly on the server-side information. For example, an auto-tracking application for a parcel delivery service would not be of much use without the network connectivity. For some applications, the ability to continue working during occasional connectivity failures is very helpful. Elevated Trust Silverlight”s version 4 added support for trusted applications. Silverlight”s security sandbox normally blocks certain privileged operations, such as accessing the user”s files. However, an out-of-browser application may request elevation. If the user grants that request, the application is able to do more of the kind of work any normal Windows application will be able to do, such as making use of COM Automation, or customizing the window border. Applications that run inside the browser are never trusted, so you have to write an outof-browser application if you want to use these features. Enabling OOB How do we write an out-of-browser application? It is very easy. We have to change a single setting in the project properties of Silverlight and it just adds a suitable setting to the AppManifest.xaml. Let us see how it works. When your manifest indicates that out-of-browser execution is supported, this has no initial effect. The application will run in the browser as usual. However, if the user right clicks, the standard Silverlight ContextMenu offers an extra item to install the application on the computer. If the user selects that item, a dialog box appears asking for confirmation. It also asks whether the application should be accessible from the Start menu, the Desktop, or both. You do not have to rely on the context menu. You could also offer a button that the user can click to install the application, because there is an API, you can call to initiate installation. When you kick off the installation programmatically, the user still sees the dialog box. You cannot install your app without the user consent. A Silverlight Application Here is a very simple Silverlight application. Given below is its XAML code. <UserControl x:Class = “SimpleOob.MainPage” xmlns = “http://schemas.microsoft.com/winfx/2006/xaml/presentation” xmlns:x = “http://schemas.microsoft.com/winfx/2006/xaml” xmlns:d = “http://schemas.microsoft.com/expression/blend/2008” xmlns:mc = “http://schemas.openxmlformats.org/markup-compatibility/2006” mc:Ignorable = “d” d:DesignHeight = “300” d:DesignWidth = “400”> <Grid x:Name = “LayoutRoot” Background = “White”> <Border BorderBrush = “Blue” BorderThickness = “4” CornerRadius = “20” > <Border.Background> <LinearGradientBrush StartPoint = “0,0” EndPoint = “0,1”> <GradientStop Offset = “0.0” Color = “White” /> <GradientStop Offset = “0.15” Color = “#cef” /> <GradientStop Offset = “1.0” Color = “White” /> </LinearGradientBrush> </Border.Background> <TextBlock HorizontalAlignment = “Center” VerticalAlignment = “Center” Text = “Silverlight Application” TextOptions.TextHintingMode = “Animated” TextAlignment = “Center” TextWrapping = “Wrap” FontSize = “72” FontFamily = “Trebuchet MS” > <TextBlock.Effect> <DropShadowEffect Color = “#888″ /> </TextBlock.Effect> </TextBlock> </Border> </Grid> </UserControl> Step 1 − To enable out-of-browser execution, go to the project”s Properties, and click the Silverlight tab. All we need to do is − check the Enable running application out of the browser checkbox. If you run this application, you will notice that you will not get a web browser at all. In fact, Visual Studio has made a decision on your behalf. When you enabled out-of-browser execution, it unfairly changed your debug settings. Step 2 − So, here in the Solution Explorer, notice that Silverlight project is now in bold, indicating that it is a startup project. That was not the case before. It had been the web project. Right now, we do not want that, because we want to show how that checkbox changes things for the end user. Step 3 − We will set the web project back to being the StartUp Project. Step 4 − Run the application again, and you will see that the application is back in the browser now. Step 5 − Right-click the webpage. You will notice the usual Silverlight entry in the context menu, and an extra item to install. Step 6 − When you select the second option, Install application dialog box appears as shown below. Notice that it shows the root URL of the website, the application came from. We are using the local debug web server provided by Visual Studio, which is why it says localhost. Step 7 − Click OK, and the application runs in its
Silverlight – File Access
Silverlight – File Access ”; Previous Next In this chapter, we will see how Silverlight applications can access files on the end user”s computer. There are three main ways to access files in Silverlight. The choice will depend on the reason you need to use files, and on whether you are writing a trusted application. The most flexible option is to use the file dialog classes. With the Open and Save file dialogs, you can get access to any file that the end user chooses, as long as the user has appropriate permissions. User consent is central to this approach. The user has to choose which file to read, or when saving, they pick a file to overwrite or pick a location and a file name for you. The second option is to use the various classes in the System.IO namespace. Silverlight offers classes such as FileStream, StreamWriter, FileInfo, Directory, and DirectoryInfo, all of which make it possible to write code that opens and accesses files without needing to get the user involved. That may be more convenient for the developer, but of course, most users would not want any old code downloaded as part of a web page to be able to search around in their files. The third option is Isolated Storage, which we will discuss later. Open & Save File Dialogs SaveFileDialog The SaveFileDialog class shows the standard operating system supplied user interface for choosing where to save a file. Some important features are − To use it, we create an instance of the SaveFileDialog class. Calling ShowDialog, causes it to appear, and the return code tells us whether the user selected a place to save the file, or cancelled the dialog. You might be wondering about the redundant-looking comparison with True there. If ShowDialog returns True value, which means the user has selected a file. So we can go on to call the OpenFile method, which returns us a Stream. If we want to, we can discover the name the user chose. The dialog provides a property called SafeFileName, but that does not include the path. In any case, the only way to write data is to use the Stream returned by the dialog. From a developer’s perspective, this is just an ordinary .NET stream, so we can wrap it in a StreamWriter, to write text into it. OpenFileDialog The OpenFileDialog is similar in use to the SaveFileDialog. Obviously, you are always picking an existing file rather than a new one, but there is another important difference. It offers a property called MultiSelect. If you set that to True, the user can choose multiple files. This means the dialog needs a slightly more complex API. The SaveFileDialog only deals with one file at a time, but OpenFileDialog is able to cope with more, so it does not offer an OpenFile method. We need to expand the code. Depending on whether the dialog is in single file mode, or MultiSelect mode, you use either its File, or Files property. Here, in the below given example, we are in single file mode. Hence, we use File, and we call OpenRead on the FileInfo object that returns. In multiselect mode, we would use Files instead, which returns a collection of FileInfo objects. FileStream The second approach to file access as mentioned above is to use the FileStream class, or related types in the System.IO namespace directly. There is not very much to say about this, because for the most part, it is similar to file access with the full .NET Framework. However, there are a couple of Silverlight-specific twists. First, this approach lets you access files at any time without user intervention, and without any obvious visible indication of file activity, only trusted applications are allowed to use this technique. Remember, you need to run out of browser to get elevated trust. The second issue is that only files in certain specific folders are available. You can only read and write files that are under the User”s Documents, Music, Pictures, or Video files. One reason for this is that Silverlight runs on multiple platforms, and the file system structure for, say, an Apple Mac, is very different from that of Windows. Hence, cross-platform file access has to work in terms of a limited set of folders that are available on all systems Silverlight supports. Since these folders will be in different locations on different operating systems, and their location will typically vary from one user to another, you need to use the Environment.GetFolderPath method to discover the actual location at runtime. You can inspect the directory structure beneath the starting points. The Directory and DirectoryInfo classes in the System.IO namespace lets you enumerate files and directories. Consider a simple example in which file can open via OpenFileDialog and save some text to the file via SaveFileDialog. Given below is the XAML code in which two buttons and a text box are created. <UserControl x:Class = “FileDialogs.MainPage” xmlns = “http://schemas.microsoft.com/winfx/2006/xaml/presentation” xmlns:x = “http://schemas.microsoft.com/winfx/2006/xaml” xmlns:d = “http://schemas.microsoft.com/expression/blend/2008” xmlns:mc = “http://schemas.openxmlformats.org/markup-compatibility/2006” mc:Ignorable = “d” d:DesignHeight = “300” d:DesignWidth = “400”> <Grid x:Name = “LayoutRoot” Background = “White”> <Grid.RowDefinitions> <RowDefinition Height = “Auto” /> <RowDefinition Height = “265*” /> </Grid.RowDefinitions> <Button x:Name = “saveFileButton” Content = “Save” Width = “75” FontSize = “20” HorizontalAlignment = “Left” VerticalAlignment = “Top” Margin = “12,12” Click = “saveFileButton_Click” /> <Button x:Name = “openFileButton” Content = “Open” Width = “75” FontSize = “20” HorizontalAlignment = “Left” VerticalAlignment = “Top” Margin = “101,12,0,0” Click = “openFileButton_Click” /> <TextBox x:Name = “contentTextBox” Grid.Row = “1” Margin = “12” FontSize = “20” /> </Grid> </UserControl> Given below is C# code for click events implementation in which file is opened and saved. using System; using System.Diagnostics; using System.IO; using System.Windows; using System.Windows.Controls; namespace FileDialogs { public partial class MainPage : UserControl { public MainPage() { InitializeComponent(); } private void saveFileButton_Click(object sender, RoutedEventArgs e) { var save = new SaveFileDialog(); save.Filter = “Text Files (*.txt)|*.txt|All Files (*.*)|*.*”; save.DefaultExt