从控制台应用程序生成随机JPG图像

时间:2014-05-21 11:03:36

标签: c# .net image random bytearray

我有一个API,它接受大小为80x20(JPG,PNG或GIF)的图像的base64string并存储在数据库中。为了测试这个API,我必须生成一个随机的base64string,它可以在解码时转换成真实的图像。

我找到了似乎与WPF应用程序一起使用的示例here。如何在控制台应用程序中使用它?

1 个答案:

答案 0 :(得分:3)

各种方法都应该有效。如下:

public static string GenerateBase64ImageString()
{
    // 1. Create a bitmap
    using (Bitmap bitmap = new Bitmap(80, 20, PixelFormat.Format24bppRgb))
    {
        // 2. Get access to the raw bitmap data
        BitmapData data = bitmap.LockBits(new Rectangle(0, 0, bitmap.Width, bitmap.Height), ImageLockMode.WriteOnly, bitmap.PixelFormat);

        // 3. Generate RGB noise and write it to the bitmap's buffer.
        // Note that we are assuming that data.Stride == 3 * data.Width for simplicity/brevity here.
        byte[] noise = new byte[data.Width * data.Height * 3];
        new Random().NextBytes(noise);
        Marshal.Copy(noise, 0, data.Scan0, noise.Length);

        bitmap.UnlockBits(data);

        // 4. Save as JPEG and convert to Base64
        using (MemoryStream jpegStream = new MemoryStream())
        {
            bitmap.Save(jpegStream, ImageFormat.Jpeg);
            return Convert.ToBase64String(jpegStream.ToArray());
        }
    }
}

请务必添加对System.Drawing的引用。