Как вызывать разные методы только один раз, в разное время? - PullRequest
0 голосов
/ 10 июля 2019

Я пытаюсь использовать действия и события, счетчики и сопрограммы, но я так растерялся.

Цель: заставить MoveCubes () запускаться один раз в течение 3 секунд, а затем получить LerpSine () запустить один раз в течение 3 секунд.

секунды отслеживаются CountdownTimer.cs.Затем SkinnedMeshSpawn.cs взаимодействует с ним.

CountdownTimer:

using System;
using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class CountdownTimer : MonoBehaviour
{
    float currentTime = 0f;
    float startingTime = 10f;
    public static event Action RaiseReady;
    public static event Action RaiseReady2;
    public SkinnedMeshSpawn SkinnedMeshSpawn;

    void Start()
    {
        currentTime = startingTime;     
        StartCoroutine(UpdateCoroutine());
    }

    IEnumerator UpdateCoroutine()
    {
        while (true)
        {
            SkinnedMeshSpawn.GetComponent<SkinnedMeshSpawn>().MoveCubes();
            currentTime -= 1 * Time.deltaTime; //does it each frame
            int n = Convert.ToInt32(currentTime);

            if (n == 7)
            {
                RaiseReady?.Invoke();
                RaiseReady = null; // clean the event
                yield break; // Kills the coroutine
            }
            yield return new WaitForFixedUpdate();
        }
    }

    IEnumerator UpdateCoroutine2()
    {
        while (true)
        {
            SkinnedMeshSpawn.GetComponent<SkinnedMeshSpawn>().LerpSine();
            currentTime -= 1 * Time.deltaTime; //does it each frame
            int n = Convert.ToInt32(currentTime);

            if (n == 4)
            {
                RaiseReady2?.Invoke();
                RaiseReady2 = null; // clean the event
                yield break; // Kills the coroutine

            }
            yield return new WaitForFixedUpdate();
        }
    }
}

SkinnedMeshSpawn:

using UnityEngine;

[RequireComponent(typeof(SkinnedMeshRenderer))]
public class SkinnedMeshSpawn : MonoBehaviour
{
    public GameObject CubePrefab;
    public GameObject[] objects;
    SkinnedMesh mesh;
    public Rigidbody cubePrefabRb;

    public Vector3[] verts;

    int runOnce = 1;

    void Awake()
    {
        mesh = GetComponent<SkinnedMesh>();
        verts = new Vector3[mesh.vertexCount];
    }
    void Start()
    {
        verts = mesh.vertices;

        CountdownTimer.RaiseReady += CountdownTimer_RaiseReady;
        CountdownTimer.RaiseReady2 += CountdownTimer_RaiseReady2;

        mesh.OnResultsReady += DrawVertices;
    }
    void CountdownTimer_RaiseReady()
    {
        Debug.Log("Done");
        CountdownTimer.RaiseReady -= CountdownTimer_RaiseReady; // Remove listener though the other class is already clearing it
    }

    private void CountdownTimer_RaiseReady2()
    {
        Debug.Log("Done2");
        CountdownTimer.RaiseReady2 -= CountdownTimer_RaiseReady; // Remove listener though the other class is already clearing it
    }

    void DrawVertices(SkinnedMesh mesh)
    {
        if (runOnce == 1)
        {
            for (int i = 0; i < mesh.vertexCount; i++)
            {
                Vector3 position = verts[i];
                var cubeClone = Instantiate(CubePrefab, position, transform.rotation);
                cubeClone.tag = "CubePFInst";
            }
            runOnce = 0;
        }
    }


    public void MoveCubes()
    {
        if (runOnce == 0)
        {
            objects = GameObject.FindGameObjectsWithTag("CubePFInst");

            for (int i = 0; i < mesh.vertexCount; i++)
            {
                Vector3 position = verts[i];
                cubePrefabRb = objects[i].GetComponent<Rigidbody>();
                cubePrefabRb.MovePosition(Vector3.Lerp(position, position, Time.deltaTime * 6));
            }
        }
    }

    public void LerpSine()
    {
        Debug.Log("LerpSine");
    }
}

Максимум, что я смог сделать на данный момент - это вызвать UpdateCoroutine2 и вызватьDone2 печатать в журнал, но LerpSine печатается неоднократно, как будто я запускаю сопрограмму с каждым обновлением кадра.

Буду признателен, если кто-нибудь сможет просмотреть код и дать рекомендации о том, как достичь цели, указанной выше.Позже я хотел реализовать GameManager, но это уже становится очень сложным.

1 Ответ

1 голос
/ 11 июля 2019

Использование событий здесь действительно усложняет вещи для того, что вы, кажется, хотите сделать.

Я бы использовал yield return new WaitForSeconds(seconds); для определения времени:

using System;
using System.Collections;
using System.Collections.Generic;
using UnityEngine;

public class CountdownTimer : MonoBehaviour
{

    public SkinnedMeshSpawn SkinnedMeshSpawn;

    void Start()
    { 
        StartCoroutine(FunctionCaller(3f,3f));
    }

    IEnumerator FunctionCaller(float pause1, float pause2)
    {
        SkinnedMeshSpawn.GetComponent<SkinnedMeshSpawn>().MoveCubes();

        yield return new WaitForSeconds(pause1);

        SkinnedMeshSpawn.GetComponent<SkinnedMeshSpawn>().LerpSine();

        yield return new WaitForSeconds(pause2);

        // Do whatever after pause 2
    }
}
...