I got a bit more time to play around with Silverlight. As mentioned earlier, I figured the best way for me to start out would be to do some of the basic things I did in the first few chapters of “Making Things Move” – basically moving a ball around with velocity, add some gravity, bouncing, dragging and throwing, maybe even venture into some easing and springs.
The goal was also to use straight code to do everything. The only tool I’m using for this is the Visual Studio 2008 trial with the Silverlight 1.1 extensions. I created a new C# based Silverlight project and went from there.
This is what I came up with:
http://www.bit-101.com/silverlight/msm01/TestPage.html
The first thing I ran into was the complete lack of any kind of mechanism allowing for iterated code execution – like ActionScript’s enterFrame, or even a timer! I’m still baffled as to why this was left out. No timer??? Anyway, it seems the Silverlight community has come up with a solution of creating a Storyboard object, calling Begin() on it, listening for its Completed event, and then re-calling the Begin() method continuously. It seems like quite a hack to me, but it works.
The second problem I discovered was the verboseness of pretty much any statement used to get or set any property on any created object. Everything requires object.SetValue(propertyName, value) and (typecast)object.GetValue(propertyName). Yuck.
So I set about abstracting some of this stuff so it’s easier to work with. First the Storyboard stuff. At first I was defining the Storyboard in XAML, but realized it can actually be created by pure code as well. This allowed me to abstract it all into what I called a FrameBeacon class. Thsi is largely based on a GameLoop class I found on SilverlightGames101 (very useful site, btw).
My class is more basic than what they have, and could be upgraded as time goes on, but I think is simple enough to see what’s going on. This is created by adding a new Class to your project.
[csharp]using System;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Documents;
using System.Windows.Ink;
using System.Windows.Input;
using System.Windows.Media;
using System.Windows.Media.Animation;
using System.Windows.Shapes;
namespace MakingSilverlightMove
{
public class FrameBeacon
{
private Canvas _canvas;
private Storyboard _sb;
private DateTime _lastUpdate;
private TimeSpan _elapsed;
public delegate void UpdateDelegate(TimeSpan ElapsedTime);
public event UpdateDelegate Update;
public FrameBeacon(Canvas canvas)
{
_canvas = canvas;
_sb = new Storyboard();
_sb.SetValue(Storyboard.NameProperty, “sb”);
_canvas.Resources.Add(_sb);
_sb.Completed += new EventHandler(_sb_Completed);
_lastUpdate = DateTime.Now;
_sb.Begin();
}
void _sb_Completed(object sender, EventArgs e)
{
_elapsed = DateTime.Now – _lastUpdate;
Update(_elapsed);
_sb.Begin();
_lastUpdate = DateTime.Now;
}
}
}[/csharp]
You can see that the constructor takes a Canvas object, as the Storyboard it creates needs to be added to a canvas’s resources. It then creates a Storyboard, names it, adds it to the canvas’s resources, adds a listener for the Completed event, and starts the Storyboard by calling its Begin method. Note that you could set the Duration property with a TimeSpan formatted like so: “hh:mm:ss.ffff” (hours, minutes, seconds, fractions of second. For instance, to set it to run at 60 fps, you could set duration to “00:00:00.017” as 17 milliseconds is roughly 1/60th of a second. Theoretically, you could get a specific rate of updates, but I’m not sure how accurate that would be. Like most of the other examples I saw out there though, I used a different method of just letting the Storyboard run as fast as it can, measuring the time between updates and adjusting animation based on that. This is a technique I covered in the “Tips and Tricks” section of Making Things Move – it results in a uniform rate of animation independent of frame rate. Though, I admit I was usually too lazy to use this technique myself in ActionScript. 🙂 To do this, you take note of the time at the end of each update and store it in _lastUpdate. Then you you subtract that from the current time at the beginning of each update to get the elapsed time. This is passed when you dispatch the update event. Don’t forget to call Begin() again on the storyboard, or you’ll get one frame, then nothing.
With this class in place, getting an enterFrame type of update is as simple as doing this in the main application class:
[csharp]_frameBeacon = new FrameBeacon(this);
_frameBeacon.Update += new FrameBeacon.UpdateDelegate(_frameBeacon_Update);[/csharp]
And you can now put all your animation code in the _frameBeacon_Update method, which will run repeatedly, like an onEnterFrame function. Also, this method gets passed a TimeSpan object called ElapsedTime. We’ll see how to use that later.
Next up, abstracting some of those nasty GetValue/SetValue methods.
I wanted a ball that I could bounce around the screen by manipulating its X and Y properties, rather than going though all the more verbose methods. While I was at it, I added a bunch more stuff and started a rudimentary particle type class.
I started by going to my project and adding a new item, Silverlight User Control, naming it Ball.xaml. this creates the Ball.xaml file you can see below, plus a Ball.xaml.cs code behind file.
XAML:
[xml]
[/xml]
All I changed here was setting the Width and Height to 1 and x:Name to “ball” so I could reference it within the code.
Finally, I changed the Ball.xaml.cs file little by little til I came up with this:
[csharp]using System;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Documents;
using System.Windows.Ink;
using System.Windows.Input;
using System.Windows.Media;
using System.Windows.Media.Animation;
using System.Windows.Shapes;
namespace MakingSilverlightMove
{
public class Ball : Control
{
private double _vx;
private double _vy;
private double _gravity;
private Rect _bounds;
private double _bounce;
private double _radius;
FrameworkElement lroot;
public Ball(double radius, String col)
{
_radius = radius;
System.IO.Stream s = this.GetType().Assembly.GetManifestResourceStream(“MakingSilverlightMove.Ball.xaml”);
lroot = this.InitializeFromXaml(new System.IO.StreamReader(s).ReadToEnd());
_vx = 0;
_vy = 0;
_bounds = new Rect(0, 0, 500, 500);
_bounce = -1.0;
Width = radius * 2;
Height = radius * 2;
Ellipse ellipse = new Ellipse();
ellipse.SetValue(Ellipse.WidthProperty, _radius * 2);
ellipse.SetValue(Ellipse.HeightProperty, _radius * 2);
ellipse.SetValue(Canvas.LeftProperty, -_radius);
ellipse.SetValue(Canvas.TopProperty, -_radius);
ellipse.SetValue(Ellipse.FillProperty, col);
Canvas ball = (Canvas)lroot.FindName(“ball”);
ball.Children.Add(ellipse);
}
public Rect Bounds
{
set
{
_bounds = value;
}
get
{
return _bounds;
}
}
public double Bounce
{
set
{
_bounce = value;
}
get
{
return _bounce;
}
}
public double Gravity
{
set
{
_gravity = value;
}
get
{
return _gravity;
}
}
public double VX
{
set
{
_vx = value;
}
get
{
return _vx;
}
}
public double VY
{
set
{
_vy = value;
}
get
{
return _vy;
}
}
public double X
{
set
{
this.SetValue(Canvas.LeftProperty, value);
}
get
{
return (double)this.GetValue(Canvas.LeftProperty);
}
}
public double Y
{
set
{
this.SetValue(Canvas.TopProperty, value);
}
get
{
return (double)this.GetValue(Canvas.TopProperty);
}
}
public void Move(double x, double y)
{
X = x;
Y = y;
}
public void Move(Point p)
{
Move(p.X, p.Y);
}
public void Update(double elapsed)
{
_vy += _gravity;
X += _vx * elapsed;
Y += _vy * elapsed;
if (X + _radius > _bounds.Right)
{
X = _bounds.Right – _radius;
_vx *= _bounce;
}
else if (X – _radius < _bounds.Left)
{
X = _bounds.Left + _radius;
_vx *= _bounce;
}
if (Y + _radius > _bounds.Bottom)
{
Y = _bounds.Bottom – _radius;
_vy *= _bounce;
}
else if (Y – _radius < _bounds.Top)
{
Y = _bounds.Top + _radius;
_vy *= _bounce;
}
}
}
}
[/csharp]
Note that the constructor takes a radius and color. This is used to create a new Ellipse and add it to the canvas like so:
[csharp]Ellipse ellipse = new Ellipse();
ellipse.SetValue(Ellipse.WidthProperty, _radius * 2);
ellipse.SetValue(Ellipse.HeightProperty, _radius * 2);
ellipse.SetValue(Canvas.LeftProperty, -_radius);
ellipse.SetValue(Canvas.TopProperty, -_radius);
ellipse.SetValue(Ellipse.FillProperty, col);
Canvas ball = (Canvas)lroot.FindName("ball");
ball.Children.Add(ellipse);[/csharp]
This code should be relatively understandable even to a newcomer.
The rest of the code is mainly adding various methods to manipulate the ball, and getters and setters, the coolest ones of which are:
[csharp]public double X
{
set
{
this.SetValue(Canvas.LeftProperty, value);
}
get
{
return (double)this.GetValue(Canvas.LeftProperty);
}
}[/csharp]
And a similar one for the Y property. These abstract the GetValue/SetValue stuff so you can now just say ball.X, ball.Y. Yum! If you are an ActionScript dude, you might be cringing at the Capital X and Y, and First Caps for Method and Variable Names. But that's the C# convention. when in Rome...
The Update method should be very familiar to anyone who's read the first few chapters of Making Things Move. The main difference is that it takes a parameter of the elapsed time since the last update. Note that this is a double, not a TimeSpan. It is actually the elapsed time in terms of seconds, so it will come in as a small fraction. Also, because of this, the _vx and _vy are much higher values, as they are in terms of pixels per second, not pixels per frame. When this is multiplied by the elapsed fraction, it will result in a smaller pixel distance value to move each frame. If there was a longer time since the last update, the elapsed value will be larger, making it move more. If there was less time, the value will be smaller, and the object will move less.
Finally, the main application xaml and class. These get created when you create the project. I modified the main xaml to change the dimensions and background color:
[xml]
[/xml]
Don’t forget to change the dimensions in the html file too.
Last but not least, the Page.xaml.cs main application class:
[csharp]using System;
using System.Windows;
using System.Windows.Controls;
using System.Windows.Documents;
using System.Windows.Ink;
using System.Windows.Input;
using System.Windows.Media;
using System.Windows.Media.Animation;
using System.Windows.Shapes;
namespace MakingSilverlightMove
{
public partial class Page : Canvas
{
private Ball ball;
private FrameBeacon _frameBeacon;
public void Page_Loaded(object o, EventArgs e)
{
// Required to initialize variables
InitializeComponent();
ball = new Ball(10, “Green”);
ball.Move(100, 100);
ball.VX = 300;
ball.VY = 120;
ball.Gravity = 15;
ball.Bounce = -0.8;
ball.Bounds = new Rect(0, 0, Width, Height);
Children.Add(ball);
_frameBeacon = new FrameBeacon(this);
_frameBeacon.Update += new FrameBeacon.UpdateDelegate(_frameBeacon_Update);
}
void _frameBeacon_Update(TimeSpan ElapsedTime)
{
ball.Update(ElapsedTime.TotalSeconds);
}
}
}[/csharp]
All I had to do here was create a ball, giving it a radius and color, change a few other properties, and create a FrameBeacon and listen for its Update event. In that handler, I just call Update on the ball, passing in the total elapsed seconds. Simple.
Again, you can see the results here:
http://www.bit-101.com/silverlight/msm01/TestPage.html
OK, this is a pretty simple experiment, but already the Ball and FrameBeacon classes are very useful. I’d probably want to turn Ball into something like Particle, and add a method to get graphics into it rather than always just drawing an ellipse, as well as adding some more useful methods. And upgrade the FrameBeacon class so it can be turned off and on, and maybe even try explicitly setting a frame rate.
Also, on my year and a half old, somewhat low end Compaq Presario, I notice some definite visual stuttering in this animation. However, it runs beautifully on my Mac Book Pro. I’m curious to see what others see.
I wanted to check this example out, so I finally installed Silverlight on my Mac Book Pro. Or, at least I thought I did.
I downloaded the DMG, then ran the installer, went through the prompts to install it on my Mac, then it said it was done and said to restart my browser for the installation to be complete. So, guess what, I did. I restarted Firefox, navigated to your blog again, clicked on the link to the example, and I’m back to square one: showing the little image that says “Get Microsoft Silverlight” (http://go.microsoft.com/fwlink/?LinkID=94377&clcid=0x409).
Anyway, I will try again later, but thought I would share my first experience with the plugin. 😉
The code you have here makes sense, but damn, it looks like Silverlight developers are going to be building a bunch of utility classes for simple functionality that should just be in the main API in the first place.
As always Keith, thanks for sharing your experiences with this stuff.
i had the same problem chris had. And when i went to the silverlight page it says i already have it installed.
I do think it’s kind of annoying the browser doesn’t just shutdown and then auto open with everything you already had open like the flash player installer does.
does it work better in safari?
Oh, I guess I should mention that you need the Silverlight 1.1 Alpha Refresh to see this. You can get that here: http://www.microsoft.com/silverlight/downloads.aspx#4_0
Hopefully that solves the problem. Let me know.
But yeah, I totally agree that to be really useful, all those utility classes should be included, if only for the sake of standardizing things. Even though it’s obviously not too hard to do – I made a workable setup pretty quickly as a total Silverlight noob – if these aren’t included, you’re going to have everyone doing their own version of gameloop or framebeacon or whatever, and it will be virtually impossible to re-use any code without installing a whole framework.
This is sooooooo totally going to Kill flash dead!
noah, do I sense some sarcasm there? 😉
Keith, you keep this up, and I’m sure the Wu-Tang Clan will show up your house one day, all covered in M$ swag, saying how you are the shizzle of the Silverlight world 😉
Nah, in any case, thanks for the enlightment. It’s all back to Flash 5 / 6, it looks like. Let’s hope frame update dispatchers and delegates don’t become part of us poor rich frontend developers workflow anywhere soon. But instead off these kinds of down falls, I’d really love to see where you think this actually tops the Flash Platform. In other words, where does this actually win from Flash ? Is the C# execution time faster ? Is the rasterisation process faster ? Is the API better ? I’m not out to bash here, rather to see what you’ve learned that is this actually going to make our lives better ?
Ralph, not sure I’ve seen any major areas where Silverlight outshines Flash yet. But haven’t used it that much either. I can’t knock C#. It’s a nice language to work in. And of course, using Visual Studio is a joy. It’s the specific Silverlight APIs (or lack thereof) that are a pain.
Most of the comments I’ve gotten in terms of why Silverlight is “better” seem to come down to the arguments Mike Wolf makes in comment #8 here: http://www.bit-101.com/blog/?p=1108