What is Physics.Raycast(All Parameters)....and what does it returns....If Boolean how computations take place for boolean result in the method
using UnityEngine; using System.Collections;
public class Detection : MonoBehaviour { public float fieldOfView = 80.0f; public bool IsDetected;
 private bool answer;
 private GameObject player;
 private SphereCollider col;
 void Awake()
 {
     player = GameObject.FindGameObjectWithTag("Player");
     col = GetComponent<SphereCollider>();
 }
 void Update()
 {
     //Every Frame
 }
 void OnTriggerStay(Collider other)
 {
     
     if(other.gameObject == player)
     {
         IsDetected = false;
         Vector3 direction = other.transform.position - transform.position;
         float angle = Vector3.Angle(direction, transform.forward);
         Debug.DrawRay(transform.position+transform.up/4, direction, Color.green);
         Debug.Log(angle);
         if(angle < fieldOfView)
         {
             RaycastHit hit;
             if (Physics.Raycast(transform.position + transform.up/4,direction, out hit, col.radius))
             {
                 if(hit.collider.gameObject == player)
                 {
                     IsDetected = true;
                 }
             }
         }
     }
 }
 void OnTriggerExit(Collider other)
 {
     if (other.gameObject == player)
     {
         IsDetected = false;
     }
 }
 
               }
               Comment
              
 
               
               
               Best Answer 
              
 
              Answer by HenryStrattonFW · Nov 17, 2015 at 05:48 PM
This standard racycast returns the first thing it hits (if anything) and stores it within the "out" value that you specify, in this case "hit" that hit object will then contain a whole load of information about the hit, where in the world it occurred, what it hit, etc etc.
The reason it returns a boolean is so that you can avoid doing any more processing if nothing was hit. If nothing was hit, it returns false and thus does not enter your if statement.
As for what you do with that hit information, well that's up to you.
Your answer