GravityStomp/GravityStomp/Source/GravityStompGame/Character/GSCharacterMovementComponent.cpp
2023-02-05 23:10:36 -05:00

1391 lines
49 KiB
C++

// Gravity Stomp Copyright Kevin Poretti
#include "Character/GSCharacterMovementComponent.h"
// UE includes
#include "GSCharacter.h"
#include "Components/CapsuleComponent.h"
#include "GameFramework/Character.h"
#include "Kismet/KismetMathLibrary.h"
// These are defined in CharacterMovementComponent.cpp and inaccessible here. Just copy and paste too make the PhysFalling work
namespace GSCharacterMovementConstants
{
// MAGIC NUMBERS
const float VERTICAL_SLOPE_NORMAL_Z = 0.001f; // Slope is vertical if Abs(Normal.Z) <= this threshold. Accounts for precision problems that sometimes angle normals slightly off horizontal for vertical surface.
}
namespace GSCharacterMovementCVars
{
int32 ForceJumpPeakSubstep = 1;
FAutoConsoleVariableRef CVarForceJumpPeakSubstep(
TEXT("gs.ForceJumpPeakSubstep"),
ForceJumpPeakSubstep,
TEXT("If 1, force a jump substep to always reach the peak position of a jump, which can often be cut off as framerate lowers."),
ECVF_Default);
static bool bAddFormerBaseVelocityToRootMotionOverrideWhenFalling = true;
FAutoConsoleVariableRef CVarAddFormerBaseVelocityToRootMotionOverrideWhenFalling(
TEXT("gs.AddFormerBaseVelocityToRootMotionOverrideWhenFalling"),
bAddFormerBaseVelocityToRootMotionOverrideWhenFalling,
TEXT("To avoid sudden velocity changes when a root motion source moves the pawn from a moving base to free fall, this CVar will enable the FormerBaseVelocityDecayHalfLife property on CharacterMovementComponent."),
ECVF_Default);
}
UGSCharacterMovementComponent::UGSCharacterMovementComponent()
{
}
void UGSCharacterMovementComponent::PhysFalling(float deltaTime, int32 Iterations)
{
if (deltaTime < MIN_TICK_TIME)
{
return;
}
FVector FallAcceleration = GetFallingLateralAcceleration(deltaTime);
IsCharacterUpAlignedToWorldUp() ? FallAcceleration.Z = 0.f : FallAcceleration.Y = 0.f;
const bool bHasLimitedAirControl = ShouldLimitAirControl(deltaTime, FallAcceleration);
float remainingTime = deltaTime;
while( (remainingTime >= MIN_TICK_TIME) && (Iterations < MaxSimulationIterations) )
{
Iterations++;
float timeTick = GetSimulationTimeStep(remainingTime, Iterations);
remainingTime -= timeTick;
const FVector OldLocation = UpdatedComponent->GetComponentLocation();
const FQuat PawnRotation = UpdatedComponent->GetComponentQuat();
bJustTeleported = false;
const FVector OldVelocityWithRootMotion = Velocity;
RestorePreAdditiveRootMotionVelocity();
const FVector OldVelocity = Velocity;
// Apply input
const float MaxDecel = GetMaxBrakingDeceleration();
if (!HasAnimRootMotion() && !CurrentRootMotion.HasOverrideVelocity())
{
// Compute Velocity
{
// Acceleration = FallAcceleration for CalcVelocity(), but we restore it after using it.
TGuardValue<FVector> RestoreAcceleration(Acceleration, FallAcceleration);
IsCharacterUpAlignedToWorldUp() ? Velocity.Z = 0.f : Velocity.Y = 0.f;
CalcVelocity(timeTick, FallingLateralFriction, false, MaxDecel);
IsCharacterUpAlignedToWorldUp() ? Velocity.Z = OldVelocity.Z : Velocity.Y = OldVelocity.Y;
}
}
// Compute current gravity
const FVector Gravity = CharacterUpDirection * GetGravityZ();
float GravityTime = timeTick;
// If jump is providing force, gravity may be affected.
bool bEndingJumpForce = false;
if (CharacterOwner->JumpForceTimeRemaining > 0.0f)
{
// Consume some of the force time. Only the remaining time (if any) is affected by gravity when bApplyGravityWhileJumping=false.
const float JumpForceTime = FMath::Min(CharacterOwner->JumpForceTimeRemaining, timeTick);
GravityTime = bApplyGravityWhileJumping ? timeTick : FMath::Max(0.0f, timeTick - JumpForceTime);
// Update Character state
CharacterOwner->JumpForceTimeRemaining -= JumpForceTime;
if (CharacterOwner->JumpForceTimeRemaining <= 0.0f)
{
CharacterOwner->ResetJumpState();
bEndingJumpForce = true;
}
}
// Apply gravity
Velocity = NewFallVelocity(Velocity, Gravity, GravityTime);
//UE_LOG(LogCharacterMovement, Log, TEXT("dt=(%.6f) OldLocation=(%s) OldVelocity=(%s) OldVelocityWithRootMotion=(%s) NewVelocity=(%s)"), timeTick, *(UpdatedComponent->GetComponentLocation()).ToString(), *OldVelocity.ToString(), *OldVelocityWithRootMotion.ToString(), *Velocity.ToString());
ApplyRootMotionToVelocity(timeTick);
DecayFormerBaseVelocity(timeTick);
// See if we need to sub-step to exactly reach the apex. This is important for avoiding "cutting off the top" of the trajectory as framerate varies.
if (GSCharacterMovementCVars::ForceJumpPeakSubstep && OldVelocityWithRootMotion.Z > 0.f && Velocity.Z <= 0.f && NumJumpApexAttempts < MaxJumpApexAttemptsPerSimulation)
{
const FVector DerivedAccel = (Velocity - OldVelocityWithRootMotion) / timeTick;
if (!FMath::IsNearlyZero(DerivedAccel.Z))
{
const float TimeToApex = -OldVelocityWithRootMotion.Z / DerivedAccel.Z;
// The time-to-apex calculation should be precise, and we want to avoid adding a substep when we are basically already at the apex from the previous iteration's work.
const float ApexTimeMinimum = 0.0001f;
if (TimeToApex >= ApexTimeMinimum && TimeToApex < timeTick)
{
const FVector ApexVelocity = OldVelocityWithRootMotion + (DerivedAccel * TimeToApex);
Velocity = ApexVelocity;
Velocity.Z = 0.f; // Should be nearly zero anyway, but this makes apex notifications consistent.
// We only want to move the amount of time it takes to reach the apex, and refund the unused time for next iteration.
const float TimeToRefund = (timeTick - TimeToApex);
remainingTime += TimeToRefund;
timeTick = TimeToApex;
Iterations--;
NumJumpApexAttempts++;
// Refund time to any active Root Motion Sources as well
for (TSharedPtr<FRootMotionSource> RootMotionSource : CurrentRootMotion.RootMotionSources)
{
const float RewoundRMSTime = FMath::Max(0.0f, RootMotionSource->GetTime() - TimeToRefund);
RootMotionSource->SetTime(RewoundRMSTime);
}
}
}
}
if (bNotifyApex && (Velocity.Z < 0.f))
{
// Just passed jump apex since now going down
bNotifyApex = false;
NotifyJumpApex();
}
// Compute change in position (using midpoint integration method).
FVector Adjusted = 0.5f * (OldVelocityWithRootMotion + Velocity) * timeTick;
// Special handling if ending the jump force where we didn't apply gravity during the jump.
if (bEndingJumpForce && !bApplyGravityWhileJumping)
{
// We had a portion of the time at constant speed then a portion with acceleration due to gravity.
// Account for that here with a more correct change in position.
const float NonGravityTime = FMath::Max(0.f, timeTick - GravityTime);
Adjusted = (OldVelocityWithRootMotion * NonGravityTime) + (0.5f*(OldVelocityWithRootMotion + Velocity) * GravityTime);
}
// Move
FHitResult Hit(1.f);
SafeMoveUpdatedComponent( Adjusted, PawnRotation, true, Hit);
if (!HasValidData())
{
return;
}
float LastMoveTimeSlice = timeTick;
float subTimeTickRemaining = timeTick * (1.f - Hit.Time);
if ( IsSwimming() ) //just entered water
{
remainingTime += subTimeTickRemaining;
StartSwimming(OldLocation, OldVelocity, timeTick, remainingTime, Iterations);
return;
}
else if ( Hit.bBlockingHit )
{
if (IsValidLandingSpot(UpdatedComponent->GetComponentLocation(), Hit))
{
remainingTime += subTimeTickRemaining;
ProcessLanded(Hit, remainingTime, Iterations);
return;
}
else
{
// Compute impact deflection based on final velocity, not integration step.
// This allows us to compute a new velocity from the deflected vector, and ensures the full gravity effect is included in the slide result.
Adjusted = Velocity * timeTick;
// See if we can convert a normally invalid landing spot (based on the hit result) to a usable one.
if (!Hit.bStartPenetrating && ShouldCheckForValidLandingSpot(timeTick, Adjusted, Hit))
{
const FVector PawnLocation = UpdatedComponent->GetComponentLocation();
FFindFloorResult FloorResult;
FindFloor(PawnLocation, FloorResult, false);
if (FloorResult.IsWalkableFloor() && IsValidLandingSpot(PawnLocation, FloorResult.HitResult))
{
remainingTime += subTimeTickRemaining;
ProcessLanded(FloorResult.HitResult, remainingTime, Iterations);
return;
}
}
HandleImpact(Hit, LastMoveTimeSlice, Adjusted);
// If we've changed physics mode, abort.
if (!HasValidData() || !IsFalling())
{
return;
}
// Limit air control based on what we hit.
// We moved to the impact point using air control, but may want to deflect from there based on a limited air control acceleration.
FVector VelocityNoAirControl = OldVelocity;
FVector AirControlAccel = Acceleration;
if (bHasLimitedAirControl)
{
// Compute VelocityNoAirControl
{
// Find velocity *without* acceleration.
TGuardValue<FVector> RestoreAcceleration(Acceleration, FVector::ZeroVector);
TGuardValue<FVector> RestoreVelocity(Velocity, OldVelocity);
Velocity.Z = 0.f;
CalcVelocity(timeTick, FallingLateralFriction, false, MaxDecel);
VelocityNoAirControl = FVector(Velocity.X, Velocity.Y, OldVelocity.Z);
VelocityNoAirControl = NewFallVelocity(VelocityNoAirControl, Gravity, GravityTime);
}
const bool bCheckLandingSpot = false; // we already checked above.
AirControlAccel = (Velocity - VelocityNoAirControl) / timeTick;
const FVector AirControlDeltaV = LimitAirControl(LastMoveTimeSlice, AirControlAccel, Hit, bCheckLandingSpot) * LastMoveTimeSlice;
Adjusted = (VelocityNoAirControl + AirControlDeltaV) * LastMoveTimeSlice;
}
const FVector OldHitNormal = Hit.Normal;
const FVector OldHitImpactNormal = Hit.ImpactNormal;
FVector Delta = ComputeSlideVector(Adjusted, 1.f - Hit.Time, OldHitNormal, Hit);
// Compute velocity after deflection (only gravity component for RootMotion)
const UPrimitiveComponent* HitComponent = Hit.GetComponent();
if (/*CharacterMovementCVars::UseTargetVelocityOnImpact &&*/ !Velocity.IsNearlyZero() && MovementBaseUtility::IsSimulatedBase(HitComponent))
{
const FVector ContactVelocity = MovementBaseUtility::GetMovementBaseVelocity(HitComponent, NAME_None) + MovementBaseUtility::GetMovementBaseTangentialVelocity(HitComponent, NAME_None, Hit.ImpactPoint);
const FVector NewVelocity = Velocity - Hit.ImpactNormal * FVector::DotProduct(Velocity - ContactVelocity, Hit.ImpactNormal);
Velocity = HasAnimRootMotion() || CurrentRootMotion.HasOverrideVelocityWithIgnoreZAccumulate() ? FVector(Velocity.X, Velocity.Y, NewVelocity.Z) : NewVelocity;
}
else if (subTimeTickRemaining > UE_KINDA_SMALL_NUMBER && !bJustTeleported)
{
const FVector NewVelocity = (Delta / subTimeTickRemaining);
Velocity = HasAnimRootMotion() || CurrentRootMotion.HasOverrideVelocityWithIgnoreZAccumulate() ? FVector(Velocity.X, Velocity.Y, NewVelocity.Z) : NewVelocity;
}
if (subTimeTickRemaining > UE_KINDA_SMALL_NUMBER && (Delta | Adjusted) > 0.f)
{
// Move in deflected direction.
SafeMoveUpdatedComponent( Delta, PawnRotation, true, Hit);
if (Hit.bBlockingHit)
{
// hit second wall
LastMoveTimeSlice = subTimeTickRemaining;
subTimeTickRemaining = subTimeTickRemaining * (1.f - Hit.Time);
if (IsValidLandingSpot(UpdatedComponent->GetComponentLocation(), Hit))
{
remainingTime += subTimeTickRemaining;
ProcessLanded(Hit, remainingTime, Iterations);
return;
}
HandleImpact(Hit, LastMoveTimeSlice, Delta);
// If we've changed physics mode, abort.
if (!HasValidData() || !IsFalling())
{
return;
}
// Act as if there was no air control on the last move when computing new deflection.
if (bHasLimitedAirControl && Hit.Normal.Z > GSCharacterMovementConstants::VERTICAL_SLOPE_NORMAL_Z)
{
const FVector LastMoveNoAirControl = VelocityNoAirControl * LastMoveTimeSlice;
Delta = ComputeSlideVector(LastMoveNoAirControl, 1.f, OldHitNormal, Hit);
}
FVector PreTwoWallDelta = Delta;
TwoWallAdjust(Delta, Hit, OldHitNormal);
// Limit air control, but allow a slide along the second wall.
if (bHasLimitedAirControl)
{
const bool bCheckLandingSpot = false; // we already checked above.
const FVector AirControlDeltaV = LimitAirControl(subTimeTickRemaining, AirControlAccel, Hit, bCheckLandingSpot) * subTimeTickRemaining;
// Only allow if not back in to first wall
if (FVector::DotProduct(AirControlDeltaV, OldHitNormal) > 0.f)
{
Delta += (AirControlDeltaV * subTimeTickRemaining);
}
}
// Compute velocity after deflection (only gravity component for RootMotion)
if (subTimeTickRemaining > UE_KINDA_SMALL_NUMBER && !bJustTeleported)
{
const FVector NewVelocity = (Delta / subTimeTickRemaining);
Velocity = HasAnimRootMotion() || CurrentRootMotion.HasOverrideVelocityWithIgnoreZAccumulate() ? FVector(Velocity.X, Velocity.Y, NewVelocity.Z) : NewVelocity;
}
// bDitch=true means that pawn is straddling two slopes, neither of which it can stand on
bool bDitch = ( (OldHitImpactNormal.Z > 0.f) && (Hit.ImpactNormal.Z > 0.f) && (FMath::Abs(Delta.Z) <= UE_KINDA_SMALL_NUMBER) && ((Hit.ImpactNormal | OldHitImpactNormal) < 0.f) );
SafeMoveUpdatedComponent( Delta, PawnRotation, true, Hit);
if ( Hit.Time == 0.f )
{
// if we are stuck then try to side step
FVector SideDelta = (OldHitNormal + Hit.ImpactNormal).GetSafeNormal2D();
if ( SideDelta.IsNearlyZero() )
{
SideDelta = FVector(OldHitNormal.Y, -OldHitNormal.X, 0).GetSafeNormal();
}
SafeMoveUpdatedComponent( SideDelta, PawnRotation, true, Hit);
}
if ( bDitch || IsValidLandingSpot(UpdatedComponent->GetComponentLocation(), Hit) || Hit.Time == 0.f )
{
remainingTime = 0.f;
ProcessLanded(Hit, remainingTime, Iterations);
return;
}
else if (GetPerchRadiusThreshold() > 0.f && Hit.Time == 1.f && OldHitImpactNormal.Z >= GetWalkableFloorZ())
{
// We might be in a virtual 'ditch' within our perch radius. This is rare.
const FVector PawnLocation = UpdatedComponent->GetComponentLocation();
const float ZMovedDist = FMath::Abs(PawnLocation.Z - OldLocation.Z);
const float MovedDist2DSq = (PawnLocation - OldLocation).SizeSquared2D();
if (ZMovedDist <= 0.2f * timeTick && MovedDist2DSq <= 4.f * timeTick)
{
Velocity.X += 0.25f * GetMaxSpeed() * (RandomStream.FRand() - 0.5f);
Velocity.Y += 0.25f * GetMaxSpeed() * (RandomStream.FRand() - 0.5f);
Velocity.Z = FMath::Max<float>(JumpZVelocity * 0.25f, 1.f);
Delta = Velocity * timeTick;
SafeMoveUpdatedComponent(Delta, PawnRotation, true, Hit);
}
}
}
}
}
}
if (Velocity.SizeSquared2D() <= UE_KINDA_SMALL_NUMBER * 10.f)
{
Velocity.X = 0.f;
Velocity.Y = 0.f;
}
}
}
FVector UGSCharacterMovementComponent::GetFallingLateralAcceleration(float DeltaTime)
{
// No acceleration in Z or Y depending on character up direction
FVector FallAcceleration = IsCharacterUpAlignedToWorldUp() ? FVector(Acceleration.X, Acceleration.Y, 0.f) : FVector(Acceleration.X, 0.0f, Acceleration.Z);
// bound acceleration, falling object has minimal ability to impact acceleration
if (!HasAnimRootMotion() && FallAcceleration.SizeSquared() > 0.f)
{
FallAcceleration = GetAirControl(DeltaTime, AirControl, FallAcceleration);
FallAcceleration = FallAcceleration.GetClampedToMaxSize(GetMaxAcceleration());
}
return FallAcceleration;
}
void UGSCharacterMovementComponent::ComputeFloorDist(const FVector& CapsuleLocation, float LineDistance,
float SweepDistance, FFindFloorResult& OutFloorResult, float SweepRadius,
const FHitResult* DownwardSweepResult) const
{
//UE_LOG(LogCharacterMovement, VeryVerbose, TEXT("[Role:%d] ComputeFloorDist: %s at location %s"), (int32)CharacterOwner->GetLocalRole(), *GetNameSafe(CharacterOwner), *CapsuleLocation.ToString());
OutFloorResult.Clear();
float PawnRadius, PawnHalfHeight;
CharacterOwner->GetCapsuleComponent()->GetScaledCapsuleSize(PawnRadius, PawnHalfHeight);
bool bSkipSweep = false;
if (DownwardSweepResult != NULL && DownwardSweepResult->IsValidBlockingHit())
{
// Only if the supplied sweep was vertical and downward.
if ((DownwardSweepResult->TraceStart.Z > DownwardSweepResult->TraceEnd.Z) &&
(DownwardSweepResult->TraceStart - DownwardSweepResult->TraceEnd).SizeSquared2D() <= UE_KINDA_SMALL_NUMBER)
{
// Reject hits that are barely on the cusp of the radius of the capsule
if (IsWithinEdgeTolerance(DownwardSweepResult->Location, DownwardSweepResult->ImpactPoint, PawnRadius))
{
// Don't try a redundant sweep, regardless of whether this sweep is usable.
bSkipSweep = true;
const bool bIsWalkable = IsWalkable(*DownwardSweepResult);
const float FloorDist = (CapsuleLocation.Z - DownwardSweepResult->Location.Z);
OutFloorResult.SetFromSweep(*DownwardSweepResult, FloorDist, bIsWalkable);
if (bIsWalkable)
{
// Use the supplied downward sweep as the floor hit result.
return;
}
}
}
}
// We require the sweep distance to be >= the line distance, otherwise the HitResult can't be interpreted as the sweep result.
if (SweepDistance < LineDistance)
{
ensure(SweepDistance >= LineDistance);
return;
}
bool bBlockingHit = false;
FCollisionQueryParams QueryParams(SCENE_QUERY_STAT(ComputeFloorDist), false, CharacterOwner);
FCollisionResponseParams ResponseParam;
InitCollisionParams(QueryParams, ResponseParam);
const ECollisionChannel CollisionChannel = UpdatedComponent->GetCollisionObjectType();
// Sweep test
if (!bSkipSweep && SweepDistance > 0.f && SweepRadius > 0.f)
{
// Use a shorter height to avoid sweeps giving weird results if we start on a surface.
// This also allows us to adjust out of penetrations.
const float ShrinkScale = 0.9f;
const float ShrinkScaleOverlap = 0.1f;
float ShrinkHeight = (PawnHalfHeight - PawnRadius) * (1.f - ShrinkScale);
float TraceDist = SweepDistance + ShrinkHeight;
FCollisionShape CapsuleShape = FCollisionShape::MakeCapsule(SweepRadius, PawnHalfHeight - ShrinkHeight);
FHitResult Hit(1.f);
bBlockingHit = FloorSweepTest(Hit, CapsuleLocation, CapsuleLocation + (CharacterUpDirection * -TraceDist), CollisionChannel, CapsuleShape, QueryParams, ResponseParam);
if (bBlockingHit)
{
// Reject hits adjacent to us, we only care about hits on the bottom portion of our capsule.
// Check 2D distance to impact point, reject if within a tolerance from radius.
if (Hit.bStartPenetrating || !IsWithinEdgeTolerance(CapsuleLocation, Hit.ImpactPoint, CapsuleShape.Capsule.Radius))
{
// Use a capsule with a slightly smaller radius and shorter height to avoid the adjacent object.
// Capsule must not be nearly zero or the trace will fall back to a line trace from the start point and have the wrong length.
CapsuleShape.Capsule.Radius = FMath::Max(0.f, CapsuleShape.Capsule.Radius - SWEEP_EDGE_REJECT_DISTANCE - UE_KINDA_SMALL_NUMBER);
if (!CapsuleShape.IsNearlyZero())
{
ShrinkHeight = (PawnHalfHeight - PawnRadius) * (1.f - ShrinkScaleOverlap);
TraceDist = SweepDistance + ShrinkHeight;
CapsuleShape.Capsule.HalfHeight = FMath::Max(PawnHalfHeight - ShrinkHeight, CapsuleShape.Capsule.Radius);
Hit.Reset(1.f, false);
bBlockingHit = FloorSweepTest(Hit, CapsuleLocation, CapsuleLocation + (CharacterUpDirection * -TraceDist), CollisionChannel, CapsuleShape, QueryParams, ResponseParam);
}
}
// Reduce hit distance by ShrinkHeight because we shrank the capsule for the trace.
// We allow negative distances here, because this allows us to pull out of penetrations.
const float MaxPenetrationAdjust = FMath::Max(MAX_FLOOR_DIST, PawnRadius);
const float SweepResult = FMath::Max(-MaxPenetrationAdjust, Hit.Time * TraceDist - ShrinkHeight);
OutFloorResult.SetFromSweep(Hit, SweepResult, false);
if (Hit.IsValidBlockingHit() && IsWalkable(Hit))
{
if (SweepResult <= SweepDistance)
{
// Hit within test distance.
OutFloorResult.bWalkableFloor = true;
return;
}
}
}
}
// Since we require a longer sweep than line trace, we don't want to run the line trace if the sweep missed everything.
// We do however want to try a line trace if the sweep was stuck in penetration.
if (!OutFloorResult.bBlockingHit && !OutFloorResult.HitResult.bStartPenetrating)
{
OutFloorResult.FloorDist = SweepDistance;
return;
}
// Line trace
if (LineDistance > 0.f)
{
const float ShrinkHeight = PawnHalfHeight;
const FVector LineTraceStart = CapsuleLocation;
const float TraceDist = LineDistance + ShrinkHeight;
const FVector Down = (CharacterUpDirection * -TraceDist);
QueryParams.TraceTag = SCENE_QUERY_STAT_NAME_ONLY(FloorLineTrace);
FHitResult Hit(1.f);
bBlockingHit = GetWorld()->LineTraceSingleByChannel(Hit, LineTraceStart, LineTraceStart + Down, CollisionChannel, QueryParams, ResponseParam);
if (bBlockingHit)
{
if (Hit.Time > 0.f)
{
// Reduce hit distance by ShrinkHeight because we started the trace higher than the base.
// We allow negative distances here, because this allows us to pull out of penetrations.
const float MaxPenetrationAdjust = FMath::Max(MAX_FLOOR_DIST, PawnRadius);
const float LineResult = FMath::Max(-MaxPenetrationAdjust, Hit.Time * TraceDist - ShrinkHeight);
OutFloorResult.bBlockingHit = true;
if (LineResult <= LineDistance && IsWalkable(Hit))
{
OutFloorResult.SetFromLineTrace(Hit, OutFloorResult.FloorDist, LineResult, true);
return;
}
}
}
}
// No hits were acceptable.
OutFloorResult.bWalkableFloor = false;
}
bool UGSCharacterMovementComponent::IsValidLandingSpot(const FVector& CapsuleLocation, const FHitResult& Hit) const
{
if (!Hit.bBlockingHit)
{
return false;
}
// Skip some checks if penetrating. Penetration will be handled by the FindFloor call (using a smaller capsule)
if (!Hit.bStartPenetrating)
{
// Reject unwalkable floor normals.
if (!IsWalkable(Hit))
{
return false;
}
float PawnRadius, PawnHalfHeight;
CharacterOwner->GetCapsuleComponent()->GetScaledCapsuleSize(PawnRadius, PawnHalfHeight);
// TODO: I understand what this is trying to do but need to go over the math again so I can make it work for different character up orientations
/*
// Reject hits that are above our lower hemisphere (can happen when sliding down a vertical surface).
const float LowerHemisphereZ = Hit.Location.Z - PawnHalfHeight + PawnRadius;
if (Hit.ImpactPoint.Z >= LowerHemisphereZ)
{
return false;
}
*/
// TODO: Another thing I sort of understand what it is trying to do but need to go over the math again so I can make it work for different character up orientations
/*
// Reject hits that are barely on the cusp of the radius of the capsule
if (!IsWithinEdgeTolerance(Hit.Location, Hit.ImpactPoint, PawnRadius))
{
return false;
}
*/
}
else
{
// Penetrating
float NormalUp = CharacterUpDirection.Dot(Hit.Normal);
if (NormalUp < UE_KINDA_SMALL_NUMBER)
{
// Normal is nearly horizontal or downward, that's a penetration adjustment next to a vertical or overhanging wall. Don't pop to the floor.
return false;
}
}
FFindFloorResult FloorResult;
FindFloor(CapsuleLocation, FloorResult, false, &Hit);
if (!FloorResult.IsWalkableFloor())
{
return false;
}
return true;
}
bool UGSCharacterMovementComponent::IsWalkable(const FHitResult& Hit) const
{
if (!Hit.IsValidBlockingHit())
{
// No hit, or starting in penetration
return false;
}
float ImpactNormalUp = CharacterUpDirection.Dot(Hit.ImpactNormal);
// Never walk up vertical surfaces.
if (ImpactNormalUp < UE_KINDA_SMALL_NUMBER)
{
return false;
}
/*
float TestWalkableZ = WalkableFloorZ;
// See if this component overrides the walkable floor z.
const UPrimitiveComponent* HitComponent = Hit.Component.Get();
if (HitComponent)
{
const FWalkableSlopeOverride& SlopeOverride = HitComponent->GetWalkableSlopeOverride();
TestWalkableZ = SlopeOverride.ModifyWalkableFloorZ(TestWalkableZ);
}
// Can't walk on this surface if it is too steep.
if (Hit.ImpactNormal.Z < TestWalkableZ)
{
return false;
}
*/
return true;
}
bool UGSCharacterMovementComponent::FloorSweepTest(FHitResult& OutHit, const FVector& Start, const FVector& End,
ECollisionChannel TraceChannel, const FCollisionShape& CollisionShape, const FCollisionQueryParams& Params,
const FCollisionResponseParams& ResponseParam) const
{
bool bBlockingHit = false;
if (!bUseFlatBaseForFloorChecks)
{
bool IsUp = FMath::Abs(CharacterUpDirection.Dot(FVector::UpVector)) > UE_KINDA_SMALL_NUMBER;
FQuat Rot = UKismetMathLibrary::RotatorFromAxisAndAngle(FVector::ForwardVector, IsUp ? 0.0f : 90.0f).Quaternion();
bBlockingHit = GetWorld()->SweepSingleByChannel(OutHit, Start, End, Rot, TraceChannel, CollisionShape, Params, ResponseParam);
}
else
{
// Test with a box that is enclosed by the capsule.
const float CapsuleRadius = CollisionShape.GetCapsuleRadius();
const float CapsuleHeight = CollisionShape.GetCapsuleHalfHeight();
const FCollisionShape BoxShape = FCollisionShape::MakeBox(FVector(CapsuleRadius * 0.707f, CapsuleRadius * 0.707f, CapsuleHeight));
// First test with the box rotated so the corners are along the major axes (ie rotated 45 degrees).
bBlockingHit = GetWorld()->SweepSingleByChannel(OutHit, Start, End, FQuat(FVector(0.f, 0.f, -1.f), UE_PI * 0.25f), TraceChannel, BoxShape, Params, ResponseParam);
if (!bBlockingHit)
{
// Test again with the same box, not rotated.
OutHit.Reset(1.f, false);
bBlockingHit = GetWorld()->SweepSingleByChannel(OutHit, Start, End, FQuat::Identity, TraceChannel, BoxShape, Params, ResponseParam);
}
}
return bBlockingHit;
}
float UGSCharacterMovementComponent::GetRollFromCharacterUpDir(const FVector& UpDir) const
{
float Rot = 0.0f;
if(CharacterUpDirection.Dot(FVector::DownVector) > UE_KINDA_SMALL_NUMBER)
{
Rot = 180.0f;
}
else if (CharacterUpDirection.Dot(FVector::RightVector) > UE_KINDA_SMALL_NUMBER)
{
Rot = 90.0f;
}
else if (CharacterUpDirection.Dot(FVector::LeftVector) > UE_KINDA_SMALL_NUMBER)
{
Rot = 270.0f;
}
return Rot;
}
void UGSCharacterMovementComponent::SetCharacterUpDirection(FVector NewUpDirection)
{
NewUpDirection.Normalize();
if(!(CharacterUpDirection.Dot(NewUpDirection) > UE_KINDA_SMALL_NUMBER))
{
CharacterUpDirection = NewUpDirection;
AGSCharacter* Char = Cast<AGSCharacter>(GetCharacterOwner());
if(Char)
{
Char->OnGravityDirectionChanged(CharacterUpDirection);
}
SetMovementMode(MOVE_Falling);
}
}
FVector UGSCharacterMovementComponent::ConstrainInputAcceleration(const FVector& InputAcceleration) const
{
// walking or falling pawns ignore up/down sliding
if(IsCharacterUpAlignedToWorldUp())
{
if (InputAcceleration.Z != 0.f && (IsMovingOnGround() || IsFalling()))
{
return FVector(InputAcceleration.X, InputAcceleration.Y, 0.f);
}
}
else
{
if (InputAcceleration.Y != 0.f && (IsMovingOnGround() || IsFalling()))
{
return FVector(0.0f, InputAcceleration.Y, InputAcceleration.Z);
}
}
return InputAcceleration;
}
void UGSCharacterMovementComponent::OnMovementModeChanged(EMovementMode PreviousMovementMode, uint8 PreviousCustomMode)
{
if (!HasValidData())
{
return;
}
// Update collision settings if needed
if (MovementMode == MOVE_NavWalking)
{
// Reset cached nav location used by NavWalking
CachedNavLocation = FNavLocation();
SetGroundMovementMode(MovementMode);
// Walking is either only X or Z depending on the character's up direction
if(IsCharacterUpAlignedToWorldUp())
{
Velocity.Z = 0.f;
}
else
{
Velocity.Y = 0.f;
}
SetNavWalkingPhysics(true);
}
else if (PreviousMovementMode == MOVE_NavWalking)
{
if (MovementMode == DefaultLandMovementMode || IsWalking())
{
const bool bSucceeded = TryToLeaveNavWalking();
if (!bSucceeded)
{
return;
}
}
else
{
SetNavWalkingPhysics(false);
}
}
// React to changes in the movement mode.
if (MovementMode == MOVE_Walking)
{
// Walking is either only X or Z depending on the character's up direction
if(IsCharacterUpAlignedToWorldUp())
{
Velocity.Z = 0.f;
}
else
{
Velocity.Y = 0.f;
}
bCrouchMaintainsBaseLocation = true;
SetGroundMovementMode(MovementMode);
// make sure we update our new floor/base on initial entry of the walking physics
FindFloor(UpdatedComponent->GetComponentLocation(), CurrentFloor, false);
AdjustFloorHeight();
SetBaseFromFloor(CurrentFloor);
}
else
{
CurrentFloor.Clear();
bCrouchMaintainsBaseLocation = false;
if (MovementMode == MOVE_Falling)
{
DecayingFormerBaseVelocity = GetImpartedMovementBaseVelocity();
Velocity += DecayingFormerBaseVelocity;
if (bMovementInProgress && CurrentRootMotion.HasAdditiveVelocity())
{
// If we leave a base during movement and we have additive root motion, we need to add the imparted velocity so that it retains it next tick
CurrentRootMotion.LastPreAdditiveVelocity += DecayingFormerBaseVelocity;
}
if (!GSCharacterMovementCVars::bAddFormerBaseVelocityToRootMotionOverrideWhenFalling || FormerBaseVelocityDecayHalfLife == 0.f)
{
DecayingFormerBaseVelocity = FVector::ZeroVector;
}
CharacterOwner->Falling();
}
SetBase(NULL);
if (MovementMode == MOVE_None)
{
// Kill velocity and clear queued up events
StopMovementKeepPathing();
CharacterOwner->ResetJumpState();
ClearAccumulatedForces();
}
}
if (MovementMode == MOVE_Falling && PreviousMovementMode != MOVE_Falling)
{
IPathFollowingAgentInterface* PFAgent = GetPathFollowingAgent();
if (PFAgent)
{
PFAgent->OnStartedFalling();
}
}
CharacterOwner->OnMovementModeChanged(PreviousMovementMode, PreviousCustomMode);
ensureMsgf(GetGroundMovementMode() == MOVE_Walking || GetGroundMovementMode() == MOVE_NavWalking, TEXT("Invalid GroundMovementMode %d. MovementMode: %d, PreviousMovementMode: %d"), GetGroundMovementMode(), MovementMode.GetValue(), PreviousMovementMode);
}
void UGSCharacterMovementComponent::PhysicsRotation(float DeltaTime)
{
if (!(bOrientRotationToMovement || bUseControllerDesiredRotation))
{
return;
}
if (!HasValidData() || (!CharacterOwner->Controller && !bRunPhysicsWithNoController))
{
return;
}
FRotator CurrentRotation = UpdatedComponent->GetComponentRotation(); // Normalized
CurrentRotation.DiagnosticCheckNaN(TEXT("CharacterMovementComponent::PhysicsRotation(): CurrentRotation"));
FRotator DeltaRot = GetDeltaRotation(DeltaTime);
DeltaRot.DiagnosticCheckNaN(TEXT("CharacterMovementComponent::PhysicsRotation(): GetDeltaRotation"));
FRotator DesiredRotation = CurrentRotation;
if (bOrientRotationToMovement)
{
DesiredRotation = ComputeOrientToMovementRotation(CurrentRotation, DeltaTime, DeltaRot);
}
else if (CharacterOwner->Controller && bUseControllerDesiredRotation)
{
DesiredRotation = CharacterOwner->Controller->GetDesiredRotation();
}
else if (!CharacterOwner->Controller && bRunPhysicsWithNoController && bUseControllerDesiredRotation)
{
if (AController* ControllerOwner = Cast<AController>(CharacterOwner->GetOwner()))
{
DesiredRotation = ControllerOwner->GetDesiredRotation();
}
}
else
{
return;
}
if (ShouldRemainVertical())
{
DesiredRotation.Pitch = IsCharacterUpAlignedToWorldUp() ? 0.f : FRotator::NormalizeAxis(DesiredRotation.Pitch);
DesiredRotation.Yaw = IsCharacterUpAlignedToWorldUp() ? FRotator::NormalizeAxis(DesiredRotation.Yaw) : 0.f;
DesiredRotation.Roll = GetRollFromCharacterUpDir(CharacterUpDirection);
}
else
{
DesiredRotation.Normalize();
}
// Accumulate a desired new rotation.
const float AngleTolerance = 1e-3f;
if (!CurrentRotation.Equals(DesiredRotation, AngleTolerance))
{
// PITCH
if (!FMath::IsNearlyEqual(CurrentRotation.Pitch, DesiredRotation.Pitch, AngleTolerance))
{
DesiredRotation.Pitch = FMath::FixedTurn(CurrentRotation.Pitch, DesiredRotation.Pitch, DeltaRot.Pitch);
}
// YAW
if (!FMath::IsNearlyEqual(CurrentRotation.Yaw, DesiredRotation.Yaw, AngleTolerance))
{
DesiredRotation.Yaw = FMath::FixedTurn(CurrentRotation.Yaw, DesiredRotation.Yaw, DeltaRot.Yaw);
}
// Set the new rotation.
DesiredRotation.DiagnosticCheckNaN(TEXT("CharacterMovementComponent::PhysicsRotation(): DesiredRotation"));
MoveUpdatedComponent( FVector::ZeroVector, DesiredRotation, /*bSweep*/ false );
}
}
void UGSCharacterMovementComponent::PhysWalking(float deltaTime, int32 Iterations)
{
if (deltaTime < MIN_TICK_TIME)
{
return;
}
if (!CharacterOwner || (!CharacterOwner->Controller && !bRunPhysicsWithNoController && !HasAnimRootMotion() && !CurrentRootMotion.HasOverrideVelocity() && (CharacterOwner->GetLocalRole() != ROLE_SimulatedProxy)))
{
Acceleration = FVector::ZeroVector;
Velocity = FVector::ZeroVector;
return;
}
if (!UpdatedComponent->IsQueryCollisionEnabled())
{
SetMovementMode(MOVE_Walking);
return;
}
bJustTeleported = false;
bool bCheckedFall = false;
bool bTriedLedgeMove = false;
float remainingTime = deltaTime;
// Perform the move
while ( (remainingTime >= MIN_TICK_TIME) && (Iterations < MaxSimulationIterations) && CharacterOwner && (CharacterOwner->Controller || bRunPhysicsWithNoController || HasAnimRootMotion() || CurrentRootMotion.HasOverrideVelocity() || (CharacterOwner->GetLocalRole() == ROLE_SimulatedProxy)) )
{
Iterations++;
bJustTeleported = false;
const float timeTick = GetSimulationTimeStep(remainingTime, Iterations);
remainingTime -= timeTick;
// Save current values
UPrimitiveComponent * const OldBase = GetMovementBase();
const FVector PreviousBaseLocation = (OldBase != NULL) ? OldBase->GetComponentLocation() : FVector::ZeroVector;
const FVector OldLocation = UpdatedComponent->GetComponentLocation();
const FFindFloorResult OldFloor = CurrentFloor;
RestorePreAdditiveRootMotionVelocity();
// Ensure velocity is horizontal.
MaintainHorizontalGroundVelocity();
const FVector OldVelocity = Velocity;
if(IsCharacterUpAlignedToWorldUp())
{
Acceleration.Z = 0.f;
}
else
{
Acceleration.Y = 0.f;
}
// Apply acceleration
if( !HasAnimRootMotion() && !CurrentRootMotion.HasOverrideVelocity() )
{
CalcVelocity(timeTick, GroundFriction, false, GetMaxBrakingDeceleration());
}
ApplyRootMotionToVelocity(timeTick);
if( IsFalling() )
{
// Root motion could have put us into Falling.
// No movement has taken place this movement tick so we pass on full time/past iteration count
StartNewPhysics(remainingTime+timeTick, Iterations-1);
return;
}
// Compute move parameters
const FVector MoveVelocity = Velocity;
const FVector Delta = timeTick * MoveVelocity;
const bool bZeroDelta = Delta.IsNearlyZero();
FStepDownResult StepDownResult;
if ( bZeroDelta )
{
remainingTime = 0.f;
}
else
{
// try to move forward
MoveAlongFloor(MoveVelocity, timeTick, &StepDownResult);
if ( IsFalling() )
{
// pawn decided to jump up
const float DesiredDist = Delta.Size();
if (DesiredDist > UE_KINDA_SMALL_NUMBER)
{
const float ActualDist = (UpdatedComponent->GetComponentLocation() - OldLocation).Size2D();
remainingTime += timeTick * (1.f - FMath::Min(1.f,ActualDist/DesiredDist));
}
StartNewPhysics(remainingTime,Iterations);
return;
}
else if ( IsSwimming() ) //just entered water
{
StartSwimming(OldLocation, OldVelocity, timeTick, remainingTime, Iterations);
return;
}
}
// Update floor.
// StepUp might have already done it for us.
if (StepDownResult.bComputedFloor)
{
CurrentFloor = StepDownResult.FloorResult;
}
else
{
FindFloor(UpdatedComponent->GetComponentLocation(), CurrentFloor, bZeroDelta, NULL);
}
// check for ledges here
const bool bCheckLedges = !CanWalkOffLedges();
if ( bCheckLedges && !CurrentFloor.IsWalkableFloor() )
{
// calculate possible alternate movement
const FVector GravDir = FVector(0.f,0.f,-1.f);
const FVector NewDelta = bTriedLedgeMove ? FVector::ZeroVector : GetLedgeMove(OldLocation, Delta, GravDir);
if ( !NewDelta.IsZero() )
{
// first revert this move
RevertMove(OldLocation, OldBase, PreviousBaseLocation, OldFloor, false);
// avoid repeated ledge moves if the first one fails
bTriedLedgeMove = true;
// Try new movement direction
Velocity = NewDelta/timeTick;
remainingTime += timeTick;
continue;
}
else
{
// see if it is OK to jump
// @todo collision : only thing that can be problem is that oldbase has world collision on
bool bMustJump = bZeroDelta || (OldBase == NULL || (!OldBase->IsQueryCollisionEnabled() && MovementBaseUtility::IsDynamicBase(OldBase)));
if ( (bMustJump || !bCheckedFall) && CheckFall(OldFloor, CurrentFloor.HitResult, Delta, OldLocation, remainingTime, timeTick, Iterations, bMustJump) )
{
return;
}
bCheckedFall = true;
// revert this move
RevertMove(OldLocation, OldBase, PreviousBaseLocation, OldFloor, true);
remainingTime = 0.f;
break;
}
}
else
{
// Validate the floor check
if (CurrentFloor.IsWalkableFloor())
{
if (ShouldCatchAir(OldFloor, CurrentFloor))
{
HandleWalkingOffLedge(OldFloor.HitResult.ImpactNormal, OldFloor.HitResult.Normal, OldLocation, timeTick);
if (IsMovingOnGround())
{
// If still walking, then fall. If not, assume the user set a different mode they want to keep.
StartFalling(Iterations, remainingTime, timeTick, Delta, OldLocation);
}
return;
}
AdjustFloorHeight();
SetBase(CurrentFloor.HitResult.Component.Get(), CurrentFloor.HitResult.BoneName);
}
else if (CurrentFloor.HitResult.bStartPenetrating && remainingTime <= 0.f)
{
// The floor check failed because it started in penetration
// We do not want to try to move downward because the downward sweep failed, rather we'd like to try to pop out of the floor.
FHitResult Hit(CurrentFloor.HitResult);
Hit.TraceEnd = Hit.TraceStart + CharacterUpDirection * MAX_FLOOR_DIST;
const FVector RequestedAdjustment = GetPenetrationAdjustment(Hit);
ResolvePenetration(RequestedAdjustment, Hit, UpdatedComponent->GetComponentQuat());
bForceNextFloorCheck = true;
}
// check if just entered water
if ( IsSwimming() )
{
StartSwimming(OldLocation, Velocity, timeTick, remainingTime, Iterations);
return;
}
// See if we need to start falling.
if (!CurrentFloor.IsWalkableFloor() && !CurrentFloor.HitResult.bStartPenetrating)
{
const bool bMustJump = bJustTeleported || bZeroDelta || (OldBase == NULL || (!OldBase->IsQueryCollisionEnabled() && MovementBaseUtility::IsDynamicBase(OldBase)));
if ((bMustJump || !bCheckedFall) && CheckFall(OldFloor, CurrentFloor.HitResult, Delta, OldLocation, remainingTime, timeTick, Iterations, bMustJump) )
{
return;
}
bCheckedFall = true;
}
}
// Allow overlap events and such to change physics state and velocity
if (IsMovingOnGround())
{
// Make velocity reflect actual move
if( !bJustTeleported && !HasAnimRootMotion() && !CurrentRootMotion.HasOverrideVelocity() && timeTick >= MIN_TICK_TIME)
{
// TODO-RootMotionSource: Allow this to happen during partial override Velocity, but only set allowed axes?
Velocity = (UpdatedComponent->GetComponentLocation() - OldLocation) / timeTick;
MaintainHorizontalGroundVelocity();
}
}
// If we didn't move at all this iteration then abort (since future iterations will also be stuck).
if (UpdatedComponent->GetComponentLocation() == OldLocation)
{
remainingTime = 0.f;
break;
}
}
if (IsMovingOnGround())
{
MaintainHorizontalGroundVelocity();
}
}
void UGSCharacterMovementComponent::MoveAlongFloor(const FVector& InVelocity, float DeltaSeconds,
FStepDownResult* OutStepDownResult)
{
if (!CurrentFloor.IsWalkableFloor())
{
return;
}
// Move along the current floor
FVector MovementAxis = CharacterUpDirection.Cross(FVector::ForwardVector).GetAbs();
FString DebugAxisMsg = FString::Printf(TEXT("Movement Axis: %s"), *MovementAxis.ToString());
GEngine->AddOnScreenDebugMessage(-1, 0.0f, FColor::Cyan, DebugAxisMsg);
const FVector Delta = (MovementAxis * InVelocity) * DeltaSeconds;
FString DebugVelMsg = FString::Printf(TEXT("Move Along Floor Velocity: %s"), *(MovementAxis * InVelocity).ToString());
GEngine->AddOnScreenDebugMessage(-1, 0.0f, FColor::Cyan, DebugVelMsg);
FHitResult Hit(1.f);
FVector RampVector = ComputeGroundMovementDelta(Delta, CurrentFloor.HitResult, CurrentFloor.bLineTrace);
SafeMoveUpdatedComponent(RampVector, UpdatedComponent->GetComponentQuat(), true, Hit);
float LastMoveTimeSlice = DeltaSeconds;
if (Hit.bStartPenetrating)
{
// Allow this hit to be used as an impact we can deflect off, otherwise we do nothing the rest of the update and appear to hitch.
HandleImpact(Hit);
SlideAlongSurface(Delta, 1.f, Hit.Normal, Hit, true);
if (Hit.bStartPenetrating)
{
OnCharacterStuckInGeometry(&Hit);
}
}
else if (Hit.IsValidBlockingHit())
{
// We impacted something (most likely another ramp, but possibly a barrier).
float PercentTimeApplied = Hit.Time;
if ((Hit.Time > 0.f) && (IsCharacterUpAlignedToWorldUp() ? Hit.Normal.Z: Hit.Normal.Y > UE_KINDA_SMALL_NUMBER) && IsWalkable(Hit))
{
// Another walkable ramp.
const float InitialPercentRemaining = 1.f - PercentTimeApplied;
RampVector = ComputeGroundMovementDelta(Delta * InitialPercentRemaining, Hit, false);
LastMoveTimeSlice = InitialPercentRemaining * LastMoveTimeSlice;
SafeMoveUpdatedComponent(RampVector, UpdatedComponent->GetComponentQuat(), true, Hit);
const float SecondHitPercent = Hit.Time * InitialPercentRemaining;
PercentTimeApplied = FMath::Clamp(PercentTimeApplied + SecondHitPercent, 0.f, 1.f);
}
if (Hit.IsValidBlockingHit())
{
if (CanStepUp(Hit) || (CharacterOwner->GetMovementBase() != nullptr && Hit.HitObjectHandle == CharacterOwner->GetMovementBase()->GetOwner()))
{
// hit a barrier, try to step up
const FVector PreStepUpLocation = UpdatedComponent->GetComponentLocation();
const FVector GravDir = -CharacterUpDirection;
if (!StepUp(GravDir, Delta * (1.f - PercentTimeApplied), Hit, OutStepDownResult))
{
//UE_LOG(LogCharacterMovement, Verbose, TEXT("- StepUp (ImpactNormal %s, Normal %s"), *Hit.ImpactNormal.ToString(), *Hit.Normal.ToString());
HandleImpact(Hit, LastMoveTimeSlice, RampVector);
SlideAlongSurface(Delta, 1.f - PercentTimeApplied, Hit.Normal, Hit, true);
}
else
{
//UE_LOG(LogCharacterMovement, Verbose, TEXT("+ StepUp (ImpactNormal %s, Normal %s"), *Hit.ImpactNormal.ToString(), *Hit.Normal.ToString());
if (!bMaintainHorizontalGroundVelocity)
{
// Don't recalculate velocity based on this height adjustment, if considering vertical adjustments. Only consider horizontal movement.
bJustTeleported = true;
const float StepUpTimeSlice = (1.f - PercentTimeApplied) * DeltaSeconds;
if (!HasAnimRootMotion() && !CurrentRootMotion.HasOverrideVelocity() && StepUpTimeSlice >= UE_KINDA_SMALL_NUMBER)
{
Velocity = (UpdatedComponent->GetComponentLocation() - PreStepUpLocation) / StepUpTimeSlice;
if(IsCharacterUpAlignedToWorldUp())
{
Velocity.Z = 0;
}
else
{
Velocity.Y = 0;
}
}
}
}
}
else if ( Hit.Component.IsValid() && !Hit.Component.Get()->CanCharacterStepUp(CharacterOwner) )
{
HandleImpact(Hit, LastMoveTimeSlice, RampVector);
SlideAlongSurface(Delta, 1.f - PercentTimeApplied, Hit.Normal, Hit, true);
}
}
}
}
FVector UGSCharacterMovementComponent::ComputeGroundMovementDelta(const FVector& Delta, const FHitResult& RampHit,
const bool bHitFromLineTrace) const
{
/*
const FVector FloorNormal = RampHit.ImpactNormal;
const FVector ContactNormal = RampHit.Normal;
if (FloorNormal.Z < (1.f - UE_KINDA_SMALL_NUMBER) && FloorNormal.Z > UE_KINDA_SMALL_NUMBER && ContactNormal.Z > UE_KINDA_SMALL_NUMBER && !bHitFromLineTrace && IsWalkable(RampHit))
{
// Compute a vector that moves parallel to the surface, by projecting the horizontal movement direction onto the ramp.
const float FloorDotDelta = (FloorNormal | Delta);
FVector RampMovement(Delta.X, Delta.Y, -FloorDotDelta / FloorNormal.Z);
if (bMaintainHorizontalGroundVelocity)
{
return RampMovement;
}
else
{
return RampMovement.GetSafeNormal() * Delta.Size();
}
}
*/
return Delta;
}
void UGSCharacterMovementComponent::MaintainHorizontalGroundVelocity()
{
if (IsCharacterUpAlignedToWorldUp())
{
if(Velocity.Z != 0.f)
{
if (bMaintainHorizontalGroundVelocity)
{
// Ramp movement already maintained the velocity, so we just want to remove the vertical component.
Velocity.Z = 0.f;
}
else
{
// Rescale velocity to be horizontal but maintain magnitude of last update.
Velocity = Velocity.GetSafeNormal2D() * Velocity.Size();
}
}
}
else
{
if(Velocity.Y != 0.f)
{
if (bMaintainHorizontalGroundVelocity)
{
// Ramp movement already maintained the velocity, so we just want to remove the vertical component.
Velocity.Y = 0.f;
}
else
{
FVector NewVelocity = Velocity.GetSafeNormal();
Velocity = FVector(0.0f, NewVelocity.Y, NewVelocity.Z) * Velocity.Size();
}
}
}
}
float UGSCharacterMovementComponent::SlideAlongSurface(const FVector& Delta, float Time, const FVector& InNormal,
FHitResult& Hit, bool bHandleImpact)
{
if (!Hit.bBlockingHit)
{
return 0.f;
}
bool IsUp = IsCharacterUpAlignedToWorldUp();
FVector Normal(InNormal);
float ZComp = Normal.Dot(CharacterUpDirection);
if (IsMovingOnGround())
{
// We don't want to be pushed up an unwalkable surface.
if (ZComp > 0.f)
{
if (!IsWalkable(Hit))
{
FVector NewNormal = Normal.GetSafeNormal();
Normal = IsUp ? FVector(NewNormal.X, NewNormal.Y, 0.0f) : FVector(0.0f, NewNormal.Y, NewNormal.Z);
}
}
else if (ZComp < -UE_KINDA_SMALL_NUMBER)
{
// Don't push down into the floor when the impact is on the upper portion of the capsule.
if (CurrentFloor.FloorDist < MIN_FLOOR_DIST && CurrentFloor.bBlockingHit)
{
const FVector FloorNormal = CurrentFloor.HitResult.Normal;
float FloorZComp = FloorNormal.Dot(CharacterUpDirection);
const bool bFloorOpposedToMovement = (Delta | FloorNormal) < 0.f && (FloorZComp < 1.f - UE_DELTA);
if (bFloorOpposedToMovement)
{
Normal = FloorNormal;
}
FVector NewNormal = Normal.GetSafeNormal();
Normal = IsUp ? FVector(NewNormal.X, NewNormal.Y, 0.0f) : FVector(0.0f, NewNormal.Y, NewNormal.Z);
}
}
}
return Super::SlideAlongSurface(Delta, Time, Normal, Hit, bHandleImpact);
}
void UGSCharacterMovementComponent::AdjustFloorHeight()
{
bool IsUp = IsCharacterUpAlignedToWorldUp();
// If we have a floor check that hasn't hit anything, don't adjust height.
if (!CurrentFloor.IsWalkableFloor())
{
return;
}
float OldFloorDist = CurrentFloor.FloorDist;
if (CurrentFloor.bLineTrace)
{
// This would cause us to scale unwalkable walls
if (OldFloorDist < MIN_FLOOR_DIST && CurrentFloor.LineDist >= MIN_FLOOR_DIST)
{
return;
}
else
{
// Falling back to a line trace means the sweep was unwalkable (or in penetration). Use the line distance for the vertical adjustment.
OldFloorDist = CurrentFloor.LineDist;
}
}
// Move up or down to maintain floor height.
if (OldFloorDist < MIN_FLOOR_DIST || OldFloorDist > MAX_FLOOR_DIST)
{
FHitResult AdjustHit(1.f);
const float InitialZ = IsUp ? UpdatedComponent->GetComponentLocation().Z : UpdatedComponent->GetComponentLocation().Y;
const float AvgFloorDist = (MIN_FLOOR_DIST + MAX_FLOOR_DIST) * 0.5f;
const float MoveDist = AvgFloorDist - OldFloorDist;
SafeMoveUpdatedComponent(CharacterUpDirection * MoveDist, UpdatedComponent->GetComponentQuat(), true, AdjustHit );
if (!AdjustHit.IsValidBlockingHit())
{
CurrentFloor.FloorDist += MoveDist;
}
else if (MoveDist > 0.f)
{
const float CurrentZ = IsUp ? UpdatedComponent->GetComponentLocation().Z : UpdatedComponent->GetComponentLocation().Y;
CurrentFloor.FloorDist += CurrentZ - InitialZ;
}
else
{
checkSlow(MoveDist < 0.f);
const float CurrentZ = IsUp ? UpdatedComponent->GetComponentLocation().Z : UpdatedComponent->GetComponentLocation().Y;
CurrentFloor.FloorDist = CurrentZ - IsUp ? AdjustHit.Location.Z : AdjustHit.Location.Y;
if (IsWalkable(AdjustHit))
{
CurrentFloor.SetFromSweep(AdjustHit, CurrentFloor.FloorDist, true);
}
}
// Don't recalculate velocity based on this height adjustment, if considering vertical adjustments.
// Also avoid it if we moved out of penetration
bJustTeleported |= !bMaintainHorizontalGroundVelocity || (OldFloorDist < 0.f);
// If something caused us to adjust our height (especially a depentration) we should ensure another check next frame or we will keep a stale result.
if (CharacterOwner && CharacterOwner->GetLocalRole() != ROLE_SimulatedProxy)
{
bForceNextFloorCheck = true;
}
}
}