我知道您可以在运行时更改控件的 x/y 位置,我可以使用计时器将其向上/向下/向左/向右/对角移动,但如何以编程方式将其移动一圈?
例如,如果我在主窗体的 12 点钟位置有一个 PictureBox 控件,我可以在单击按钮时将那个图片框移动一个圆圈,在它的起始位置完成吗?
我知道您可以在运行时更改控件的 x/y 位置,我可以使用计时器将其向上/向下/向左/向右/对角移动,但如何以编程方式将其移动一圈?
例如,如果我在主窗体的 12 点钟位置有一个 PictureBox 控件,我可以在单击按钮时将那个图片框移动一个圆圈,在它的起始位置完成吗?
使用正弦和余弦函数。
看看那个例子。
此处有一个具体的 C# 示例。如果有一天链接不存在,这里是在表单上绘制 25 个半径递增的圆的源代码:
void PutPixel(Graphics g, int x, int y, Color c)
{
Bitmap bm = new Bitmap(1, 1);
bm.SetPixel(0, 0, Color.Red);
g.DrawImageUnscaled(bm, x, y);
}
private void Form1_Paint(object sender, PaintEventArgs e)
{
Graphics myGraphics = e.Graphics;
myGraphics.Clear(Color.White);
double radius = 5;
for (int j = 1; j <= 25; j++)
{
radius = (j + 1) * 5;
for (double i = 0.0; i < 360.0; i += 0.1)
{
double angle = i * System.Math.PI / 180;
int x = (int)(150 + radius * System.Math.Cos(angle));
int y = (int)(150 + radius * System.Math.Sin(angle));
PutPixel(myGraphics, x, y, Color.Red);
}
}
myGraphics.Dispose();
}
结果:
我写了一个小类,PictureBox
从中可以让你很容易地达到你的结果。每次调用RotateStep
它的位置都会相应改变。角度和速度以弧度表示,距离以像素表示。
class RotatingPictureBox : PictureBox
{
public double Angle { get; set; }
public double Speed { get; set; }
public double Distance { get; set; }
public void RotateStep()
{
var oldX = Math.Cos(Angle)*Distance;
var oldY = Math.Sin(Angle)*Distance;
Angle += Speed;
var x = Math.Cos(Angle)*Distance - oldX;
var y = Math.Sin(Angle)*Distance - oldY;
Location += new Size((int) x, (int) y);
}
}
示例用法:
public Form1()
{
InitializeComponent();
var pictureBox = new RotatingPictureBox
{
Angle = Math.PI,
Speed = Math.PI/20,
Distance = 50,
BackColor = Color.Black,
Width = 10,
Height = 10,
Location = new Point(100, 50)
};
Controls.Add(pictureBox);
var timer = new Timer {Interval = 10};
timer.Tick += (sender, args) => pictureBox.RotateStep();
timer.Start();
}