< Summary

Class:DummyAgent
Assembly:bamlab.micromissiles
File(s):/github/workspace/Assets/Scripts/Agent.cs
Covered lines:6
Uncovered lines:6
Coverable lines:12
Total lines:465
Line coverage:50% (6 of 12)
Covered branches:0
Total branches:0
Covered methods:2
Total methods:5
Method coverage:40% (2 of 5)

Metrics

MethodBranch coverage Crap Score Cyclomatic complexity NPath complexity Sequence coverage
Start()0%110100%
FixedUpdate()0%110100%
UpdateReady(...)0%2100%
UpdateBoost(...)0%2100%
UpdateMidCourse(...)0%2100%

File(s)

/github/workspace/Assets/Scripts/Agent.cs

#LineLine coverage
 1using System.Collections;
 2using System.Collections.Generic;
 3using UnityEngine;
 4
 5public abstract class Agent : MonoBehaviour {
 6  // In the initialized phase, the agent is subject to no forces.
 7  // In the ready phase, the agent is subject to gravity and drag with zero input acceleration.
 8  public enum FlightPhase { INITIALIZED, READY, BOOST, MIDCOURSE, TERMINAL, TERMINATED }
 9
 10  [SerializeField]
 11  private FlightPhase _flightPhase = FlightPhase.INITIALIZED;
 12
 13  [SerializeField]
 14  protected Vector3 _velocity;
 15
 16  [SerializeField]
 17  protected Vector3 _acceleration;
 18
 19  [SerializeField]
 20  protected Vector3 _dragAcceleration;
 21
 22  [SerializeField]
 23  protected float _speed;
 24
 25  [SerializeField]
 26  protected List<Agent> _interceptors = new List<Agent>();
 27  [SerializeField]
 28  protected Agent _target;
 29  [SerializeField]
 30  protected Agent _targetModel;
 31
 32  [SerializeField]
 33  protected double _timeSinceBoost = 0;
 34  [SerializeField]
 35  protected double _timeInPhase = 0;
 36
 37  public StaticAgentConfig staticAgentConfig;
 38  public DynamicAgentConfig dynamicAgentConfig;
 39
 40  // Define delegates.
 41  public delegate void TerminatedEventHandler(Agent agent);
 42  public event TerminatedEventHandler OnTerminated;
 43
 44  public delegate void InterceptHitEventHandler(Interceptor interceptor, Threat target);
 45  public delegate void InterceptMissEventHandler(Interceptor interceptor, Threat target);
 46  public delegate void ThreatHitEventHandler(Threat threat);
 47  public delegate void ThreatMissEventHandler(Threat threat);
 48
 49  // Define events.
 50  public event InterceptHitEventHandler OnInterceptHit;
 51  public event InterceptMissEventHandler OnInterceptMiss;
 52  public event ThreatHitEventHandler OnThreatHit;
 53  public event ThreatMissEventHandler OnThreatMiss;
 54
 55  private Vector3 _initialVelocity;
 56
 57  public void SetFlightPhase(FlightPhase flightPhase) {
 58    _timeInPhase = 0;
 59    _flightPhase = flightPhase;
 60    if (flightPhase == FlightPhase.INITIALIZED || flightPhase == FlightPhase.TERMINATED) {
 61      GetComponent<Rigidbody>().constraints = RigidbodyConstraints.FreezeAll;
 62    } else {
 63      GetComponent<Rigidbody>().constraints = RigidbodyConstraints.None;
 64    }
 65    if (flightPhase == FlightPhase.BOOST) {
 66      SetVelocity(GetVelocity() + _initialVelocity);
 67    }
 68  }
 69
 70  public FlightPhase GetFlightPhase() {
 71    return _flightPhase;
 72  }
 73
 74  public bool HasLaunched() {
 75    return _flightPhase != FlightPhase.INITIALIZED;
 76  }
 77
 78  public bool HasTerminated() {
 79    return _flightPhase == FlightPhase.TERMINATED;
 80  }
 81
 82  public virtual void SetDynamicAgentConfig(DynamicAgentConfig config) {
 83    dynamicAgentConfig = config;
 84  }
 85
 86  public virtual void SetStaticAgentConfig(StaticAgentConfig config) {
 87    staticAgentConfig = config;
 88    GetComponent<Rigidbody>().mass = staticAgentConfig.bodyConfig.mass;
 89  }
 90
 91  public virtual bool IsAssignable() {
 92    return true;
 93  }
 94
 95  public virtual void AssignTarget(Agent target) {
 96    _target = target;
 97    _target.AddInterceptor(this);
 98    _targetModel = SimManager.Instance.CreateDummyAgent(target.GetPosition(), target.GetVelocity());
 99  }
 100
 101  public Agent GetAssignedTarget() {
 102    return _target;
 103  }
 104
 105  public bool HasAssignedTarget() {
 106    return _target != null;
 107  }
 108
 109  public Agent GetTargetModel() {
 110    return _targetModel;
 111  }
 112
 113  public virtual void UnassignTarget() {
 114    if (HasAssignedTarget()) {
 115      _target.RemoveInterceptor(this);
 116    }
 117    _target = null;
 118    _targetModel = null;
 119  }
 120
 121  public bool IsTerminated() {
 122    return _flightPhase == FlightPhase.TERMINATED;
 123  }
 124
 125  public void AddInterceptor(Agent interceptor) {
 126    _interceptors.Add(interceptor);
 127  }
 128
 129  public void RemoveInterceptor(Agent interceptor) {
 130    _interceptors.Remove(interceptor);
 131  }
 132
 133  public IReadOnlyList<Agent> AssignedInterceptors {
 134    get { return _interceptors; }
 135  }
 136
 137  public virtual void TerminateAgent() {
 138    UnassignTarget();
 139    if (_flightPhase != FlightPhase.TERMINATED) {
 140      OnTerminated?.Invoke(this);
 141    }
 142    _flightPhase = FlightPhase.TERMINATED;
 143    SetPosition(Vector3.zero);
 144    gameObject.SetActive(false);
 145  }
 146
 147  public void HandleInterceptHit(Agent agent) {
 148    if (this is Interceptor interceptor && agent is Threat threat) {
 149      OnInterceptHit?.Invoke(interceptor, threat);
 150      TerminateAgent();
 151    }
 152  }
 153
 154  public void HandleInterceptMiss() {
 155    if (this is Interceptor interceptor && _target is Threat threat) {
 156      OnInterceptMiss?.Invoke(interceptor, threat);
 157    }
 158  }
 159
 160  public void HandleTargetIntercepted() {
 161    if (this is Threat threat) {
 162      TerminateAgent();
 163    }
 164  }
 165
 166  public void HandleThreatHit() {
 167    if (this is Threat threat) {
 168      OnThreatHit?.Invoke(threat);
 169      TerminateAgent();
 170    }
 171  }
 172
 173  public void HandleHitGround() {
 174    if (this is Interceptor interceptor && _target is Threat target) {
 175      OnInterceptMiss?.Invoke(interceptor, target);
 176    }
 177    if (this is Threat threat) {
 178      OnThreatMiss?.Invoke(threat);
 179    }
 180    TerminateAgent();
 181  }
 182
 183  public void SetInitialVelocity(Vector3 velocity) {
 184    _initialVelocity = velocity;
 185  }
 186
 187  public Vector3 GetPosition() {
 188    return transform.position;
 189  }
 190
 191  public void SetPosition(Vector3 position) {
 192    transform.position = position;
 193  }
 194
 195  public double GetSpeed() {
 196    return GetComponent<Rigidbody>().linearVelocity.magnitude;
 197  }
 198
 199  public Vector3 GetVelocity() {
 200    return GetComponent<Rigidbody>().linearVelocity;
 201  }
 202
 203  public void SetVelocity(Vector3 velocity) {
 204    GetComponent<Rigidbody>().linearVelocity = velocity;
 205  }
 206
 207  public Vector3 GetAcceleration() {
 208    return _acceleration;
 209  }
 210
 211  public void SetAcceleration(Vector3 acceleration) {
 212    _acceleration = acceleration;
 213  }
 214
 215  public Transformation GetRelativeTransformation(Agent target) {
 216    Transformation transformation = new Transformation();
 217
 218    // Get the relative position transformation.
 219    transformation.position =
 220        GetRelativePositionTransformation(target.GetPosition() - GetPosition());
 221
 222    // Get the relative velocity transformation.
 223    transformation.velocity = GetRelativeVelocityTransformation(
 224        target.GetPosition() - GetPosition(), target.GetVelocity() - GetVelocity());
 225
 226    // Get the relative acceleration transformation.
 227    transformation.acceleration = GetRelativeAccelerationTransformation(target);
 228    return transformation;
 229  }
 230
 231  public Transformation GetRelativeTransformationToWaypoint(Vector3 waypoint) {
 232    Transformation transformation = new Transformation();
 233
 234    // Get the relative position transformation.
 235    transformation.position = GetRelativePositionTransformation(waypoint - GetPosition());
 236
 237    // Get the relative velocity transformation.
 238    transformation.velocity =
 239        GetRelativeVelocityTransformation(waypoint - GetPosition(), -GetVelocity());
 240
 241    return transformation;
 242  }
 243
 244  private PositionTransformation GetRelativePositionTransformation(Vector3 relativePosition) {
 245    PositionTransformation positionTransformation = new PositionTransformation();
 246
 247    // Set the relative position in Cartesian coordinates.
 248    positionTransformation.cartesian = relativePosition;
 249
 250    // Calculate the distance (range) to the target.
 251    positionTransformation.range = relativePosition.magnitude;
 252
 253    Vector3 flatRelativePosition = Vector3.ProjectOnPlane(relativePosition, transform.up);
 254    Vector3 verticalRelativePosition = relativePosition - flatRelativePosition;
 255
 256    // Calculate the elevation (vertical angle relative to forward).
 257    positionTransformation.elevation =
 258        Mathf.Atan(verticalRelativePosition.magnitude / flatRelativePosition.magnitude);
 259
 260    // Calculate the azimuth (horizontal angle relative to forward).
 261    if (flatRelativePosition.magnitude == 0) {
 262      positionTransformation.azimuth = 0;
 263    } else {
 264      positionTransformation.azimuth =
 265          Vector3.SignedAngle(transform.forward, flatRelativePosition, transform.up) * Mathf.PI /
 266          180;
 267    }
 268
 269    return positionTransformation;
 270  }
 271
 272  private VelocityTransformation GetRelativeVelocityTransformation(Vector3 relativePosition,
 273                                                                   Vector3 relativeVelocity) {
 274    VelocityTransformation velocityTransformation = new VelocityTransformation();
 275
 276    // Set the relative velocity in Cartesian coordinates.
 277    velocityTransformation.cartesian = relativeVelocity;
 278
 279    // Calculate range rate (radial velocity).
 280    velocityTransformation.range = Vector3.Dot(relativeVelocity, relativePosition.normalized);
 281
 282    // Project relative velocity onto the sphere passing through the target.
 283    Vector3 tangentialVelocity = Vector3.ProjectOnPlane(relativeVelocity, relativePosition);
 284
 285    // The target azimuth vector is orthogonal to the relative position vector and
 286    // points to the starboard of the target along the azimuth-elevation sphere.
 287    Vector3 targetAzimuth = Vector3.Cross(transform.up, relativePosition);
 288    // The target elevation vector is orthogonal to the relative position vector
 289    // and points upwards from the target along the azimuth-elevation sphere.
 290    Vector3 targetElevation = Vector3.Cross(relativePosition, transform.right);
 291    // If the relative position vector is parallel to the yaw or pitch axis, the
 292    // target azimuth vector or the target elevation vector will be undefined.
 293    if (targetAzimuth.magnitude == 0) {
 294      targetAzimuth = Vector3.Cross(targetElevation, relativePosition);
 295    } else if (targetElevation.magnitude == 0) {
 296      targetElevation = Vector3.Cross(relativePosition, targetAzimuth);
 297    }
 298
 299    // Project the relative velocity vector on the azimuth-elevation sphere onto
 300    // the target azimuth vector.
 301    Vector3 tangentialVelocityOnAzimuth = Vector3.Project(tangentialVelocity, targetAzimuth);
 302
 303    // Calculate the time derivative of the azimuth to the target.
 304    velocityTransformation.azimuth =
 305        tangentialVelocityOnAzimuth.magnitude / relativePosition.magnitude;
 306    if (Vector3.Dot(tangentialVelocityOnAzimuth, targetAzimuth) < 0) {
 307      velocityTransformation.azimuth *= -1;
 308    }
 309
 310    // Project the velocity vector on the azimuth-elevation sphere onto the target
 311    // elevation vector.
 312    Vector3 tangentialVelocityOnElevation = Vector3.Project(tangentialVelocity, targetElevation);
 313
 314    // Calculate the time derivative of the elevation to the target.
 315    velocityTransformation.elevation =
 316        tangentialVelocityOnElevation.magnitude / relativePosition.magnitude;
 317    if (Vector3.Dot(tangentialVelocityOnElevation, targetElevation) < 0) {
 318      velocityTransformation.elevation *= -1;
 319    }
 320
 321    return velocityTransformation;
 322  }
 323
 324  private AccelerationTransformation GetRelativeAccelerationTransformation(Agent agent) {
 325    // Since the agent's acceleration is an input, the relative acceleration is just the agent's
 326    // acceleration.
 327    AccelerationTransformation accelerationTransformation = new AccelerationTransformation();
 328    accelerationTransformation.cartesian = agent.GetAcceleration();
 329    return accelerationTransformation;
 330  }
 331
 332  public double GetDynamicPressure() {
 333    var airDensity = Constants.CalculateAirDensityAtAltitude(transform.position.y);
 334    var flowSpeed = GetSpeed();
 335    return 0.5 * airDensity * (flowSpeed * flowSpeed);
 336  }
 337
 338  protected abstract void UpdateReady(double deltaTime);
 339  protected abstract void UpdateBoost(double deltaTime);
 340  protected abstract void UpdateMidCourse(double deltaTime);
 341
 342  protected virtual void Awake() {}
 343
 344  // Start is called before the first frame update
 345  protected virtual void Start() {}
 346
 347  // Update is called once per frame
 348  protected virtual void FixedUpdate() {
 349    _speed = (float)GetSpeed();
 350    if (_flightPhase != FlightPhase.INITIALIZED && _flightPhase != FlightPhase.READY) {
 351      _timeSinceBoost += Time.fixedDeltaTime;
 352    }
 353    _timeInPhase += Time.fixedDeltaTime;
 354
 355    var boost_time = staticAgentConfig.boostConfig.boostTime;
 356    double elapsedSimulationTime = SimManager.Instance.GetElapsedSimulationTime();
 357
 358    if (_flightPhase == FlightPhase.TERMINATED) {
 359      return;
 360    }
 361    if (_flightPhase == FlightPhase.INITIALIZED || _flightPhase == FlightPhase.READY) {
 362      SetFlightPhase(FlightPhase.BOOST);
 363    }
 364    if (_timeSinceBoost > boost_time && _flightPhase == FlightPhase.BOOST) {
 365      SetFlightPhase(FlightPhase.MIDCOURSE);
 366    }
 367    AlignWithVelocity();
 368    switch (_flightPhase) {
 369      case FlightPhase.INITIALIZED:
 370        break;
 371      case FlightPhase.READY:
 372        UpdateReady(Time.fixedDeltaTime);
 373        break;
 374      case FlightPhase.BOOST:
 375        UpdateBoost(Time.fixedDeltaTime);
 376        break;
 377      case FlightPhase.MIDCOURSE:
 378      case FlightPhase.TERMINAL:
 379        UpdateMidCourse(Time.fixedDeltaTime);
 380        break;
 381      case FlightPhase.TERMINATED:
 382        break;
 383    }
 384
 385    _velocity = GetVelocity();
 386    // Store the acceleration because it is set to zero after each simulation step
 387    _acceleration =
 388        GetComponent<Rigidbody>().GetAccumulatedForce() / GetComponent<Rigidbody>().mass;
 389  }
 390
 391  protected virtual void AlignWithVelocity() {
 392    Vector3 velocity = GetVelocity();
 393    if (velocity.magnitude > 0.1f)  // Only align if we have significant velocity
 394    {
 395      // Create a rotation with forward along velocity and up along world up
 396      Quaternion targetRotation = Quaternion.LookRotation(velocity, Vector3.up);
 397
 398      // Smoothly rotate towards the target rotation
 399      transform.rotation = Quaternion.RotateTowards(transform.rotation, targetRotation,
 400                                                    10000f * Time.fixedDeltaTime);
 401    }
 402  }
 403
 404  protected Vector3 CalculateAcceleration(Vector3 accelerationInput) {
 405    Vector3 gravity = Physics.gravity;
 406    float airDrag = CalculateDrag();
 407    float liftInducedDrag = CalculateLiftInducedDrag(accelerationInput + gravity);
 408    float dragAcceleration = -(airDrag + liftInducedDrag);
 409
 410    // Project the drag acceleration onto the forward direction
 411    Vector3 dragAccelerationAlongRoll = dragAcceleration * transform.forward;
 412    _dragAcceleration = dragAccelerationAlongRoll;
 413
 414    return accelerationInput + gravity + dragAccelerationAlongRoll;
 415  }
 416
 417  public float CalculateMaxForwardAcceleration() {
 418    return staticAgentConfig.accelerationConfig.maxForwardAcceleration;
 419  }
 420
 421  public float CalculateMaxNormalAcceleration() {
 422    float maxReferenceNormalAcceleration =
 423        (float)(staticAgentConfig.accelerationConfig.maxReferenceNormalAcceleration *
 424                Constants.kGravity);
 425    float referenceSpeed = staticAgentConfig.accelerationConfig.referenceSpeed;
 426    return Mathf.Pow((float)GetSpeed() / referenceSpeed, 2) * maxReferenceNormalAcceleration;
 427  }
 428
 429  private float CalculateDrag() {
 430    float dragCoefficient = staticAgentConfig.liftDragConfig.dragCoefficient;
 431    float crossSectionalArea = staticAgentConfig.bodyConfig.crossSectionalArea;
 432    float mass = staticAgentConfig.bodyConfig.mass;
 433    float dynamicPressure = (float)GetDynamicPressure();
 434    float dragForce = dragCoefficient * dynamicPressure * crossSectionalArea;
 435    return dragForce / mass;
 436  }
 437
 438  private float CalculateLiftInducedDrag(Vector3 accelerationInput) {
 439    float liftAcceleration = Vector3.ProjectOnPlane(accelerationInput, transform.up).magnitude;
 440    float liftDragRatio = staticAgentConfig.liftDragConfig.liftDragRatio;
 441    return Mathf.Abs(liftAcceleration / liftDragRatio);
 442  }
 443}
 444
 445public class DummyAgent : Agent {
 187446  protected override void Start() {
 187447    base.Start();
 187448  }
 449
 1644450  protected override void FixedUpdate() {
 1644451    GetComponent<Rigidbody>().AddForce(_acceleration, ForceMode.Acceleration);
 1644452  }
 453
 0454  protected override void UpdateReady(double deltaTime) {
 455    // Do nothing.
 0456  }
 457
 0458  protected override void UpdateBoost(double deltaTime) {
 459    // Do nothing.
 0460  }
 461
 0462  protected override void UpdateMidCourse(double deltaTime) {
 463    // Do nothing.
 0464  }
 465}