c# – 2D XNA游戏鼠标点击

前端之家收集整理的这篇文章主要介绍了c# – 2D XNA游戏鼠标点击前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有一个2D游戏,其中只使用鼠标作为输入.
当鼠标悬停在Texture2D对象上,Texture2D和鼠标光标改变时,如何使其成为可能,当纹理被点击时,它会移动到另一个位置.

简单的说,我想知道如何做一些事情,当我悬停或点击一个Texture2D.

解决方法

在XNA中,您可以使用 Mouse class查询用户输入.

最简单的方法是检查每个帧的鼠标状态,并作出相应的反应.鼠标位置在一定区域内?显示不同的光标.在这个框架中按右按钮?显示菜单.等等

var mouseState = Mouse.GetState();

在屏幕坐标(相对于左上角)获取鼠标位置:

var mousePosition = new Point(mouseState.X,mouseState.Y);

鼠标在特定区域内时更改纹理:

Rectangle area = someRectangle;

// Check if the mouse position is inside the rectangle
if (area.Contains(mousePosition))
{
    backgroundTexture = hoverTexture;
}
else
{
    backgroundTexture = defaultTexture;
}

单击鼠标左键时执行某些操作:

if (mouseState.LeftButton == ButtonState.Pressed)
{
    // Do cool stuff here
}

记住,您将始终拥有当前框架的信息.所以当点击按钮的时候可能会发生很酷的事情,一旦发布就会停止.

要检查一次点击,您将不得不存储最后一帧的鼠标状态,并比较更改的内容

// The active state from the last frame is now old
lastMouseState = currentMouseState;

// Get the mouse state relevant for this frame
currentMouseState = Mouse.GetState();

// Recognize a single click of the left mouse button
if (lastMouseState.LeftButton == ButtonState.Released && currentMouseState.LeftButton == ButtonState.Pressed)
{
    // React to the click
    // ...
    clickOccurred = true;
}

您可以使其更加先进,并与事件一起工作.所以你仍然会使用上面的代码片段,而不是直接包含动作的代码,你将触发事件:MouseIn,MouSEOver,MouSEOut. ButtonPush,ButtonPressed,ButtonRelease等

原文链接:https://www.f2er.com/csharp/96585.html

猜你在找的C#相关文章