What It Means & How to Fix It
🧠 Why You’re Seeing This Error
The C2338 error means the compiler hit a static_assert
that evaluated to false, usually deep inside Unreal Engine’s macros or templates. Unlike runtime errors, this happens during compilation, and is used to catch invalid usage of engine features or templates before the program even builds.
In UE5, this is typically triggered when:
- You pass the wrong type to a templated function or macro
- You use a UPROPERTY() on an unsupported type
- You break constraints Unreal has baked into engine macros (like
TIsDerivedFrom
,TIsSame
, etc.) - You misuse things like
TSubclassOf
,TArray
,Cast<>
, orUCLASS()
declarations
💥 Example Error Message
error C2338: Static assertion failed: T must be derived from UObject
🛠️ Example Code
TSubclassOfMyClassType; // ❌ C2338: int32 is not a UObject
This throws a compile-time error because TSubclassOf<T>
only works with UObject
-derived types.
✅ How to Fix C2338 in UE5 – Step-by-Step
✔️ 1. Read the Full Error Message Carefully
C2338 errors usually tell you exactly what went wrong in plain English:
T must be derived from UObject
Invalid type passed to TIsSame
TArray cannot contain raw pointers
Follow the message — it’s a static assert firing from a template, often to protect you from serious misuse.
✔️ 2. Fix the Template or Macro Usage
Wrong:
TSubclassOfMyType; // ❌ Not a UObject
Fix:
TSubclassOfMyType; // ✅ AMyActor derives from UObject
✔️ 3. UPROPERTY() Can’t Be Used on Non-Engine Types
Wrong:
UPROPERTY()
std::vectorNumbers; // ❌ Not a UE type
Fix:
UPROPERTY()
TArrayNumbers; // ✅ Valid UE type
✔️ 4. If You’re Writing Your Own Templates, Use static_assert
Properly
Fix:
cppCopyEdittemplate<typename T>
void DoSomething()
{
static_assert(TIsDerivedFrom<T, UObject>::IsDerived, "T must be a UObject!");
}
This is the kind of check that UE5 does internally — and if you’re using a UE macro wrong, this is what fires and becomes a C2338.
✅ Summary: How to Fix C2338 in UE5
Cause | Fix Example |
---|---|
Invalid type passed to a template | Use UObject-derived classes with TSubclassOf<> |
UPROPERTY used with STL/unsupported type | Use UE types like TArray , FString , etc. |
Misuse of engine macros or constraints | Follow the static assert message exactly |
Wrong types with Cast or reflection | Stick to UObject-compatible types |