What It Means & How to Fix It in UE5
🧠 Why You’re Seeing This Error
This error comes from Unreal Header Tool (UHT) — which processes your UCLASS, USTRUCT, UFUNCTION, and UPROPERTY macros. It means that UHT was expecting to find auto-generated .generated.h
files, but they’re missing, unreadable, or not being generated correctly during the build.
This typically happens when:
- You forget to include the
.generated.h
file at the bottom of a header - The file is present, but not listed in the
.uproject
or build target - A build failure prevents the
.generated.h
from being created - Your IDE or generator skipped UHT
💥 Example Error Message
UHT Error: Generated code not found. You may be missing MyClass.generated.h or it failed to compile.
🛠️ What Usually Causes This
❌ You Forgot to Include .generated.h
in a UCLASS Header
// ❌ Missing at the end
#include "MyClass.h"
UCLASS()
class MYGAME_API AMyClass : public AActor
{
GENERATED_BODY() // Will break without generated header
};
❌ You Included It in the Wrong Place
// ❌ Wrong (too early)
#include "MyClass.generated.h"
#include "CoreMinimal.h"
❌ UHT Didn’t Run Because the File Wasn’t in a Valid Module
Files outside a module’s Public/
or Private/
folder may be skipped by UHT.
❌ Project Files Are Out of Sync
You added a new .h
file or class, but didn’t regenerate Visual Studio project files.
✅ How to Fix It – Step-by-Step
✔️ 1. Always Include the .generated.h
File as the Last Include in the Header
#pragma once
#include "CoreMinimal.h"
#include "MyClass.generated.h" // ✅ Must be last include
UCLASS()
class MYGAME_API AMyClass : public AActor
{
GENERATED_BODY()
public:
AMyClass();
};
✔️ 2. Make Sure the Header Is Inside a Recognized Module
Valid locations include:
Source/MyGame/Public/MyClass.h
Source/MyGame/Private/MyClass.cpp
If your file is outside a proper module, UHT won’t scan it.
✔️ 3. Regenerate Project Files
After adding new classes or modules:
// Do this:
- Right-click your .uproject
- Select “Generate Visual Studio project files”
- Rebuild the solution
✔️ 4. Clean Intermediate Files and Try Again
Sometimes UHT gets confused by stale data. Clean up:
// Optional but recommended:
- Delete Intermediate/ and Binaries/ folders
- Rebuild the project from scratch
✅ Summary: How to Fix “UHT Error: Generated Code Not Found” in UE5
Cause | Fix |
---|---|
.generated.h file missing | Add #include "MyClass.generated.h" as the last include |
Incorrect header structure | Keep .generated.h at the bottom, after all other includes |
File not in valid module folder | Move it to Public/ or Private/ under a recognized module |
Project files not regenerated | Right-click .uproject → Generate project files |
Stale or incomplete build state | Delete Intermediate/ and rebuild clean |