https://www.youtube.com/watch?v=uandR5M30ho&list=PLUZ5gNInsv_Nzex8Cvxce_1zjUf0cNWY9&ab_channel=케이디

1강 완료

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

public class PlayerController : MonoBehaviour
{
    [SerializeField]    // private 할 경우 insepector 창에 값이 뜨진 않아서 보안유지가능
    private float walkSpeed;    // 아무대서나 제어하면 안되니까 private 을 주었다 (이동속도)

    [SerializeField]
    private Camera theCamera;   //카메라 컴포넌트 가져오는것
    // 플레이어에는 카메라 컴포넌트가없고 플레이어 안에있는 자식객체 카메라를 썻으니 start에서 추가

    // Rigidbody는 플레이어의 육체를 뜻함
    private Rigidbody myRigidbody;

    [SerializeField]
    private float lookSensitivity;  // 카메라의 민감도 (자기에 맞게 조절 할 수 있도록해주는것)

    [SerializeField]
    private float cameraRotationLimit;  // 고개를 들 때 (카메라) 상한선을 정해주는 것
    private float currentCameraRotationX = 0;  //카메라 정면을 의미  45f면 45도를 바라보는것

    // Start is called before the first frame update
    void Start()    // 스크립트가 처음 시작 될 때 실행 되는 것
    { 
        myRigidbody = GetComponent<Rigidbody>();    
    }

    // Update is called once per frame
    void Update()   // 매 프레임마다 호출되는 함수 1초에 약 60번
    {
        // 키 입력이 일어나면 실제로 움직일수 읽게 해 볼 것
        Move();
        CameraRotation();
        CharacterRotation();

    }
    private void CharacterRotation()
    {
        // 캐릭터는 좌우 회전
        float _yRotation = Input.GetAxisRaw("Mouse X");
        Vector3 _characterRotationY = new Vector3(0f, _yRotation, 0f) * lookSensitivity; //lookSesntivity는 민감도
        myRigidbody.MoveRotation(myRigidbody.rotation * Quaternion.Euler(_characterRotationY)); //Vector 값은 쿼터니언으로 바꿔주는 것
        
    }
    private void CameraRotation()
    {
        // 상하 카메라 회전
        float _xRotation = Input.GetAxisRaw("Mouse Y");
        // 마우스는 3차원이 아니고 2차원이니 X , Y 밖에 없다
        // 즉 위 아래로 고개를 든다라는 것
        float _cameraRotationX = _xRotation * lookSensitivity; // lookSensitivity 는 유니티내에서 설정한 것
        currentCameraRotationX -= _cameraRotationX;
        currentCameraRotationX = Mathf.Clamp(currentCameraRotationX, -cameraRotationLimit, cameraRotationLimit);
        // Clamp 가두는것 해당변수 , a,b 최소 a부터 최대 b 까지

        theCamera.transform.localEulerAngles = new Vector3(currentCameraRotationX, 0f, 0f);// 카메라의 위치정보
    }
    private void Move()
    {
        float _moveDirX = Input.GetAxisRaw("Horizontal");
        float _moveDirZ = Input.GetAxisRaw("Vertical");
 
        // Vector3 는 float값을 3개 갖고 있는 변수
        Vector3 _moveHorizontal = transform.right * _moveDirX;
        // (1,0,0) 기본값 movedirX가 오른쪽이면 1 리턴 왼쪽이면 -1 리턴 되는데 이걸로 좌우 설정
        Vector3 _moveVertical = transform.forward * _moveDirZ;
        //(0,0,1)기본겂

        Vector3 _velocitiy = (_moveHorizontal + _moveVertical).normalized * this.walkSpeed;
        // 위의 2개의 백터를 합친 값
        // (1.0,0)과 (0,0,1)을 더하면 (1,0,1)이 나옴
        // nomarlized해주면 3개의 총합이 1이 나오게 만들어줌 즉 결국 방향은 같다.
        // 합이 1이 나오도록 정규화 시켜주는 것

        myRigidbody.MovePosition(transform.position + _velocitiy* Time.deltaTime);
        // transform = 현재위치
        // update 함수는 매 프레임마다 1차마다 TIme.deletaTime 만큼 쪼개서 움직이게끔 구현

        
    }
}