1

2D タワー ディフェンス ゲームを作成していて、タワーがミニオンでプレハブを起動するようにしたいと考えています。ただし、現在、目的のプレハブのみを生成しますが、移動しません。

私の2つのスクリプト:

public class Attacker : MonoBehaviour {

// Public variables
public GameObject ammoPrefab;
public float reloadTime;
public float projectileSpeed;

// Private variables
private Transform target;


// Use this for initialization
void Start () {
}

// Update is called once per frame
void Update () {

}
void OnTriggerEnter(Collider co){
    if (co.gameObject.tag == "Enemy" || co.gameObject.tag == "BlockTower") { 
        Debug.Log("Enemy tag detected");

        if(this.gameObject.tag == "Enemy" && co.gameObject.tag != "Enemy"){
            Debug.Log("This is an Enemy");
            // Insert for Enemey to attack Block Towers.
        }
        if(this.gameObject.tag == "Tower" && co.gameObject.tag != "BlockTower"){
            Debug.Log("This is a Tower");
            Tower Tower = GetComponent<Tower>();
            Tower.CalculateCombatTime(reloadTime, projectileSpeed);
            Transform SendThis = co.transform;
            Tower.SetTarget(SendThis);
        }
    }
}

}

public class Tower : MonoBehaviour {
private Transform target;
private float fireSpeed;
private double nextFireTime;
private GameObject bullet;
private Attacker source;

// Use this for initialization
public virtual void Start () {
    source = this.GetComponent<Attacker> ();
}

// Update is called once per frame
public virtual void Update () {

    if (target) {
        Debug.Log("I have a target");
        //if(nextFireTime <= Time.deltaTime)
        FireProjectile ();
    }
}
public void CalculateCombatTime(float time, float speed){
    Debug.Log("Calculate Combat Speed");
    nextFireTime = Time.time + (time * .5);
    fireSpeed = speed;
}
public void SetTarget(Transform position){
    Debug.Log("Set Target");
    target = position;
}
public void FireProjectile(){
    Debug.Log("Shoot Projectile");
    bullet = (GameObject)Instantiate (source.ammoPrefab, transform.position, source.ammoPrefab.transform.rotation);
    float speed = fireSpeed * Time.deltaTime;
    bullet.transform.position = Vector3.MoveTowards (bullet.transform.position, target.position, speed);
}

}

基本的にアタッカーは衝突する物体を検知し、そのタグがTowerであればその情報をTowerに送信します。私のデバッグは、すべての機能が機能していることを"Debug.Log("Shoot Projectile");"示しています。

しかし、それは私のターゲットに向かって動かないので、"bullet.transform.position = Vector3.MoveTowards (bullet.transform.position, target.position, step);"決して実行されていないと思いますか?

4

2 に答える 2

0

Vector3.MoveTowardsはオブジェクトを 1 回だけ移動しますFireProjectile

Update()時間の経過とともに移動させる関数を備えた、ある種の発射体スクリプトを作成する必要があります。

次に例を示します。

public class Projectile : MonoBehaviour
{
    public Vector3 TargetPosition;

    void Update()
    {
        transform.position = Vector3.MoveTowards(transform.position, TargetPosition, speed * Time.DeltaTime);
    }
}

次に、弾丸のインスタンス化の直後に、ターゲットを設定します。

bullet.GetComponent<Projectile>().TargetPosition = target.position;

それが役に立てば幸い。

于 2015-03-28T19:00:42.170 に答える