2

我一直在尝试学习 XNA,虽然我无法访问书籍,但我一直依靠 MSDN 和教程来指导我,我现在可以绘制精灵并改变它们的位置并使用相交,我现在试图让一个基本的加速度计适用于 Windows Phone 7 和 8 手机。

我有一些积木和一个球。我希望能够通过向上/向下/向左/向右倾斜手机来移动球(或滚动它)。

如果您在下面看到,绿点代表球可以移动的区域。虽然深灰色块只是边界,如果球碰到它们就会反弹(稍后,我不关心这部分)。

我的问题是,如何让球正确响应倾斜运动?

为了尝试获得非常基本的倾斜运动,我有:

    protected override void Initialize()
    {
        // TODO: Add your initialization logic here

        Accelerometer accelerometer = new Accelerometer();
        accelerometer.CurrentValueChanged += accelerometer_CurrentValueChanged;
        accelerometer.Start();

        base.Initialize();
    }

    void accelerometer_CurrentValueChanged(object sender, SensorReadingEventArgs<AccelerometerReading> e)
    {

            this.squarePosition.X = (float)e.SensorReading.Acceleration.Z * GraphicsDevice.Viewport.Width + GraphicsDevice.Viewport.Width / 2.0f;

            if (Window.CurrentOrientation == DisplayOrientation.LandscapeLeft)
            {
                this.squarePosition.X = +(float)e.SensorReading.Acceleration.X * GraphicsDevice.Viewport.Width + GraphicsDevice.Viewport.Width / 2;
            }
            else
            {
                this.squarePosition.X = (float)e.SensorReading.Acceleration.X * GraphicsDevice.Viewport.Width + GraphicsDevice.Viewport.Width / 2;
            }
        }

但这绝对令人震惊。这是非常紧张的,就像,物体不断地跳来跳去,好像它正在癫痫发作什么的,我什至不确定这是不是正确的处理方式。

在此处输入图像描述

4

2 回答 2

4

您遇到的主要问题是直接将加速度与位置联系起来,而不是使用加速度来影响速度和速度来影响球的位置。你已经做到了,所以球的位置你倾斜的程度,而不是根据你倾斜的程度来加速

目前,只要加速度计读数发生变化,球的位置就会设置为读数。您需要将球的加速度分配给读数,并通过该加速度定期增加速度,并通过该速度定期增加球的位置。

XNA 可能有一个内置的方法来做到这一点,但我不知道 XNA,所以我可以告诉你在没有框架/库帮助的情况下我会如何做到这一点:

// (XNA probably has a built-in way to handle acceleration.)
// (Doing it manually like this might be informative, but I doubt it's the best way.)
Vector2 ballPosition; // (when the game starts, set this to where the ball should be)
Vector2 ballVelocity;
Vector2 ballAcceleration;

...

void accelerometer_CurrentValueChanged(object sender, SensorReadingEventArgs<AccelerometerReading> e) {
    var reading = e.SensorReading.Acceleration;
    // (below may need to be -reading.Z, or even another axis)
    ballAcceleration = new Vector2(reading.Z, 0);
}

// (Call this at a consistent rate. I'm sure XNA has a way to do so.)
void AdvanceGameState(TimeSpan period) {
    var t = period.TotalSeconds;
    ballPosition += ballVelocity * t + ballAcceleration * (t*t/2);
    ballVelocity += ballAcceleration * t;

    this.squarePosition = ballPosition;
}

如果您不知道 t*t/2 来自哪里,那么您可能需要阅读基础物理学。这将有助于理解如何让球以你想要的方式移动。相关的物理知识称为运动学视频)。

于 2013-06-26T17:06:25.027 回答
1

您需要对输入进行某种平滑处理以消除这种抖动。

这里有一个 Micrsoft 博客,其中包含一些相关信息:

http://blogs.windows.com/windows_phone/b/wpdev/archive/2010/09/08/using-the-accelerometer-on-windows-phone-7.aspx

特别是,请查看标题为“查看数据平滑”的部分

于 2013-06-26T16:57:12.217 回答