如何在XNA中绘制具有特定颜色的圆圈?

时间:2010-06-06 10:12:24

标签: colors drawing xna geometry

XNA没有任何支持圆绘的方法 通常情况下,当我必须绘制圆形时,总是使用相同的颜色,我只是使用该圆形图像然后我可以将其显示为精灵。
但是现在圈子的颜色是在运行时指定的,任何想法如何处理?

1 个答案:

答案 0 :(得分:37)

您可以简单地制作一个带有Transparent背景的圆圈图像,并将圆圈的彩色部分设为White。然后,在使用Draw()方法绘制圆圈时,选择您想要的色调:

Texture2D circle = CreateCircle(100);

// Change Color.Red to the colour you want
spriteBatch.Draw(circle, new Vector2(30, 30), Color.Red); 

只是为了好玩,这里是CreateCircle方法:

    public Texture2D CreateCircle(int radius)
    {
        int outerRadius = radius*2 + 2; // So circle doesn't go out of bounds
        Texture2D texture = new Texture2D(GraphicsDevice, outerRadius, outerRadius);

        Color[] data = new Color[outerRadius * outerRadius];

        // Colour the entire texture transparent first.
        for (int i = 0; i < data.Length; i++)
            data[i] = Color.TransparentWhite;

        // Work out the minimum step necessary using trigonometry + sine approximation.
        double angleStep = 1f/radius;

        for (double angle = 0; angle < Math.PI*2; angle += angleStep)
        {
            // Use the parametric definition of a circle: http://en.wikipedia.org/wiki/Circle#Cartesian_coordinates
            int x = (int)Math.Round(radius + radius * Math.Cos(angle));
            int y = (int)Math.Round(radius + radius * Math.Sin(angle));

            data[y * outerRadius + x + 1] = Color.White;
        }

        texture.SetData(data);
        return texture;
    }