LineRenderer 不绘制鼠标单击的位置

LineRenderer not drawing where Mouse clicks

按照教程,我正在尝试使用使用 spring 关节和线渲染器的抓斗枪机械师。

我在鼠标点击时画了线,但线的末端没有画在用户点击的地方。

看起来像这样:

任何人都可以帮助我解决为什么它不起作用吗?这是正在运行的(靠不住的)项目- https://i.imgur.com/IuMsEsQ.mp4

抓钩枪代码:

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

public class GrapplingGun : MonoBehaviour
{
    private LineRenderer lr;
    private Vector3 grapplePoint; //where we grapple to
    public LayerMask whatIsGrappable;
    public Transform gunTip;
    public Transform cam;
    public Transform player;
    private float maxDistance = 100f;
    private SpringJoint joint;

    void Awake()
    {
        lr = GetComponent<LineRenderer>();
    }

    void Update()
    {


        if (Input.GetMouseButtonDown(0))
        {
            StartGrapple();
        }
        else if (Input.GetMouseButtonUp(0))
        {
            StopGrapple();
        }
    }

    void LateUpdate()
    {
        DrawRope();
    }

    void StartGrapple()
    {
        RaycastHit hit;
        if (Physics.Raycast(cam.position, cam.forward, out hit, maxDistance, whatIsGrappable))
        //if (Physics.Raycast(transform.position, Vector3.forward, out hit, maxDistance, whatIsGrappable))
        {
            grapplePoint = hit.point;
            joint = player.gameObject.AddComponent<SpringJoint>();
            joint.autoConfigureConnectedAnchor = false;
            joint.connectedAnchor = grapplePoint;

            float distanceFromPoint = Vector3.Distance(player.position, grapplePoint);
            joint.maxDistance = distanceFromPoint * 0.8f;
            joint.minDistance = distanceFromPoint * 0.25f;

            joint.spring = 4.5f;
            joint.damper = 7f;
            joint.massScale = 4.5f;

            lr.positionCount = 2;
        }

    }

    void DrawRope()
    {
        //If not grappling, don't draw anything
        if (!joint) return;

        lr.SetPosition(0, gunTip.position);
        lr.SetPosition(1, grapplePoint);
    }
    void StopGrapple()
    {
        lr.positionCount = 0;
        Destroy(joint);
    }
}

谢谢。

潜在的问题是您的光线投射。第二个参数是光线的方向,即相机方向。因此,目前您的光线始终从相机指向前方。

你可以做的是使用 Camera.ScreenPointToRay 给一个光线投射,给你一个 3d 鼠标位置投射到,然后使用你当前的光线投射,但用玩家的方向替换第二个参数到前面提到的函数的光线投射命中的点

Ray ray = Camera.ScreenPointToRay(Input.mousePosition);
Physics.Raycast(ray, out RaycastHit hit);
if (Physics.Raycast(transform.position, (hit.point - transform.position).normalized, out hit, maxDistance, whatIsGrappable)) {
    // Your code here...
}