Silverlight对于图像的处理是比较强大的。主要可以通过Bitmap API来实现Silverlight写图像。在这里我们将会为大家详细介绍这一功能的实现方式,希望能对大家有所帮助,提高编程效率。#t#
新版的Bitmap API支持从写每个像素的值来创建自己的图像。这个用来支持生成Bitmap的类叫做WriteableBitmap,继承自BitmapSource类。这个类位于System.Windows.Media.Imaging名字空间中,其函数成员包括:
- public sealed class WriteableBitmap
: BitmapSource - {
- public WriteableBitmap(BitmapSource source);
- public WriteableBitmap(int pixelWidth,
int pixelHeight, PixelFormat format); - public int this[int index] { get; set; }
- public void Invalidate();
- public void Lock();
- public void Render(UIElement
element, Transformtransform); - public void Unlock();
- }
可以看出我们可以通过两种Silverlight写图像的形式来实例化这个WriteableBitmap。一个是通过传入已经初始化了的BitmapSource,另外一个是通过输入图像高度和宽度以及像素类型(有Bgr32和Pbgra32两种,后面一种可以创建半透明图像)。第5行的索引this[int index]可以用来读或取像素点。
写一个WriteableBitmap的流程是这样的。实例化WriteableBitmap,调用Lock方法,写像素点,调用Invalidate方法,最后是调用Unlock方式来释放所有的Buffer并准备显示。
如下文所示以描点的方式构建了整个Bgr32图像
- private WriteableBitmap BuildTheImage
(int width, int height)- {
- WriteableBitmap wBitmap=new Writeable
Bitmap(width,height,PixelFormats.Bgr32);- wBitmap.Lock();
- for (int x = 0; x < width; x++)
- {
- for (int y = 0; y < height; y++)
- {
- byte[] brg = new byte[4];
- brg[0]=(byte)(Math.Pow(x,2) % 255);
//Blue, B- brg[1] = (byte)(Math.Pow(y,2)
% 255); //Green, G- brg[2] = (byte)((Math.Pow(x, 2) + Mat
h.Pow(y, 2)) % //Red, R- brg[3] = 0;
- int pixel = BitConverter.
ToInt32(brg, 0);- wBitmap[y * height + x] = pixel;
- }
- }
- wBitmap.Invalidate();
- wBitmap.Unlock();
- return wBitmap;
- }
Silverlight写图像的实现方法就为大家介绍到这里。