Fuzzy Farmers
Overview
Fuzzy Farmers is a game that I initially created for my GAM 303 course, which I took at the start of 2024. The course focuses on the fundamental ideas of game development and design, and teaches basic skills using blueprints only.
My goal after the course was to start from the beginning and apply the knowledge I gained as I took more courses and learned more about game development and Unreal Engine. Additionally, the first version of the game was in Unreal Engine 4, and I wanted to get more experience with Unreal Engine 5.
The resulting product displayed here is the most recent version of the prototype. It shows off main gameplay features and a general feel for the world. At this point the gameplay is brief, but the foundation has been laid to continue development.
Genre: Arcade
Platforms: PC
Engine: Unreal Engine 5
Core Mechanics & Design
Gameplay Loop
In this prototype, the player’s goal is to capture as many fuzzies as possible within 5 minutes. The player can find fuzzies by listening for sound cues and watching for visual cues. When the player approaches a location that they think might have a fuzzy inside, they press and hold the E key to search. Once they’ve finished searching, if a fuzzy is inside, it will pop out and start running away from the player. The player then chases the fuzzy, presses E to catch it, and their score is increased.

A dirt spot on the ground bursts to indicate a fuzzy hiding inside.

A bush produces a burst of leaves to indicate a fuzzy hiding inside.

A fuzzy pops out of a bush after shaking it.

Chasing and capturing a fuzzy
Technical Notes
Fuzzy
One of the main features of the game, if not the most important, is the Fuzzy. It’s a simple sphere static mesh with a groom asset attached. The gif below shows what the fuzzy looks like before dynamic materials are applied and modified. The default colors are intentionally clashing so that if there is an issue with the materials, it’s easy to see when the game is simulated.

Before creating the groom asset, I experimented with making the Fuzzy out of larger hair pieces, using regular meshes and inverse kinematics. But this was difficult and didn’t achieve the look I was going for.

So I decided to learn how to make hair in blender! It turned out to be much more straightforward than I had anticipated. I went through many different versions of the hair, but I knew I wanted a “clumpy” style to eventually resemble the low-poly style of the environment.

Fuzzy C++ code that modifies the materials
AFuzzy::AFuzzy()
{
PrimaryActorTick.bCanEverTick = true;
fuzzyMesh = CreateDefaultSubobject<USkeletalMeshComponent>(TEXT("FuzzyMesh"));
RootComponent = fuzzyMesh;
captureCollision = CreateDefaultSubobject<USphereComponent>(TEXT("CaptureCollision"));
captureCollision->SetupAttachment(fuzzyMesh);
captureCollision->SetCollisionEnabled(ECollisionEnabled::NoCollision);
playerDistanceCollision = CreateDefaultSubobject<USphereComponent>(TEXT("PlayerDistanceCollision"));
playerDistanceCollision->SetupAttachment(fuzzyMesh);
AIControllerClass = AFuzzyAIController::StaticClass();
}
// Called when the game starts or when spawned
void AFuzzy::BeginPlay()
{
Super::BeginPlay();
NavSys = UNavigationSystemV1::GetCurrent(GetWorld());
PlayerCharacter = UGameplayStatics::GetPlayerPawn(GetWorld(), 0);
dmiMat = UMaterialInstanceDynamic::Create(fuzzyMat, this);
if (dmiMat != nullptr)
{
fuzzyMesh->SetMaterial(0, dmiMat);
dmiMat->SetVectorParameterValue("FuzzyColor", fuzzyColor);
}
if (playerDistanceCollision != nullptr)
{
//GEngine->AddOnScreenDebugMessage(-1, 5, FColor::Red, "not null");
}
else
{
//GEngine->AddOnScreenDebugMessage(-1, 5, FColor::Red, "null");
}
LaunchTowardsPlayer();
}
Spawnpoints
Spawnpoints are the locations/objects that Fuzzies can spawn from. There are four different options:
Trees
Trees produce a burst of leaves from the top section. To add variation to the game, the color of the leaves can be either orange, red, or green. This value is determined at the start of the game, before Fuzzies are spawned into the level.

Bushes
Bushes produce a burst of leaves from the top when there is a Fuzzy inside. The color of the leaves and the mesh are randomized before the game starts.

Dirt Spots
Dirt spots are small brown spots scattered throughout the level. They produce small dirt particles periodically to indicate the presence of a Fuzzy.

Grass Clusters
Grass clusters are scattered throughout the level, similarly to dirt. Initially there was an issue with the Fuzzies being hard to detect if they were hiding inside these. As a result, I increased the scale of the grass spawnpoints that contain Fuzzies.

Each spawnpoint is a child of the parent class, Spawnpoint Parent. Because each spawnpoint overall has the same intended purpose and functionalities, it made the most sense to build one class, and make any modifications necessary in the child class. This was a great opportunity for me to really understand the principles of Object Oriented Programming.
Spawnpoint Parent C++ class (Entire file, this is long)
ASpawnpointParent::ASpawnpointParent()
{
// Set this actor to call Tick() every frame. You can turn this off to improve performance if you don't need it.
PrimaryActorTick.bCanEverTick = true;
// Collision for detecting when the player's center of the screen is hovering over a spawnpoint.
rayCastCollision = CreateDefaultSubobject<USphereComponent>(TEXT("RaycastCollision"));
rayCastCollision->OnComponentHit.AddDynamic(this, &ASpawnpointParent::OnHit);
// Sets the raycast collision as the root component
RootComponent = rayCastCollision;
// Collision for the player. To avoid the player getting too close and being awkardly on top of the spawnpoint
playerCollision = CreateDefaultSubobject<UBoxComponent>(TEXT("PlayerCollision"));
playerCollision->SetupAttachment(rayCastCollision);
// Static mesh
mesh = CreateDefaultSubobject<UStaticMeshComponent>(TEXT("BushMesh"));
mesh->SetupAttachment(rayCastCollision);
// Arrow component for the direction of the leaf/dirt burst.
arrowcomponent = CreateDefaultSubobject<UArrowComponent>(TEXT("ArrowComponent"));
arrowcomponent->SetupAttachment(mesh);
// Spring arm component for where the fuzzy should spawn.
springArmComponent = CreateDefaultSubobject<USpringArmComponent>(TEXT("SpringArmComponent"));
springArmComponent->SetupAttachment(mesh);
// Default containsFuzzy should be false
containsFuzzy = false;
static ConstructorHelpers::FClassFinder<AFuzzy> FuzzyBlueprint(TEXT("/Game/Blueprints/MyFuzzy"));
if (FuzzyBlueprint.Succeeded())
{
fuzzyBP = FuzzyBlueprint.Class;
}
}
// Called when the game starts or when spawned
void ASpawnpointParent::BeginPlay()
{
Super::BeginPlay();
SetMeshColor();
// Setting the color for the main mesh/the color of the leaf/dirt burst
if (dmiMat)
{
dmiMat->SetVectorParameterValue("SpawnpointColor", meshColor);
}
// Create outline material
overlayMatInstance = UMaterialInstanceDynamic::Create(overlayMat, this);
mesh->SetOverlayMaterial(overlayMatInstance);
// Setting the color for the outline
if(overlayMatInstance)
{
overlayMatInstance->SetVectorParameterValue("Color", offColor);
}
// Getting the value of the arrow rotation for later use
arrowRotation = arrowcomponent->GetComponentRotation();
}
void ASpawnpointParent::SetMeshColor()
{
meshColor = GetRandColor();
// Create mesh material
dmiMat = UMaterialInstanceDynamic::Create(bushMat, this);
mesh->SetMaterial(0, dmiMat);
}
// Called every frame
void ASpawnpointParent::Tick(float DeltaTime)
{
Super::Tick(DeltaTime);
// check current # of fuzzies prepared
// when you capture one, lower the number
// if num < max
// PlaceFuzzies
}
void ASpawnpointParent::FuzzyPrepared()
// For when a fuzzy is hiding in the object but hasn't been spawned yet.
{
// Enable Sound
// https://forums.unrealengine.com/t/how-to-get-a-random-number-in-range-c/721860/3
if (GetWorld()->GetTimerManager().IsTimerActive(TimerHandle))
{
GetWorld()->GetTimerManager().UnPauseTimer(TimerHandle);
}
else
{
GetWorld()->GetTimerManager().SetTimer(TimerHandle, this, &ASpawnpointParent::PlaySound, FMath::RandRange(soundTimeMin, soundTimeMax), true);
}
}
void ASpawnpointParent::ContainsFuzzy()
// CAUTION. NOT used to return whether a spawnpoint contains a Fuzzy. This is used to CHANGE THE VALUE CONTAINS FUZZY = TRUE/FALSE;
{
if (!containsFuzzy)
{
containsFuzzy = true;
FuzzyPrepared();
}
}
FLinearColor ASpawnpointParent::GetRandColor()
// Must be overridden by child class. Cyan is default color.
{
FColor tempColor = FColor::Cyan;
return tempColor;
}
bool ASpawnpointParent::DoesContainFuzzy()
{
if (containsFuzzy)
{
return true;
}
else if (!containsFuzzy)
{
return false;
}
else
{
return false;
}
}
void ASpawnpointParent::PlaySound()
{
if (!playing)
{
// Pick a random Fuzzy sound from the list
// Plays Fuzzy Sound at the location of the root component (raycastcollision)
playing = true;
int index = FMath::RandRange(0, (fuzzySounds.Num()) - 1);
if (fuzzySounds.IsValidIndex(index))
{
UGameplayStatics::PlaySoundAtLocation(this, fuzzySounds[index], GetActorLocation());
}
else
{
GEngine->AddOnScreenDebugMessage(-1, 5.f, FColor::Red, TEXT("Invalid index in FuzzySounds!!"));
}
}
else
{
LeavesBurst(arrowRotation, true);
playing = false;
}
}
void ASpawnpointParent::LeavesBurst(FRotator rotation, bool spawnSound)
{
UNiagaraComponent* particleComp = UNiagaraFunctionLibrary::SpawnSystemAttached(particleBurst, arrowcomponent, NAME_None, FVector(0.f, 0.f, 0.f), rotation, EAttachLocation::KeepRelativeOffset, true);
if (particleComp) {
particleComp->SetNiagaraVariableLinearColor(FString("ParticleColor"), meshColor);
GEngine->AddOnScreenDebugMessage(-1, 5.f, FColor::Red, TEXT("particle spawned"));
// Set a new random time
int index = FMath::RandRange(0, (rustleSounds.Num()) - 1);
if (rustleSounds.IsValidIndex(index) && spawnSound)
{
GEngine->AddOnScreenDebugMessage(-1, 5.f, FColor::Red, TEXT("Playing leaves sounds"));
UGameplayStatics::PlaySoundAtLocation(this, rustleSounds[index], GetActorLocation());
}
else
{
GEngine->AddOnScreenDebugMessage(-1, 5.f, FColor::Red, TEXT("Invalid index in LeavesSounds!!"));
}
}
}
void ASpawnpointParent::OnHit(UPrimitiveComponent* HitComp, AActor* OtherActor, UPrimitiveComponent* OtherComp, FVector NormalImpulse, const FHitResult& Hit)
{
FHitResult hit;
FCollisionQueryParams CollisionParams;
CollisionParams.AddIgnoredActor(this);
if (Hit.bBlockingHit && IsValid(Hit.GetActor()))
{
UInteract_I* Interface = Cast<UInteract_I>(Hit.GetActor());
}
}
// Returns the arrowcomponent's location in world space.
FVector ASpawnpointParent::GetArrowComponentLocation()
{
if (arrowcomponent)
{
FVector location = this->arrowcomponent->GetComponentLocation();
return location;
}
else
{
return FVector(99.f, 99.f, 99.f);
}
}
void ASpawnpointParent::EnableOutline()
{
if (overlayMatInstance)
{
overlayMatInstance->SetScalarParameterValue("Line Thickness", 2.f);
}
else
{
GEngine->AddOnScreenDebugMessage(-1, 5.f, FColor::Red, TEXT("overlayMatInstance null"));
}
}
void ASpawnpointParent::DisableOutline()
{
if (overlayMatInstance)
{
overlayMatInstance->SetScalarParameterValue("Line Thickness", 0.f);
}
}
void ASpawnpointParent::SpawnFuzzy()
{
FVector spawnpointLoc = springArmComponent->GetComponentLocation();
//spawnpointLoc = FVector(spawnpointLoc.X, spawnpointLoc.Y, spawnpointLoc.Z + 300.f);
FActorSpawnParameters spawnParameters;
AFuzzy* fuzzy = GetWorld()->SpawnActor<AFuzzy>(fuzzyBP, spawnpointLoc, FRotator::ZeroRotator, spawnParameters);
if (fuzzy)
{
GEngine->AddOnScreenDebugMessage(-1, 5.f, FColor::Green, "Fuzzy spawned");
containsFuzzy = false;
GetWorld()->GetTimerManager().PauseTimer(TimerHandle);
}
else
{
GEngine->AddOnScreenDebugMessage(-1, 5.f, FColor::Red, "Fuzzy NOT spawned!");
}
}
class UStaticMesh* ASpawnpointParent::GetMeshComponent()
{
return mesh->GetStaticMesh();
}
Environment
I experimented a lot with the environment of this game. While it wasn’t a priority, since gameplay was more important at this stage, I wanted to make something that was visually appealing and fit the theme.

I used a combination of assets I made myself, assets from Itch.io, and assets from the Unreal Engine Marketplace. Inside the editor, I utilized the foliage tool and a custom landscape material to achieve an interesting and effective level. Aside from aesthetics, I aimed to make it clear to the player where the game area was, which I did with fences.
What’s Next?
Farkle is currently still in development. What you see on this page is the initial prototype that was completed in November of 2024. Here are the plans I have for the game!
AI
This game is intended to be played either with friends or with up to 3 AI players. Knowing this, I’ve developed and designed the game to eventually accommodate for AI players, which has been both a challenge and a valuable learning experience. Farkle, at its basics, is really quite a simple game of probability. This makes creating a very basic AI a rather easy task. For example, if I wanted to create an AI whose only goal is to beat the player, I could write code that dominates every single time, but who wants to play a game like that? A simple way to list the probabilities is as follows:
# of Dice Rolled | % Chance of Farkle | % Chance of any score |
---|---|---|
1 | 66.7 | 33.3 |
2 | 44.5 | 55.6 |
3 | 27.8 | 72.2 |
4 | 15.7 | 85.3 |
5 | 7.7 | 92.3 |
6 | 2.5 | 97.5 |
I could simply write code that states if the chance of a Farkle is greater than the chance of any score, then do not reroll dice. But what makes Farkle fun is the game of RISK! So I need to allow the AI to take risks just like the players would. This means I need to consider…
- Is there another player whose score is higher than its own?
- How close is the player in first place to winning?
- Is the score earned from this dice roll worth not risking a reroll?
- Does leaving out some scoring dice and rerolling more dice reduce the risk enough to make a reroll worth it?
These factors make for a more complex AI decision-making process. I’ve determined a few key terms that will contribute to how the AI decides to play the game:
Potential Loss/Potential Gain – This is the number of points that the AI stands to either gain or lose for the proposed action.
For example, if the AI rolled: [1, 3, 4, 1, 5, 1] it has some choices to make. First, definitely keep [1, 1, 1] for a total of 1,000 points. This leaves [3, 4, 5] and 5 is a scorable die (50 points). If the AI keeps that 50 points and rerolls the 2 remaining dice, it has a potential loss of 1,050 points, since if the next roll was a Farkle, those initial points would be removed. This is compared to the potential gain of at most 200 points (since with rolling 2 dice, you can’t score a 3-of-a-kind, so you can score 2 1’s for a max of 200 points). In this scenario, the potential gain of 200 points is not worth the potential risk of losing 1,050 points, especially since the chances of a Farkle are ~44.5%.
However, if the AI does not keep the 5 and instead rerolls 3 dice, the potential gain is increased to 1,000 points with only a ~27.8% chance of a Farkle. These odds are much more favorable, and the potential gain is 5x higher. These are the kinds of decisions that the AI needs to make.
States – The action taken by the AI is determined by the state of the game. Examples of different states include:
- AI is winning or Player is winning
- AI is playing safe or AI is playing risky
The AI will adjust its playstyle and strategies depending on the different states in the game.
UI Updates
Initially, Farkle was going to be a PC only game, but as time went on my vision shifted and I decided to make this into a mobile game. This meant the UI would need to change to accommodate for a smaller screen size and the lack of a mouse & keyboard or controller. Additionally, I wanted to stylize the UI and gameplay a bit more, so recently I’ve been working on some stationary themed UI assets.
My first idea was to make one menu that would slide in from the right side of the screen, when needed. I decided to make this in the style of a manilla folder, trying to mimic the imagery of a folder coming in and out of a filing cabinet. I made the UI mockup in Adobe Illustrator before taking it into Unreal:


While my primary focus is on functionality and programming, it’s a strong belief of mine that visuals are crucial to making an engaging video game. So I’m always trying to improve my design skills, whether it be technical skills in Adobe Illustrator, or choosing a color palette. I’ve come to learn that less is more, and I try to incorporate this idea into my most recent projects.
Known Issues/Bugs
Since this game was posted on Itch.io and I made it playable, I was able to get feedback from friends and colleagues. Below are some of the known bugs:
- Fuzzy launch impulse is too great.
- FOV needs to be modified to reduce motion sickness.
- Provide a visual indicator for audio clues.
- Make visual clues more obvious.
- Tree clues burst upwards, which causes the player to frequently miss them.
- E key must be lifted up before the Fuzzy will spawn.
- Menu music is too loud
Future Improvements
New Fuzzy Types
- Golden Fuzzy: A new Fuzzy type that is worth 300-500 points (instead of just 100 for the regular Fuzzy). It moves faster, and has smarter AI to dodge the player. It has a gold color and has a particle effect to show it shining.
- Spoiled Fuzzy: A new Fuzzy type that is worth -100 points. While it spawns less frequently, if the player finds this Fuzzy they lose 100 points.
Fuzzy Collection Method
Currently, the player just presses E to collect a Fuzzy. In future versions, the player will need to capture the Fuzzy in a net. This will make gameplay both more engaging and more challenging.
Powerups
If you shake a spawnpoint, there is a chance that instead of a Fuzzy being inside, it’s a powerup. This powerup can grant you bonus speed, temporarily slow down time, or enable you to temporarily instantly collect a Fuzzy when it jumps out of a spawnpoint.
Point system overhaul
Currently, the player earns 100 points per Fuzzy collected. However, in the future, the number of Fuzzies collected in a gameplay session will be added to a total sum of Fuzzies collected. Normal Fuzzies and Golden Fuzzies and any other additional Fuzzies created will have their own counts. As the player collects more Fuzzies and the count increases, they will be able to unlock permanent upgrades.