Unity-Input System新输入系统插件学习

1.键盘、鼠标操作

using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.InputSystem;
using UnityEngine.UI;public class NewInputSystem : MonoBehaviour
{public float SpaceKeyValue;public float RightMouseValue;public Image Icon;public Vector2 MousePos;public Vector2 MouseScroll;void Update(){if(Keyboard.current != null)        //判断是否有键盘外设接入{if(Keyboard.current.spaceKey.wasPressedThisFrame)       //判断是否按下{Debug.Log("Space Pressed - New");}else if(Keyboard.current.spaceKey.wasReleasedThisFrame) //判断是否抬起{Debug.Log("Space Released - New");}//值为0表示没有按住,值为1表示正在按住SpaceKeyValue = Keyboard.current.spaceKey.ReadValue();if(SpaceKeyValue > 0)Debug.Log("Space");}if(Mouse.current != null)       //判断是否有鼠标外设接入{if(Mouse.current.rightButton.wasPressedThisFrame)       //判断鼠标邮件是否按下Debug.Log("RightMouse Released - New");//值为0表示没有按住,值为1表示正在按住RightMouseValue = Mouse.current.rightButton.ReadValue();//鼠标右键按住if(Mouse.current.rightButton.ReadValue() == 1)Debug.Log("RightMouse");//获取鼠标位置Icon.rectTransform.anchoredPosition = Mouse.current.position.ReadValue();MousePos = Mouse.current.position.ReadValue();//获取鼠标滚轮值MouseScroll = Mouse.current.scroll.ReadValue();}//手柄if(Gamepad.current != null){}}
}

2.Input Action

Action Maps---动作表(一般分为两个表1.GamePlay-游戏时用的表,2.UI)

Action—动作   

配置:

(1)Action Maps(方案):点击右侧加号新建一个方案,输入方案名称,然后选中该方案在Action与Action Properties设置该方案具体内容。

(2)Action(输入行为):点击“+”添加一个action,选中添加的action在右侧Action Properties内配置Action Type(value—通过值判断,提供一种连续状态变化事件,如果设置了多个输入,就会切换到最主要的一个。用它进行模拟控制,比如移动;Button—通过按钮,默认设置,包括按钮或者按键触发的一次性动作;Pass Through—和Value很相似,但它不会像Value一样(如果有多个输入时,不会只选择最主要的那个,而把其他的输入忽略,适用于一台机器有多人进行游戏)。在使用Value或者Pass Through Types时,你会看到一个额外的选项 Control Type为该Value的返回值类型)。

(3)然后点击添加的Action右侧的“+”,有下列4项选择:

Add Binding:添加普通绑定

Add Up\Down\Left\Right Composite:添加上下左右绑定,Action中的Control Type为Vector2时存在此选项

Add Binding With One Modifier:添加组合按钮(1+1组合按键)

Add Binding With Two Modifiers:添加组合按键(1+2组合按键)

(4)点击添加的绑定,在右侧Binding PropertiesàBindingàPath内选择要绑定的按键(可以是键盘、手柄、鼠标等输入设备),也可以点击搜索框左侧的“Listen”按钮,然后按下要绑定的按键,然后选择对应按键即可完成绑定。

(5)配置Interactions:设置Action中的Interactions,该设置会影响Action下所有Binding,设置Binding的Interactions只会影响该Binding。

详细请看【Unity_Input System】Input System新输入系统(二)_铃兰148的博客-CSDN博客的第5节

(6)配置Processors:详细请看【Unity_Input System】Input System新输入系统(二)_铃兰148的博客-CSDN博客的第6节

(7)然后点击“Save Asset”即可保存该InputAction

(8)然后单击创建的InputAction在Inspector面板勾选“Generate C# Class”并配置文件路径,类名,命名空间名称,点击Apply即可生成C#类代码文件。

(9)最后就是编写代码脚本进行使用,示例代码如下

using System;
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.Animations;
using UnityEngine.InputSystem;public class InputSystemBall : MonoBehaviour
{/// <summary>/// 移动的值,范围为-1到1,类似旧版系统中GetAxis获取到的值/// </summary>public Vector2 Movement;/// <summary>/// 移动速度/// </summary>public float MoveSpeed = 5f;/// <summary>/// 横向偏移值(-1,1),模拟旧版GetAxis(“Horizontal”)的值/// </summary>public float Horizontal;/// <summary>/// 创建的InputAction/// </summary>private MyInputAction myInputAction;private Rigidbody rigidbody;private void Awake(){myInputAction = new MyInputAction();//启用InputActionmyInputAction.Enable();rigidbody = GetComponent<Rigidbody>();//给InputAction中的Jump添加监听,分为3个阶段Started->Performed->Canceld//myInputAction.GamePlay.Jump.performed += OnJump;}public void OnJump(InputAction.CallbackContext context){//Started->Performed->Canceld//context.ReadValueAsButton()获取按键是按下(true),还是抬起(false)Debug.Log($"Jump!:{context.ReadValueAsButton()}");rigidbody.AddForce(Vector3.up * 5f, ForceMode.Impulse);}private void OnDestroy(){//禁用InputActionmyInputAction.Disable();}void Update(){//获取InputAction中Movement的值Movement = myInputAction.GamePlay.Movement.ReadValue<Vector2>();//获取InputAction中Horizontal的值Horizontal = myInputAction.GamePlay.Horizontal.ReadValue<float>();rigidbody.AddForce(new Vector3(Movement.x, 0, Movement.y) * MoveSpeed * Time.deltaTime, ForceMode.Impulse);//if (myInputAction.GamePlay.Jump.IsPressed())//    Debug.Log("Press");}
}

3.多设备支持与手柄震动实现

注意创建InputAction的Action时需要选择Action Type为Pass Through,否则多设备连接使用时存在问题。

代码示例---多设备管理器

using System;
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.InputSystem;/// <summary>
/// 输入设备数据
/// </summary>
[System.Serializable]
public class InputSystemMultiData
{public int Index;               //0public InputDevice Device;      //输入设备public Action OnJump;           //jump事件public Vector2 MoveMentData;    //移动值public InputSystemMultiData(int index, InputDevice device){Index = index;Device = device;}
}/// <summary>
/// 多人手柄
/// </summary>
public class InputSystemMultiManager : MonoBehaviour
{/// <summary>/// 单例/// </summary>public static InputSystemMultiManager Instance;/// <summary>/// 存储已接入的输入设备/// </summary>public List<InputSystemMultiData> InputSystem_MultiDatas = new List<InputSystemMultiData>();/// <summary>/// 创建的InputAction/// </summary>private MyInputAction myInputAction;private void Awake(){Instance = this;myInputAction = new MyInputAction();//将InputAction中的Movement和Jump添加监听myInputAction.GamePlay.Movement.performed += OnMovement;myInputAction.GamePlay.Jump.performed += OnJump;myInputAction.Enable();}/// <summary>/// 通过index获取设备数据/// </summary>/// <param name="index"></param>/// <returns></returns>public InputSystemMultiData GetDataByIndex(int index){//查找存储设备中满足条件的设备数据var data = InputSystem_MultiDatas.Find(a => a.Index == index);return data;}/// <summary>/// 获取设备Index/// </summary>/// <param name="device">原设备</param>/// <returns></returns>public int GetIndex(InputDevice device){//查找设备是否已存储var data = InputSystem_MultiDatas.Find(a =>a.Device.deviceId == device.deviceId);if(data != null) return data.Index;//新建设备并存储InputSystemMultiData multiData = new InputSystemMultiData(InputSystem_MultiDatas.Count, device);InputSystem_MultiDatas.Add(multiData);return multiData.Index;}/// <summary>/// 跳跃的监听/// </summary>/// <param name="context"></param>private void OnJump(InputAction.CallbackContext context){//获取输入设备InputDevice device = context.control.device;//获取设备idint index = GetIndex(device);//执行设备(自定义)中的跳跃方法InputSystem_MultiDatas[index].OnJump?.Invoke();}/// <summary>/// 移动的监听/// </summary>/// <param name="context"></param>private void OnMovement(InputAction.CallbackContext context){//获取输入设备InputDevice device = context.control.device;//获取设备idint index = GetIndex(device);//给设备(自定义)中的移动数据赋值InputSystem_MultiDatas[index].MoveMentData = context.ReadValue<Vector2>();}private void OnDestroy(){myInputAction.Disable();}
}

使用示例

using System;
using System.Collections;
using System.Collections.Generic;
using UnityEditor.Rendering.LookDev;
using UnityEngine;
using UnityEngine.InputSystem;public class InputSystemMultiBall : MonoBehaviour
{public int Index = -1;private InputSystemMultiData Data = null;private Rigidbody rigidbody;private void Awake(){rigidbody = GetComponent<Rigidbody>();Data = null;}private void Update(){if(Data == null){//获取设备数据Data = InputSystemMultiManager.Instance.GetDataByIndex(Index);if (Data != null){//添加跳跃方法Data.OnJump += OnBallJump;}elsereturn;}//移动rigidbody.AddForce(new Vector3(Data.MoveMentData.x, 0, Data.MoveMentData.y) * 5 * Time.deltaTime, ForceMode.Impulse);}/// <summary>/// 跳跃/// </summary>private void OnBallJump(){rigidbody.AddForce(Vector3.up * 5f, ForceMode.Impulse);//开启协程-让手柄震动StartCoroutine(StartShockCoroutine());}/// <summary>/// 手柄震动/// </summary>/// <returns></returns>private IEnumerator StartShockCoroutine(){//判断是否为手柄输入设备if (Data.Device is Gamepad == false)yield break;Gamepad gamepad = Data.Device as Gamepad;//设置手柄马达转速(低频,高频)gamepad.SetMotorSpeeds(0.3f, 0.9f);//持续时间yield return new WaitForSeconds(1);//时间到设置手柄马达停止gamepad.SetMotorSpeeds(0, 0);}
}

4.修改绑定按键并保存

代码

using System.Collections;
using System.Collections.Generic;
using TMPro;
using UnityEngine;
using UnityEngine.InputSystem;
using UnityEngine.UI;public class InputSystemRebindBall : MonoBehaviour
{/// <summary>/// 跳跃的Action/// </summary>public InputActionReference JumpAction;/// <summary>/// 显示文本/// </summary>public Text RebindText;/// <summary>/// 玩家输入/// </summary>private PlayerInput playerInput;private Rigidbody rigidbody;public Button rebindBtn;private void Awake(){rigidbody = GetComponent<Rigidbody>();playerInput = GetComponent<PlayerInput>();}void Start(){//读取保存的按键输入数据string json =  PlayerPrefs.GetString("InputActions", null);//加载保存的按键输入数据并应用if (!string.IsNullOrEmpty(json))playerInput.actions.LoadBindingOverridesFromJson(json);//显示当前绑定的按键名称,InputControlPath.HumanReadableStringOptions.OmitDevice表示去除设备名称RebindText.text = InputControlPath.ToHumanReadableString(JumpAction.action.bindings[0].effectivePath,InputControlPath.HumanReadableStringOptions.OmitDevice);rebindBtn.onClick.AddListener(RebindKey);}/// <summary>/// 跳跃,使用PlayerInput添加event进行绑定/// </summary>public void OnJump(){rigidbody.AddForce(Vector3.up * 5f, ForceMode.Impulse);}/// <summary>/// 修改绑定的按钮/// </summary>public void RebindKey(){//先切换到其他行为方案playerInput.SwitchCurrentActionMap("UI");RebindText.text = "请输入新键...";//PerformInteractiveRebinding进行改键//WithControlsExcluding剔除鼠标操作//OnComplete改建完成执行//Start开始改键JumpAction.action.PerformInteractiveRebinding().WithControlsExcluding("Mouse").OnComplete(operation =>{Debug.Log("Change Key");//显示改键后按键名称RebindText.text = InputControlPath.ToHumanReadableString(JumpAction.action.bindings[0].effectivePath, InputControlPath.HumanReadableStringOptions.OmitDevice);//将operation释放operation.Dispose();//切换为原行为方案playerInput.SwitchCurrentActionMap("GamePlay");//保存改键信息string json = playerInput.actions.SaveBindingOverridesAsJson();PlayerPrefs.SetString("InputActions", json );}).Start();}
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/89548.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【每日一题】9.25 App测试和web测试有什么区别

“App 测试”和“Web 测试”是指软件测试的不同类型&#xff0c;每个都专注于软件开发的特定方面&#xff1a; 1. **App 测试&#xff08;应用程序测试&#xff09;**&#xff1a; - **平台**&#xff1a;这种类型的测试主要侧重于移动应用程序&#xff0c;包括为 iOS&#xf…

LaTex模板免费下载网站

LaTex模板免费下载网站 在进行文档排版时候&#xff0c;有时需要对不同类型文章的格式进行编辑&#xff0c;本博文推荐一个免费下载LaTex模板的网站。 一、网站地址 链接: LaTex模板网址&#xff1a;http://www.latextemplates.com/ 二、模板类型 模板类型如图2和图3所示。…

APACHE NIFI学习之—UpdateAttribute

UpdateAttribute 描述: 通过设置属性表达式来更新属性,也可以基于属性正则匹配来删除属性 标签: attributes, modification, update, delete, Attribute Expression Language, state, 属性, 修改, 更新, 删除, 表达式 参数: 如下列表中,必填参数则标识为加粗. 其他未加…

(PTA) 习题3-1 比较大小 (10分)

​ 本题要求将输入的任意3个整数从小到大输出。 输入格式: 输入在一行中给出3个整数&#xff0c;其间以空格分隔。 输出格式: 在一行中将3个整数从小到大输出&#xff0c;其间以“->”相连。 输入样例: 4 2 8输出样例: 2->4->8代码如下&#xff1a; #include<…

回归预测 | Matlab实现基于MIC-BP最大互信息系数数据特征选择算法结合BP神经网络的数据回归预测

回归预测 | Matlab实现基于MIC-BP最大互信息系数数据特征选择算法结合BP神经网络的数据回归预测 目录 回归预测 | Matlab实现基于MIC-BP最大互信息系数数据特征选择算法结合BP神经网络的数据回归预测效果一览基本介绍研究内容程序设计参考资料 效果一览 基本介绍 Matlab实现基于…

C++ 类的前置声明

最近在仿照muduo的网络库源代码写自己的网络服务器&#xff0c;当初想着整个项目分模块去写&#xff0c;最后再和主程序链接&#xff0c;正好升入理解一下编译链接的过程&#xff0c;但是现在发现每个模块的内容其实也不是很多&#xff0c;实际上没有必要分模块去写。然后在写的…

如何将48位立即数加载到ARM通用寄存器中?

安全之安全(security)博客目录导读 问题&#xff1a;如何将48位立即数加载到ARM通用寄存器中? AArch64执行状态中支持的指令集称为A64。所有A64指令的宽度都是32位。Move(宽立即数)被限制为16位立即数。 如果使用以下指令将一个48位的值赋给一个通用寄存器&#xff0c;会得到…

【EI会议征稿】第八届能源系统、电气与电力国际学术会议(ESEP 2023)

第八届能源系统、电气与电力国际学术会议&#xff08;ESEP 2023&#xff09; 2023 8th International Conference on Energy System, Electricity and Power 第八届能源系统、电气与电力国际学术会议&#xff08;ESEP 2023&#xff09;定于2023年11月24-26日在中国武汉隆重举…

【斯坦福cs324w】中译版 大模型学习笔记十 环境影响

环境影响 温室气体排放水足迹&#xff1a;数据中心使用水进行冷却&#xff1b;发电需要用水释放到环境中的化学物质很多是对人类有害的 如何计算数据中心能源消耗 简单表示形式 模型训练过程 参考资料 datawhale so-large-lm学习资料

PostGreSql中统计表中每天的数据,并统计每天的回复数,未回复数以及未回复占比(显示百分比)

前言 要在 PostgreSQL 中统计表中每天的数据&#xff0c;并统计每天的回复数、未回复数以及未回复占比&#xff0c;并以百分比形式显示&#xff0c;你可以使用以下 SQL 查询。假设你有一个名为 "messages" 的表&#xff0c;其中包含消息的时间戳列 "timestamp&…

【MySQL】如何配置复制拓扑?

前言配置大框架配置复制主服务器&#xff08;master&#xff09;配置复制从属服务器&#xff08;slave&#xff09;复制过滤规则感谢 &#x1f496; 前言 关于MySQL中的复制技术相关内容&#xff0c;可以看看这些文章&#xff1a; 【MySQL】MySQL中的复制技术是什么&#xff1…

英语——谐音篇——单词——单词密码

记忆即联结&#xff0c;只要能建立有效的联结&#xff0c;就能很好地记住。在现实生活中&#xff0c;声音的联结模式能很好地帮助我们记忆。几乎每个学生都曾用谐音的方法记忆一些事物&#xff0c;但很多人都没有意识到&#xff0c;我们每个人都可以通过一定的练习&#xff0c;…

超声波乳化具有什么特点(优点)?

梵英超声(fanyingsonic)探针式超声波乳化棒 超声波乳化是通过探针式超声波探头&#xff0c;高强度超声波耦合到液体中并产生声空化。超声波或声空化产生高剪切力&#xff0c;提供将大液滴破碎成纳米尺寸液滴所需的能量。梵英超声(fanyingsonic)提供各种探头式超声波乳化棒和配件…

skywalking 整合

安装sw docker 安装&#xff0c; compose 11800是外侧服务向skywaling投送数据的接口 12800是用来和web界面交互数据的接口 8080是ui界面商品 安装后&#xff0c;访问8080 怎么接入服务 下载 基于java的探针技术自动的上报指标数据&#xff0c;不用改源代码 要改下配置 后端…

与机器学习相比,人类的学习包括视觉、听觉、触觉、嗅觉、味觉的串并行混合学习...

视觉学习、听觉学习和触觉学习是人类感知和认知过程中的三个重要方面。 视觉学习&#xff1a;视觉学习是通过视觉感知信息进行学习和认知的过程。人类视觉系统能够感知并解读光线的反射或发射&#xff0c;从而获取关于物体、场景和环境的信息。视觉学习涉及识别、分类、空间感知…

Linux系统文件的三种time(atime/ctime/mtime)

使用Go操作文件&#xff0c;根据创建时间(或修改时间)进行不同处理。 在Mac上&#xff0c;文件相关的结构体字段在syscall/ztypes_darwin_arm64.go下的Stat_t: type Stat_t struct {Dev int32Mode uint16Nlink uint16Ino uint64Uid …

微信小程序页面栈超出导致页面卡死

微信小程序页面栈不能超出10个 超出10个之后无法进行点击选择跳转 解决方法&#xff1a; 跳转的时候&#xff0c;判断之前页面栈里是否存在要跳转的页面&#xff0c; 如果存在之前页面&#xff0c;就navigateBack返回之前页面&#xff0c; 如果不存在之前页面&#xff0c;判断…

精通git,没用过git cherry-pick?

前言 git cherry-pick是git中非常有用的一个命令&#xff0c;cherry是樱桃的意思&#xff0c;cherry-pick就是挑樱桃&#xff0c;从一堆樱桃中挑选自己喜欢的樱桃&#xff0c;在git中就是多次commit中挑选一个或者几个commit出来&#xff0c;也可以理解为把特定的commit复制到…

xyhcms getshell

下载xyhcms3.6.2021版本并用phpstudy搭建 function get_cookie($name, $key ) {if (!isset($_COOKIE[$name])) {return null;}$key empty($key) ? C(CFG_COOKIE_ENCODE) : $key;$value $_COOKIE[$name];$key md5($key);$sc new \Common\Lib\SysCrypt($key);$value $sc-…

中国沿海水产养殖空间分布数据集(1990-2022)

4年间隔的遥感信息提取中国沿海水产养殖空间分布数据集&#xff08;1990-2022&#xff09; 人口增长引起水产品需求快速增加&#xff0c;而野生捕捞产量受环境承载力的限制趋于饱和&#xff0c;这使得水产养殖业在过去数十年间迅速发展。水产养殖能够有效保障人类粮食安全和营养…