1

我正在使用 Gear VR 创建一个项目,您可以在其中旋转对象并根据耳机侧面的滑动和点击控件显示信息。

一切都很好,当我使用 Gear VR 侧面的触摸板时,我可以旋转和选择东西,但是当我改变场景并返回主菜单,然后回到我刚刚打开的场景时,功能停止在职的。

我正在使用我制作的这个脚本:

using UnityEngine;
using UnityEngine.SceneManagement;
using System.Collections;
using System;

public class GearVRTouchpad : MonoBehaviour
{
    public GameObject heart;

    public float speed;

    Rigidbody heartRb;

    void Start ()
    {
        OVRTouchpad.Create();
        OVRTouchpad.TouchHandler += Touchpad;

        heartRb = heart.GetComponent<Rigidbody>();
    }  

    void Update()
    {
        if (Input.GetKeyDown(KeyCode.W))
        {
            SceneManager.LoadScene("Main Menu");
        }
    }


    void Touchpad(object sender, EventArgs e)
    {
        var touches = (OVRTouchpad.TouchArgs)e;

        switch (touches.TouchType)
        {
            case OVRTouchpad.TouchEvent.SingleTap:                
                // Do some stuff    
                break;      

            case OVRTouchpad.TouchEvent.Up:
                // Do some stuff
                break;
                //etc for other directions

        }
    }
}

我注意到,当我开始游戏时,OVRTouchpadHelper会创建一个。我不知道这是否与我的问题有关。

我得到的错误是:

MissingReferenceException: The object of type 'GearVRTouchpad' has been destroyed but you are still trying to access it. Your script should either check if it is null or you should not destroy the object.

我没有在其他任何地方引用过这个脚本。

当我在播放模式下检查我的场景时,脚本仍然存在,变量分配仍然存在。

任何帮助都会很棒!

4

1 回答 1

2

OVRTouchpad.TouchHandler是一个static EventHandler(因此它将在游戏的整个生命周期中持续存在)。您的脚本在创建时订阅它,但在销毁时并未取消订阅。当您重新加载场景时,旧订阅仍在事件中,但旧GearVRTouchpad实例已消失。这将导致MissingReferenceException下次TouchHandler事件触发。将此添加到您的课程中:

void OnDestroy() {
    OVRTouchpad.TouchHandler -= Touchpad;
}

现在,每当GameObject具有GearVRTouchpad行为的 a 被销毁时,static事件 inOVRTouchpad将不再具有对它的引用。

于 2017-03-02T20:41:40.360 回答