Player movement scripting error that I can't seem to find. Would someone please look this over?

using UnityEngine;

public class PlayerMovement : MonoBehaviour
{
public float speed = 6f;

Vector3 movement;
Animator anim;
Rigidbody playerRigidbody;
int floorMask;
float camRayLength = 100f

void Awake ()
{
	floorMask = LayerMask.GetMask ("Floor");
	anim = GetComponent <Animator> ();
	playerRigidbody = GetComponent <Rigidbody> ();
}

void FixedUpdate ()
{
	float h = Input.GetAxisRaw ("Horizontal");
	float v = Input.GetAxisRaw ("Vertical");

	Move (h, v);
	Turning ();
	Animating (h, v);
}

void Move (float h, float v)
{
	movement.Set (h,0f,v);

	movement = movement.normalized * speed * Time.deltaTime;

	playerRigidbody.MovePosition (transform.position + movement);
}

void Turning ()
{
	Ray camRay = Camera.main.ScreenPointToRay (Input.mousePosition);

	RaycastHit floorHit;

	if(Physics.Raycast (camRay, out floorHit, camRayLength, floorMask))
	{
		Vector3 playerToMouse = floorHit.point - transform.position;
		playerToMouse.y = 0f;

		Quaternion newRotation = Quaternion.LookRotation (PlayerToMouse);
		playerRigidbody.MoveRotaion (newRotation);
	}
}

void Animating (float h, float v)
{
	bool walking = h != 0f || v !=0f
	anim.SetBool ("IsWalking", walking);
}

}

You Had 3 errors:
1st one is at line 10

float camRayLength = 100f;
Where you forgot that last semicolon

2nd one is at line 49

Quaternion newRotation = Quaternion.LookRotation (PlayerToMouse);

This should be Quaternion newRotation = Quaternion.LookRotation (playerToMouse);
3rd one is at line 50

playerRigidbody.MoveRotaion (newRotation); Thats a mispelling of Rotation playerRigidbody.MoveRotation(newRotation);

float camRayLength = 100f

bool walking = h != 0f || v !=0f

are missing the trailing ;
The compiler should be coughing up a lung on you seeing these!

Edit
In your Animating method are you wanting to ask an IF statement without the IF? Highly recommend that you go ahead and format your lines so its easier to read the code, avoiding shortcuts will avoid debugging headaches.

Additionally variables speed & PlayerToMouse are undefined/set.

Remember to close your lines! Its the mundane stuff that gets ya everytime!