Game Development
Test Case 1:
1. Implement a Bike controller in Unity where the car accelerates when pressing the "W" key and brakes with the "S" key. If the car's speed
exceeds 20 units, an indicator light on the dashboard should turn on.
—-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
AIM
To develop a bike controller in Unity with realistic mechanics, including acceleration, braking, steering, and terrain-based friction adjustments for a racing
game.
SOFTWARE REQUIRED
● Unity Editor
● Visual Studio / Notepad
● Windows
PROCEDURE
1. Set Up Unity Project:
○ Open Unity and create a new 3D project.
○ Create a scene with basic objects like a bike model, terrain, and road.
2. Add Rigidbody to the Car:
○ Attach a Rigidbody component to the bike GameObject and configure its drag and angular drag properties.
3. Create Terrain:
○ Design terrain types in the scene using the terrain tools.
○ Tag the terrains appropriately.
4. Add Input Controls:
○ Configure the car to accelerate, brake, and steer using W, S, and arrow keys.
5. Script Implementation:
○ Write the car controller script in C# to handle physics-based movement and steering.
○ Implement terrain-based friction adjustments using raycasting.
6. Test and Debug:
○ Play the game and test the bike mechanics on different terrains.
○ Adjust physics and friction values for realism.
PROGRAM
The code for the bike controller is as follows:
c-sharp
using UnityEngine;
public class BikeController : MonoBehaviour
public float acceleration = 20f; // Speed of the bike
public float maxSpeed = 50f; // Maximum speed
public float brakeForce = 30f; // Braking force
public float turnSpeed = 5f; // Turning sensitivity
private Rigidbody rb;
void Start()
rb = GetComponent<Rigidbody>();
}
void FixedUpdate()
HandleMovement();
HandleSteering();
void HandleMovement()
// Accelerate the bike
if (Input.GetKey(KeyCode.W))
rb.AddForce(transform.forward * acceleration, ForceMode.Acceleration);
// Brake the bike
if (Input.GetKey(KeyCode.S))
rb.AddForce(-transform.forward * brakeForce, ForceMode.Acceleration);
// Limit the maximum speed
rb.velocity = Vector3.ClampMagnitude(rb.velocity, maxSpeed);
void HandleSteering()
// Turning the bike
float turn = Input.GetAxis("Horizontal") * turnSpeed * Time.deltaTime;
if (rb.velocity.magnitude > 0.1f)
transform.Rotate(0, turn, 0);
OUTPUT
● Visual Result:
The bike accelerates when the forward key (W) is pressed, brakes with the brake key (S), and steers left or right using the arrow keys.
The bike exhibits realistic movement, with varying friction on asphalt and dirt terrains.
CONCLUSION
The bike controller was successfully implemented with realistic acceleration and braking. Terrain-based friction adjustments were integrated using raycasting
to enhance gameplay realism.
RESULT
The Bike controller was developed and tested successfully, meeting the requirements of realistic physics and terrain-based adjustments.
Test Case 2:
2. Create a character controller in Unity where the character can switch between walking and running. When the "Shift" key is held down, the
character should run; otherwise, they should walk. If the character jumps, a dust particle effect should briefly appear on landing.
AIM
To develop a 3D character controller in Unity with the ability to walk, run, and jump, incorporating smooth transitions and responsive controls.
SOFTWARE REQUIRED
● Unity Editor (Version 2020 or later)
● Visual Studio (or any preferred code editor)
PROCEDURE
1. Set Up Unity Scene:
○ Create a 3D scene in Unity with a ground plane and a character model.
○ Import or create animations for walking, running, and jumping.
2. Add Components to the Character:
○ Attach a CharacterController component to the character GameObject.
○ Add an Animator component and link it to an Animator Controller with walking, running, and jumping animations.
3. Script Implementation:
○ Write a script for the character controller that handles movement, jumping, and animation transitions.
4. Configure Animator Controller:
○ Create animation states for walking, running, and jumping.
○ Set up transitions between states based on parameters like Speed and IsJumping.
5. Test the Character Controller:
○ Test the movement and animations in Play mode, adjusting parameters for smooth transitions.
PROGRAM
Here is the complete code for the character controller:
CharacterController.cs
c-sharp
Copy code
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
[RequireComponent(typeof(CharacterController))]
public class CharacterControllerScript : MonoBehaviour
[Header("Movement Settings")]
public float walkSpeed = 3f;
public float runSpeed = 6f;
public float jumpHeight = 2f;
public float gravity = -9.81f;
[Header("Animation")]
public Animator animator;
private CharacterController characterController;
private Vector3 velocity;
private bool isGrounded;
void Start()
characterController = GetComponent<CharacterController>();
void Update()
HandleMovement();
HandleJump();
ApplyGravity();
UpdateAnimator();
void HandleMovement()
// Check if grounded
isGrounded = characterController.isGrounded;
if (isGrounded && velocity.y < 0)
velocity.y = -2f;
// Get input
float horizontal = Input.GetAxis("Horizontal");
float vertical = Input.GetAxis("Vertical");
// Calculate movement direction
Vector3 move = transform.right * horizontal + transform.forward * vertical;
bool isRunning = Input.GetKey(KeyCode.LeftShift);
float speed = isRunning ? runSpeed : walkSpeed;
// Move the character
characterController.Move(move * speed * Time.deltaTime);
}
void HandleJump()
if (isGrounded && Input.GetButtonDown("Jump"))
velocity.y = Mathf.Sqrt(jumpHeight * -2f * gravity);
void ApplyGravity()
velocity.y += gravity * Time.deltaTime;
characterController.Move(velocity * Time.deltaTime);
void UpdateAnimator()
float speed = new Vector3(characterController.velocity.x, 0,
characterController.velocity.z).magnitude;
animator.SetFloat("Speed", speed);
animator.SetBool("IsJumping", !isGrounded);
Animator Setup
1. Parameters:
○ Speed (Float): Controls the transition between idle, walk, and run animations.
○ IsJumping (Bool): Controls the transition to the jumping animation.
2. Animation States:
○ Idle State: Default state.
○ Walking State: Transition to this state when Speed > 0.1 and IsJumping is false.
○ Running State: Transition to this state when Speed > walkSpeed and IsJumping is false.
○ Jumping State: Transition to this state when IsJumping is true.
3. Transitions:
○ Use blend trees or linear interpolation for smooth transitions.
OUTPUT
● Visual Result:
The character walks, runs, and jumps seamlessly, with smooth transitions between animations.
CONCLUSION
The 3D character controller was successfully implemented with smooth transitions between walking, running, and jumping. The animations were integrated
and tested for responsiveness and realism.
RESULT
The character controller was developed and tested successfully, meeting all requirements for smooth movement and animation.
Test Case 3:
3. Model a simple 3D object (such as a small building, structure, or object) in Blender that includes basic elements like windows and doors.
Ensure the object can be rotated and viewed from all angles in Unity without any distortion, and check for proper texture alignment and
scaling.
AIM
To create a 3D model of a house in Blender, apply textures and materials, and import it into Unity to achieve a realistic appearance with appropriate lighting
and shadows.
SOFTWARE REQUIRED
● Blender (Version 3.0 or later)
● Unity Editor (Version 2020 or later)
PROCEDURE
Step 1: Create the House in Blender
1. Set Up Blender:
○ Open Blender and create a new project.
○ Set the unit scale to match Unity’s default scale (1 unit = 1 meter).
2. Model the Basic Structure:
○ Walls: Create walls using Add > Mesh > Cube, scale and position it. Add holes for windows and doors using the Boolean Modifier.
○ Roof: Use Add > Mesh > Plane or Add > Mesh > Cube, and scale/rotate it to form a pitched roof.
○ Windows and Doors: Use cubes or planes for frames, and adjust transparency for glass materials.
3. Apply Materials and Textures:
○ Brick Walls: Go to the Material Properties tab, create a new material, and assign a brick texture. Use UV mapping for correct placement (UV
Editing workspace).
○ Roof Tiles: Add a material with a tiled texture. Adjust scaling to fit the roof size.
○ Glass: Create a new material, set its Principled BSDF Shader, and reduce the Alpha value for transparency.
4. Export the Model for Unity:
○ Check the model for unnecessary vertices using Mesh > Clean Up.
○ Export the house as an FBX file (File > Export > FBX), ensuring Apply Transform is enabled.
Step 2: Import the Model into Unity
1. Set Up Unity Project:
○ Create a new 3D Unity project.
○ Import the exported FBX file into Unity by dragging it into the Assets folder.
2. Apply Textures and Materials in Unity:
○ If textures don’t automatically apply, assign them manually in the Inspector under the Materials section.
3. Set Up Lighting and Shadows:
○ Add a Directional Light for sunlight and adjust its intensity and rotation.
○ Enable Shadows in the light settings and set shadow quality in Project Settings > Quality.
○ Place a Reflection Probe for realistic reflections on glass and shiny surfaces.
4. Test the Scene:
○ Position the camera to frame the house.
○ Play the scene to ensure all textures, materials, and lighting are realistic.
OUTPUT
● Visual Result:
The house model is displayed in Unity with realistic textures and materials. Lighting and shadows enhance the realism.
CONCLUSION
The 3D house model was successfully created in Blender, textured, and imported into Unity. Proper lighting and shadows were applied to achieve a realistic
appearance.
RESULT
The house model was created and displayed in Unity with realistic textures, materials, and lighting, fulfilling the project requirements.
Practical Test Case 4:
4. Design an AeroPlane controller in Unity for an aircraft. When pressing the "Up Arrow," the aircraft should pitch upward, and with the "Left
Arrow" and "Right Arrow," it should roll left or right. If the aircraft’s altitude goes below 10 units, trigger an alert sound.
AIM
To create a 3D AeroPlane controller in Unity that allows for realistic pitch, roll, and yaw controls with smooth and responsive flight mechanics.
SOFTWARE REQUIRED
● Unity Editor
● Visual Studio
PROCEDURE
Step 1: Create a Basic Unity Scene
1. Open Unity and create a new 3D project.
2. Add a plane or terrain as the ground for reference.
3. Import or create a 3D model of an aircraft and place it in the scene.
Step 2: Add Components to the Aircraft
1. Attach a Rigidbody component to the aircraft GameObject for physics-based movement.
2. Set the Rigidbody properties:
○ Mass: Adjust according to the size and weight of the aircraft.
○ Drag: Set to simulate air resistance.
○ Angular Drag: Adjust for smooth rotations.
○ Enable Use Gravity for realistic behavior.
Step 3: Write the Flight Controller Script
● Create a new script named AeroplaneController and attach it to the aircraft GameObject.
PROGRAM
Here is the script for the AeroPlane controller:
AeroPlaneController.cs
c-sharp
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class AeroPlaneController : MonoBehaviour
[Header("AeroPlane Settings")]
public float pitchSpeed = 50f; // Speed for pitch control (up/down)
public float rollSpeed = 50f; // Speed for roll control (tilting)
public float yawSpeed = 30f; // Speed for yaw control (turning left/right)
public float thrust = 1000f; // Forward thrust force
public float liftForce = 10f; // Lift to counteract gravity
private Rigidbody rb;
void Start()
rb = GetComponent<Rigidbody>();
void FixedUpdate()
HandleThrust();
HandleControls();
ApplyLift();
void HandleThrust()
// Apply forward thrust
if (Input.GetKey(KeyCode.W))
rb.AddForce(transform.forward * thrust * Time.deltaTime, ForceMode.Acceleration);
void HandleControls()
// Pitch control (Up/Down - Mouse Y or Arrow Keys)
float pitch = Input.GetAxis("Vertical") * pitchSpeed * Time.deltaTime;
transform.Rotate(Vector3.right, pitch);
// Yaw control (Left/Right Turn - A/D or Arrow Keys)
float yaw = Input.GetAxis("Horizontal") * yawSpeed * Time.deltaTime;
transform.Rotate(Vector3.up, yaw);
// Roll control (Tilt Left/Right - Q/E)
if (Input.GetKey(KeyCode.Q))
transform.Rotate(Vector3.forward, rollSpeed * Time.deltaTime);
if (Input.GetKey(KeyCode.E))
transform.Rotate(Vector3.forward, -rollSpeed * Time.deltaTime);
}
}
void ApplyLift()
// Apply lift force to simulate aerodynamics
Vector3 lift = Vector3.up * liftForce * rb.velocity.magnitude;
rb.AddForce(lift);
TESTING THE CONTROLS
1. Run the Unity scene and use the following controls:
○ W Key: Increase thrust (move forward).
○ Arrow Keys or Mouse Y: Pitch up/down.
○ A/D Keys or Arrow Keys: Yaw left/right.
○ Q/E Keys: Roll left/right.
2. Observe the aircraft’s behavior, ensuring smooth transitions between different controls.
OUTPUT
● Visual Result:
The aircraft flies smoothly, responding to player inputs for pitch, yaw, and roll, with natural aerodynamic behavior.
CONCLUSION
The 3D aeroplane controller was successfully implemented with realistic physics for pitch, roll, and yaw, ensuring a smooth and natural flying experience.
RESULT
The flight controller met all requirements and demonstrated responsive and realistic behavior in the Unity 3D environment.
Practical Test Case 5:
5. Create a 3D horror-themed level in Unity, featuring a dark forest with eerie elements like twisted trees, rocky terrain, and an ominous fog.
Ensure the scene has dynamic lighting that gradually changes from bright daylight to a chilling, dimmed atmosphere as the game progresses,
simulating a sunset turning into night. Include a fog effect that becomes more intense and envelops the player as they approach the lake or
swamp, adding to the horror atmosphere.
AIM
To design a nature-themed 3D level in Unity that includes terrain with hills, valleys, flat areas, realistic lighting, textures, and sound effects to create an
immersive and serene environment.
SOFTWARE REQUIRED
● Unity Editor
PROCEDURE
Step 1: Create a New Unity Scene
1. Open Unity and create a new 3D project.
2. In the Hierarchy, right-click and select 3D Object > Terrain to create a terrain object.
Step 2: Shape the Terrain
1. Select the Terrain object in the Hierarchy.
2. In the Inspector, open the Terrain Tools (paintbrush icon).
3. Use the Raise/Lower Terrain Tool to create hills and valleys:
○ Adjust brush size and opacity for finer control.
○ Hold down the left mouse button to raise terrain and shift to lower it.
4. Use the Smooth Terrain Tool to soften edges and create natural slopes.
Step 3: Apply Textures to the Terrain
1. In the Inspector, go to the Paint Texture tab under Terrain Tools.
2. Add layers for different textures:
○ Grass: Use a grass texture for flat areas.
○ Rock: Apply a rock texture for steep slopes and hilltops.
○ Sand or Dirt: Add texture for valleys or paths.
3. Blend textures by painting with varying opacity to create a realistic effect.
Step 4: Add Vegetation and Objects
1. Use the Paint Trees tool:
○ Add tree prefabs from the Unity Asset Store or your own models.
○ Adjust density and variety for a natural look.
2. Use the Paint Details tool:
○ Add grass and small plants to fill the terrain.
○ Use different grass textures for diversity.
3. Place rocks, logs, and other natural objects manually for fine-tuned detailing.
Step 5: Set Up Realistic Lighting
1. Add a Directional Light to simulate sunlight:
○ Adjust the angle for morning or evening effects.
○ Set the Color to warm tones for a serene atmosphere.
2. Enable Shadows in the light’s settings to add depth to the scene.
3. Add a Skybox:
○ Use a pre-built skybox from the Unity Asset Store or create a custom one for a clear or cloudy sky.
Step 6: Add Sound Effects
1. Import nature sound assets (e.g., bird chirping, wind, water streams).
2. Create an Audio Source:
○ Attach it to the Terrain or an empty GameObject.
○ Set the Audio Clip to the natural sound.
○ Enable Loop for continuous playback.
3. Use multiple audio sources for spatial sound effects:
○ Place one near a stream for water sounds.
○ Add another in a forested area for bird sounds.
Step 7: Make the Environment Interactive
1. Add a Player Controller (e.g., First-Person or Third-Person):
○ Use Unity’s Standard Assets or create your own controller for exploring the environment.
2. Test the level by walking through the terrain and adjusting the elements for immersion.
OUTPUT
● Visual Result:
The nature-themed 3D level includes realistic terrain, natural lighting, and immersive sound effects.
● Screenshot:
Include an image of the terrain showing hills, valleys, trees, and lighting.
CONCLUSION
The nature-themed 3D environment was successfully created in Unity, featuring terrain, realistic lighting, and sound effects to provide an immersive and
serene experience.
RESULT
The environment met all requirements for design and immersion, allowing the player to explore a natural 3D world.