我有一个GameObject(HandGun),我在游戏的某个时刻禁用(setActive(false))。 HandGun附有一个名为GunController的脚本,每当我按下触发器时它就会进行拍摄。
问题是,当我禁用HandGun时,我仍然可以拍摄并看到子弹从无到有,因为HandGun GameObject已成功消失。
GunController脚本:
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using EZEffects;
public class GunController : MonoBehaviour {
public GameObject controllerRight;
public AudioClip clip;
AudioSource sound;
public int damage;
private SteamVR_TrackedObject trackedObj;
public SteamVR_Controller.Device device;
private SteamVR_TrackedController controller;
public EffectTracer TracerEffect;
public EffectImpact ImpactEffect;
public Transform muzzleTransform;
// Use this for initialization
void Start () {
sound = gameObject.AddComponent<AudioSource>();
controller = controllerRight.GetComponent<SteamVR_TrackedController>();
controller.TriggerClicked += TriggerPressed;
trackedObj = controllerRight.GetComponent<SteamVR_TrackedObject>();
device = SteamVR_Controller.Input((int)trackedObj.index);
}
private void TriggerPressed(object sender, ClickedEventArgs e)
{
shootWeapon();
}
public void shootWeapon()
{
sound.PlayOneShot(clip,0.2f);
RaycastHit hit = new RaycastHit();
Ray ray = new Ray(muzzleTransform.position, muzzleTransform.forward);
device.TriggerHapticPulse(3999);
TracerEffect.ShowTracerEffect(muzzleTransform.position, muzzleTransform.forward, 250f);
if(Physics.Raycast(ray, out hit, 5000f))
{
if (hit.collider.attachedRigidbody)
{
Enemy enemy = hit.collider.gameObject.GetComponent<Enemy>();
if (enemy)
{
enemy.TakeDamage(damage);
}
ImpactEffect.ShowImpactEffect(hit.transform.position);
}
}
}
// Update is called once per frame
void Update () {
}
}
Inspector脚本的一部分,它禁用了HandGun游戏对象:
public void showShop()
{
shop.SetActive(true);
shopActive = true;
if (actualGun == null)
{
actualGun = handGun;
}
actualGun.SetActive(false);
model.SetActive(true);
}
此外,如果我在游戏运行时手动停用GunController脚本,我仍然可以拍摄,我绝对不会理解。我使用EZEffect,可以在统一商店找到。
我做错了什么?我该怎么办?
无论如何,请提前感谢您的帮助!
答案 0 :(得分:0)
当脚本在禁用的游戏对象上时,它仍然可以执行代码。
但是更新功能不会触发。 看到你的GunController没有使用它的Update(),我怀疑你的输入监听器在其他地方(可能是EZEffect?)。
为了防止您的控制器被触发,您可以在代码中添加一个检查。
private void TriggerPressed(object sender, ClickedEventArgs e)
{
if (gameobject.ActiveSelf)
{
shootWeapon();
}
}
或者您可以禁用侦听用户输入的脚本
答案 1 :(得分:0)
非活动组件不会调用MonoBehavior派生方法,如Start(),Update()等。但是,您仍然可以调用属于非活动gameobjects的脚本方法。
通过向GunController添加OnEnable / Disable方法,可以在对象变为活动/非活动时添加/删除事件处理程序:
void OnEnable() {
controller.TriggerClicked += TriggerPressed;
}
void OnDisable() {
controller.TriggerClicked -= TriggerPressed;
}