First, we need to include the graphics.h header file. It is an old graphics library
used in C programming,
especially in older compilers like Turbo C. This library provides functions that let you draw things
like points, lines, circles,
and shapes directly on the screen.
Before we start drawing anything, we need to set up a basic environment where we can render
graphics.
Initialize the Graphics Mode: To open a graphics window and start drawing, we use
the initgraph() function.
int gd = DETECT, gm;
initgraph(&gd, &gm, "C:\\TURBOC3\\BGI");
This will set up a graphics window for you to draw in.
Here, gd stands for graphics driver, and gm stands for
graphics mode.
DETECT is a macro defined in the graphics.h library. It is
not a keyword in the C language itself
but a constant used by the graphics system.
DETECT automatically detects the graphics driver on your system, so you
don’t have to manually specify one.
This makes it easier for the program to run on different systems.
gm will store the mode of the graphics system once it's initialized. It
doesn't require a specific value;
it gets set by the initgraph() function.
When passed to initgraph(), DETECT tells the program to
automatically detect the graphics driver
based on your system’s configuration. This eliminates the need for you to manually specify
the graphics driver.
Setting Up Graphics in Turbo C3:
If you are using Turbo C3, ensure that the BGI (Borland Graphics
Interface) files are present in the correct directory.
The default path in Turbo C3 is: "C:\\TURBOC3\\BGI".
If the path is incorrect, Turbo C3 may throw an error when initializing graphics.
Common Errors and Fixes in Turbo C3:
BGI Error: "Graphics not initialized"
Ensure that the BGI files exist in the specified path.
Try providing the full path explicitly instead of an empty string.
Error: "Cannot run in full-screen mode" (on modern systems)
Turbo C3 is a DOS-based compiler and does not support full-screen graphics in modern
Windows versions.
Use DOSBox to run Turbo C3 properly.
Exiting Graphics Mode Properly in Turbo C3:
closegraph();
Always call closegraph(); at the end of your program to properly exit
graphics mode and return to text mode.
Failing to do this may leave your system screen in an unstable state.
Closing the Graphics Mode: Once you are done with drawing, you should close the
graphics mode using the
closegraph() function.
closegraph();
closegraph() shuts down the graphics system and deallocates any memory used
for graphics.
It ensures that the system returns to text mode properly after graphics operations are
completed.
Failing to call closegraph() may leave the screen in an unpredictable
state, especially in older systems.
Program to draw a pixel
Now that we understand the basics of graphics in C, we will start by drawing a point on the screen.
The following program demonstrates how to draw a pixel.
#include <graphics.h> // Graphics library for drawing
#include <conio.h> // Console input-output library for getch()
int main() {
int gd = DETECT, gm; // Detect graphics driver and store graphics mode
initgraph(&gd, &gm, "C:\\TURBOC3\\BGI"); // Initialize graphics system
putpixel(200, 200, WHITE); // Draw a white pixel at (200, 200)
getch(); // Wait for user input before closing
closegraph(); // Close the graphics window
return 0; // Return success
}
Explanation of the code:
#include <graphics.h>
This is a special graphics library that allows us to draw points, lines, shapes, and colors
in C.
It’s not a standard C library—you need to install it separately if you're using GCC on
Linux or other non-Turbo C compilers.
Functions like initgraph(), putpixel(), and closegraph() come from this library.
#include <conio.h>
This is the console input-output library in C.
We included this because we need to use getch(), which waits for user input before closing
the graphics window.
It replaces stdio.h for functions like getch() that are specific to console-based
operations.
int gd = DETECT, gm; (Variables for Graphic Mode)
gd stands for Graphics Driver.
gm stands for Graphics Mode.
DETECT is a macro (predefined constant) in graphics.h that tells the compiler to
automatically detect the best graphics driver available.
gm is an integer variable that will store the graphics mode (like resolution or color
depth).
initgraph(&gd, &gm, "C:\\TURBOC3\\BGI"); (Initializing the Graphics System)
initgraph() is the function that starts the graphics mode.
It takes three arguments:
&gd → The address of the gd variable (so it can store the detected graphics driver).
&gm → The address of the gm variable (so it can store the detected graphics mode).
"C:\\TURBOC3\\BGI" → This is the path to the graphics driver files used by Turbo C3.
On older systems, this path is required to locate the graphics drivers. On modern
systems, however, this path may not be needed if you're using an emulator or a
different graphics setup.
What happens after calling initgraph()?
The system enters graphics mode.
A new graphics window opens where we can start drawing.
The graphics driver and mode are selected based on the provided path and system
configuration.
putpixel(200, 200, WHITE); (Drawing a Pixel)
putpixel(x, y, color) is a function that draws a single pixel on the screen.
Arguments:
x = 200 → The horizontal position (200 pixels from the left).
y = 200 → The vertical position (200 pixels from the top).
WHITE → This is a predefined color constant in graphics.h.
How does the coordinate system work?
The top-left corner of the screen is (0,0).
The x-axis increases to the right, and the y-axis increases downward.
getch(); (Waiting for User Input)
When the program finishes running, the graphics window will close immediately unless we
pause it.
getch(); waits for the user to press any key, keeping the graphics window open.
This is a function from conio.h, commonly used in Turbo C. It allows pausing the program
until
a key is pressed. (Alternately, you can use getchar() in place of getch()).
closegraph();
It closes the graphics window and returns to normal text mode.
Without this function, the program might leave the system in an unstable graphics state.
Drawing a Horizontal Line
Now that we understand how to display a single pixel, let’s move to the next step: drawing a
horizontal
line.
Concept of Drawing a Horizontal Line
A horizontal line means all the y-coordinates remain the same, while the x-coordinates change
from a
starting point to an ending point.
For example:
If we want a line from (100, 200) to (300, 200):
y = 200 remains constant.
x changes from 100 to 300.
Program to Draw a Horizontal Line
#include <graphics.h> // Graphics library for drawing
#include <conio.h> // For getchar()
int main() {
int gd = DETECT, gm; // Detect graphics driver and mode
initgraph(&gd, &gm, ""); // Initialize graphics mode
int x1 = 100, x2 = 300, y = 200; // Start and end points of the line
for (int x = x1; x <= x2; x++) {
putpixel(x, y, WHITE); // Draw white pixels along the x-axis
}
getch(); // Wait for user input before closing
closegraph(); // Close graphics mode
return 0;
}
output:
Program to Draw a Vertical Line: Here the x coordinate will remain same while y
coordinate will change.
#include <graphics.h> // Graphics library for drawing
#include <conio.h> // For getchar()
int main() {
int gd = DETECT, gm; // Detect graphics driver and mode
initgraph(&gd, &gm, ""); // Initialize graphics mode
int x = 200, y1 = 100, y2 = 300; // Starting and ending y-coordinates
for (int y = y1; y <= y2; y++) {
putpixel(x, y, WHITE); // Draw white pixels along the y-axis
}
getch(); // Wait for user input before closing
closegraph(); // Close graphics mode
return 0;
}
Output:
Drawing line using line() function
The line() Function
The line() function is part of the graphics.h library and allows you to draw a straight line between two points by specifying their coordinates.
Syntax of line()
line(int x1, int y1, int x2, int y2);
Where:
(x1, y1) is the starting point of the line.
(x2, y2) is the ending point of the line.
How It Works:
You don’t need to manually plot each point to draw a line.
Simply call line() with the starting and ending coordinates, and the function will automatically draw the line.
#include <graphics.h> // Graphics library for drawing
#include <conio.h> // For getchar()
int main() {
int gd = DETECT, gm; // Detect graphics driver and mode
initgraph(&gd, &gm, ""); // Initialize graphics mode
int x1 = 100, y1 = 100; // Starting point of the line
int x2 = 300, y2 = 300; // Ending point of the line
line(x1, y1, x2, y2); // Draw the line
getch(); // Wait for user input before closing
closegraph(); // Close graphics mode
return 0;
}
Program to Draw a Square
#include <graphics.h> // Graphics library for drawing
#include <conio.h> // For getchar()
int main() {
int gd = DETECT, gm; // Detect graphics driver and mode
initgraph(&gd, &gm, ""); // Initialize graphics mode
int x1 = 100, y1 = 100; // Top-left corner of the square
int side_length = 200; // Length of the side of the square
// Draw top side (horizontal line)
for (int x = x1; x <= x1 + side_length; x++) {
putpixel(x, y1, WHITE); // Draw white pixels
}
// Draw right side (vertical line)
for (int y = y1; y <= y1 + side_length; y++) {
putpixel(x1 + side_length, y, WHITE); // Draw white pixels
}
// Draw bottom side (horizontal line)
for (int x = x1; x <= x1 + side_length; x++) {
putpixel(x, y1 + side_length, WHITE); // Draw white pixels
}
// Draw left side (vertical line)
for (int y = y1; y <= y1 + side_length; y++) {
putpixel(x1, y, WHITE); // Draw white pixels
}
getch(); // Wait for user input before closing
closegraph(); // Close graphics mode
return 0;
}
In graphics.h, there is a built-in function to draw rectangles directly, which makes things a lot
simpler
compared to manually drawing each side using loops.
The rectangle() Function
The rectangle() function is part of the graphics.h library and allows you to easily draw a rectangle
by
just
specifying two opposite corners (top-left and bottom-right).
Syntax of rectangle()
rectangle(int x1, int y1, int x2, int y2);
Where:
(x1, y1) is the top-left corner of the rectangle.
(x2, y2) is the bottom-right corner of the rectangle.
How It Works:
You don’t need to manually draw the four sides of the rectangle using loops.
Simply call rectangle() with the two corner coordinates, and the function will automatically
draw
the
rectangle for you.
#include <graphics.h> // Graphics library for drawing
#include <conio.h> // For getchar()
int main() {
int gd = DETECT, gm; // Detect graphics driver and mode
initgraph(&gd, &gm, ""); // Initialize graphics mode
int x1 = 100, y1 = 100; // Top-left corner of the square
int side_length = 200; // Length of the side of the square
// Bottom-right corner will be (x1 + side_length, y1 + side_length)
rectangle(x1, y1, x1 + side_length, y1 + side_length); // Draw the square
getch(); // Wait for user input before closing
closegraph(); // Close graphics mode
return 0;
}
The circle() Function
The circle() function is part of the graphics.h library and allows
you
to
easily draw a circle by just specifying the center and radius.
Syntax of circle()
circle(int x, int y, int radius);
Where:
(x, y) is the center of the circle.
radius is the distance from the center to the edge of the circle.
How It Works:
You don’t need to manually calculate points on the circle.
Simply call circle() with the center coordinates and radius, and the function will
automatically draw the circle for you.
#include <graphics.h> // Graphics library for drawing
#include <conio.h> // For getchar()
int main() {
int gd = DETECT, gm; // Detect graphics driver and mode
initgraph(&gd, &gm, ""); // Initialize graphics mode
int x = 200, y = 200; // Center of the circle
int radius = 100; // Radius of the circle
circle(x, y, radius); // Draw the circle
getch(); // Wait for user input before closing
closegraph(); // Close graphics mode
return 0;
}
The ellipse() Function
The ellipse() function is part of the graphics.h library and allows
you
to
easily draw an ellipse by specifying the center, axes, and angle.
Syntax of ellipse()
ellipse(int x, int y, int startAngle, int endAngle, int xRadius, int yRadius);
Where:
(x, y) is the center of the ellipse.
startAngle is the starting angle (in degrees) where drawing begins.
endAngle is the ending angle (in degrees) where drawing stops.
xRadius is the horizontal radius (width of the ellipse).
yRadius is the vertical radius (height of the ellipse).
How It Works:
If you want a full ellipse, set startAngle = 0 and endAngle =
360.
You can use different values for xRadius and yRadius to create
stretched
or squished ellipses.
The function automatically handles the calculations, so you just need to specify the parameters.
#include <graphics.h> // Graphics library for drawing
#include <conio.h> // For getchar()
int main() {
int gd = DETECT, gm; // Detect graphics driver and mode
initgraph(&gd, &gm, ""); // Initialize graphics mode
int x = 250, y = 250; // Center of the ellipse
int xRadius = 150, yRadius = 100; // Horizontal and vertical radius
ellipse(x, y, 0, 360, xRadius, yRadius); // Draw a full ellipse
getch(); // Wait for user input before closing
closegraph(); // Close graphics mode
return 0;
}
Line Drawing
DDA (Digital Differential Analyzer)
The Digital Differential Analyzer (DDA) Algorithm gets its name from its underlying
principles. The term "Digital" refers to the fact that this algorithm operates in a
discrete digital space, meaning it works with pixel positions rather than continuous mathematical
functions. The term "Differential" comes from the way the algorithm incrementally
calculates the next point in the line using small differences (\( dx \) and \( dy \)) rather than
solving an equation directly. Finally, "Analyzer" is derived from early analog
computing methods, where a Differential Analyzer was a mechanical device used for
solving differential equations. The DDA algorithm follows a similar approach but in a digital
manner, analyzing and computing the next pixel position step by step. This makes it an efficient and
systematic way to draw lines in computer graphics.
Step-by-Step Algorithm:
Take Input:
Read the starting point \( (x_1, y_1) \) and the ending point \( (x_2, y_2) \).
Calculate the Differences:
Compute the change in \( x \) and \( y \):
\( dx = x_2 - x_1 \)
\( dy = y_2 - y_1 \)
Determine the Number of Steps:
The number of steps is the maximum of \( |dx| \) and \( |dy| \), which ensures
smooth pixel plotting:
\( \text{steps} = \max(|dx|, |dy|) \)
Compute the Increment Values:
Compute the increments for \( x \) and \( y \) to move step by step:
\( x_{\text{inc}} = \frac{dx}{\text{steps}} \)
\( y_{\text{inc}} = \frac{dy}{\text{steps}} \)
Initialize Starting Position:
Set the starting point:
\( x = x_1, y = y_1 \)
Plot the Pixels:
Repeat for \( \text{steps} \) iterations:
Plot the pixel at the current \( (x, y) \) position using:
The loop completes, and the full line is drawn from \( (x_1, y_1) \) to \( (x_2,
y_2) \).
Step-by-Step Algorithm:
Step 1: Understand the Goal
You want to draw a line between two points on the screen, for example, from point
(x1, y1)
to (x2, y2). Imagine a grid of squares (like pixels on the screen), and your job is
to
calculate which squares (pixels) to color so that they form a straight line between
the two
points.
Step 2: Calculate the differences (dx and dy)
First, you need to know how far the line goes in both the x direction (left to
right) and
the y direction (up to down). You calculate the differences as follows:
dx = x2 - x1 (the horizontal difference)
dy = y2 - y1 (the vertical difference)
These values tell you how much the line moves horizontally and vertically.
Step 3: Determine the number of steps
Now, the next thing you need to figure out is how many steps it will take to draw
the line
from the start to the end point. This depends on which direction the line moves
more—horizontal or vertical. In other words, the line might be steeper (more
vertical) or
flatter (more horizontal).
To figure out how many steps, you take the larger of the two differences (dx and
dy):
Steps = max(dx, dy)
This ensures that you take enough steps to cover the longest direction, whether it's
horizontal or vertical.
Step 4: Calculate the increment for each step
Now that you know how many steps you need, you need to figure out how much to move
horizontally (x) and vertically (y) at each step. You calculate the increments like
this:
x increment = dx / steps
y increment = dy / steps
These increments tell you how much you should increase x and y by for each step you
take.
For example, if dx is 4 and dy is 2, and you decide to take 4 steps, the x increment
would
be 1 (4 / 4), and the y increment would be 0.5 (2 / 4). This means, with each step,
you
increase x by 1 and y by 0.5.
Step 5: Start plotting the points
Now you can start plotting the points. You begin at the starting point (x1, y1).
From there,
you add the increments to the current x and y values at each step, one step at a
time.
For example, if you’re at point (x1, y1), then after the first step, you’ll have:
new x = x1 + x increment
new y = y1 + y increment
You repeat this process for each step until you reach the end point (x2, y2).
Step 6: Round the values to integers
Since pixels on the screen can only have integer values (you can’t have a "half"
pixel), you
need to round the new x and y values to the nearest whole numbers.
This rounding is what makes the line look like it’s following a continuous path but
is
actually drawn pixel by pixel.
Step 7: Plot the pixel
After rounding, you plot the pixel at the new coordinates (x, y) and move to the
next step.
Repeat this process until you have plotted all the necessary pixels, and you’ll have
a
straight line from (x1, y1) to (x2, y2)!
How does the DDA algorithm in computer graphics differ from the mathematical DDA approach?
In the mathematical DDA approach, we deal with real numbers and continuous values, which allows
for precise calculations of points along a line using the slope equation. This method is ideal
for theoretical calculations, where fractional or decimal values are acceptable and represent
continuous motion or changes. However, in computer graphics, the situation is different. Since a
pixel on a screen can only represent discrete integer coordinates, fractional or decimal values
are not possible. Therefore, in the computer graphics version of DDA, we must approximate the
line by using integer pixel values, rounding the computed coordinates to the nearest whole
number. This ensures that the line is drawn using valid pixel positions on the screen, which can
only accept discrete values rather than continuous ones. This adjustment is the main reason why
the mathematical approach and the computer graphics approach to DDA differ, despite both being
based on the same fundamental concept.
The Digital Differential Analyzer (DDA) algorithm exists in both
mathematical theory and computer graphics, but their
implementation and purpose differ. The key difference comes from how they handle continuous
vs. discrete values.
1. Mathematical DDA Approach
This version of DDA is based on numerical methods and is often used in
mathematical analysis and analog computations. The main idea is to compute
small incremental changes to approximate a curve or a function over time.
How It Works:
Uses the slope equation of a line:
\[
y = mx + c
\]
Takes small continuous steps along the x-axis to compute corresponding
y-values.
Works in real numbers (e.g., 2.5, 3.8) without worrying about integer
constraints.
Used in applications like solving differential equations or simulating
motion.
Example:
If we need to draw a line from (2,3) to (6,7), the slope is:
Then, by incrementing x by small steps (like 0.1), we calculate y-values
accordingly.
Problem in Computer Graphics: The output might be (2,3), (2.1,3.1), (2.2,3.2), etc.
But pixels can’t be placed at fractional coordinates!
2. Computer Graphics DDA Algorithm
Since computer screens use pixels, the DDA algorithm must ensure that a line is
drawn using only integer coordinates.
How It Works:
Instead of using the slope equation directly, it finds the number of steps
required to move from the start to the endpoint.
Uses incremental steps in either x or y, ensuring only
integer coordinates are chosen.
Uses rounding to pick the closest pixel to represent the actual line.
Algorithm Steps:
Calculate \( dx = x_2 - x_1 \) and \( dy = y_2 - y_1 \).
Determine the number of steps based on the greater of \( dx \) or \( dy \).
Compute the incremental change in x and y per step:
\[
x_{\text{inc}} = \frac{dx}{\text{steps}}, \quad y_{\text{inc}} = \frac{dy}{\text{steps}}
\]
Start from \( (x_1, y_1) \) and round the values to nearest integer pixels.
Repeat until reaching \( (x_2, y_2) \).
Example:
If we need to draw a line from (2,3) to (6,7):
\( dx = 4, dy = 4 \)
Steps = max(4,4) = 4
x increment = \( dx/steps = 1 \)
y increment = \( dy/steps = 1 \)
Thus, the pixel points would be:
(2,3)
(3,4)
(4,5)
(5,6)
(6,7)
All integer coordinates, perfect for a screen.
Bresenham's Line Drawing Algorithm
Bresenham's Line Drawing Algorithm is another popular technique for drawing straight lines in
computer graphics. It is known for being more efficient than the DDA algorithm because it uses only
integer arithmetic, avoiding the floating-point calculations that DDA uses. The algorithm makes
decisions on whether to move horizontally or diagonally based on the error (decision parameter),
which ensures that the line drawn appears continuous and smooth on pixel grids. Bresenham’s
algorithm is especially efficient for raster displays where pixel placement is crucial.
Goal of the algorithm
You want to draw a straight line between two points \( (x_1, y_1) \) and \( (x_2, y_2) \). The
algorithm helps determine which pixels to color to form a straight line. It avoids using
floating-point numbers, relying only on integer arithmetic, making it faster and more efficient
for drawing lines on pixel grids (like on a computer screen).
Step-by-Step Algorithm:
Take Input:
Read the starting point \( (x_1, y_1) \) and the ending point \( (x_2, y_2) \).
Calculate the Differences (dx and dy):
Compute the change in \( x \) and \( y \):
\( dx = x_2 - x_1 \)
\( dy = y_2 - y_1 \)
Initialize the Decision Parameter (p):
Calculate the initial value of \( p \):
\( p = 2 \cdot dy - dx \)
Start Plotting the Line:
Set the starting point \( (x, y) = (x_1, y_1) \).
Plot the first pixel at \( (x_1, y_1) \).
Loop to Plot the Remaining Points:
While \( x < x_2 \) (or until the end point is reached), repeat:
If \( p < 0 \), move horizontally:
Increment \( x \) by 1, keep \( y \) the same.
Update \( p \) using: \( p = p + 2 \cdot dy \).
If \( p \geq 0 \), move diagonally:
Increment both \( x \) and \( y \) by 1.
Update \( p \) using: \( p = p + 2 \cdot dy - 2 \cdot dx \).
Plot the new pixel at the updated \( (x, y) \) position.
End of Algorithm:
The loop completes, and the full line is drawn from \( (x_1, y_1) \) to \( (x_2,
y_2) \).
Step-by-Step Algorithm
Step 1: Understand the Problem
Imagine you have a grid (the screen or canvas) made of pixels. You need to draw a
line
from one point to another. The problem is that the line may not always align exactly
with the pixel grid, so we have to figure out the best way to choose the pixels that
form a straight line between the two points.
Step 2: Calculate the Differences (dx and dy)
You need to know how far the line will move in both the \( x \) and \( y \)
directions.
This tells you how much you need to adjust the \( x \) and \( y \) coordinates as
you
move along the line.
\( dx = x_2 - x_1 \) (the difference in the \( x \)-coordinates, or how much the
line moves horizontally).
\( dy = y_2 - y_1 \) (the difference in the \( y \)-coordinates, or how much the
line moves vertically).
These values are key to determining how the line is drawn.
Step 3: Initialize the Decision Parameter (p)
Bresenham’s algorithm uses a decision parameter \( p \) to help decide whether to
move
horizontally or diagonally at each step. This parameter helps us determine if the
line
should go straight to the right or slightly up (diagonally).
The initial value of \( p \) is calculated using:
\( p = 2 \times dy - dx \)
This helps determine whether you should move just horizontally or diagonally.
Step 4: Start Plotting the Line
Now that you know the starting point \( (x_1, y_1) \), the first step is to plot the
first pixel \( (x_1, y_1) \).
Start with the current coordinates \( (x, y) = (x_1, y_1) \).
Plot the first pixel using \( \text{putpixel}(x, y, \text{color}) \) where \( x
\)
and \( y \) are the coordinates of the starting point.
Step 5: Loop to Plot the Remaining Points
Now that the first pixel is plotted, you need to move along the line and plot the
rest
of the pixels. This is where the decision parameter \( p \) helps you decide if the
next
point should be directly to the right or diagonally up.
While Loop Condition: You will continue plotting until \( x \)
reaches
\( x_2 \), meaning the line has reached the end point.
If \( p < 0 \):
This means that moving horizontally is the best choice.
You increase \( x \) by 1 (move to the right), but \( y \) stays the
same.
Update \( p \) using the formula: \( p = p + 2 \times dy \) (we add
\( 2
\times dy \) to the current value of \( p \)).
If \( p \geq 0 \):
This means that moving diagonally (both \( x \) and \( y \)) will get you
closer
to the line.
You increase \( x \) by 1 (move to the right), and also increase \( y \) by
1
(move up).
Update \( p \) using the formula: \( p = p + 2 \times dy - 2 \times dx \)
(we
add \( 2 \times dy \) and subtract \( 2 \times dx \) from the current value
of
\( p \)).
Plot the Pixel: After updating \( p \), plot the pixel at the new coordinates \(
(x,
y) \).
Step 6: Continue Until You Reach the End Point
You keep repeating the steps until \( x \) equals \( x_2 \), meaning you've reached
the
end of the line. At each step, you either move horizontally or diagonally based on
the
decision parameter \( p \). As you plot each pixel, the line will start to form.
Making Different shapes like Traffic Light,
Smiley Face,
Moving Car Animation,
Hut Drawing with Colors,
Bar Graph,
Arc Animation with Circles,
Basic Circle Drawing with Color Filling
Traffic Light
This program draws a simple traffic light with three circles inside a rectangular box.
Defining Dimensions
We define the width and height of the rectangle and the radius of the circles.
int rectWidth = 60, rectHeight = 160;
int radius = 22;
Midpoint Calculation
We calculate the center of the screen to position the traffic light properly.
midx = getmaxx() / 2;
midy = getmaxy() / 2;
Drawing the Traffic Light
We draw a white rectangle as the traffic light body and three circles inside it.
The circles are placed at fixed positions.
The middle circle is placed at midy (center of rectangle).
The top and bottom circles are placed at fixed offsets:
Top Circle: Moved up by 50 → midy - 50
Middle Circle: Placed at center → midy
Bottom Circle: Moved down by 50 → midy + 50
Final Step
The program waits for user input before closing.
getch();
closegraph();
Smiley Face
Understanding the arc() Function for Drawing a Smiley Face
To draw a smiley face, we need a curved line for the mouth. This curved line is called an arc.
What is an Arc?
Think of an arc as a part of a circle. If a full circle is like a pizza, then an arc is like one
slice or a curved section of the crust.
When drawing a smiley face, we need an arc for the mouth. This arc is a small portion of a
bigger invisible circle.
The arc(x, y, startAngle, endAngle, radius) Function
This function helps us draw an arc on the screen. Let’s break down its parameters in simple terms:
x, y (Center of the Arc)
These two numbers tell the program where the arc is centered.
Example: arc(300, 340, 20, 160, 50); → Here, (300, 340) is the center of the invisible full
circle that contains the arc.
startAngle (Where the Arc Begins)
This is the starting point of the arc, measured in degrees.
Imagine a clock:
0° → Right side (3 o’clock).
90° → Top (12 o’clock).
180° → Left side (9 o’clock).
270° → Bottom (6 o’clock).
If we start at 20°, it means we begin a little above the right side.
endAngle (Where the Arc Ends)
This is the finishing point of the arc, also in degrees.
If we set endAngle = 160°, the arc stops near the left side.
The arc is drawn from startAngle to endAngle in a counterclockwise direction.
radius (Size of the Arc)
This tells how big the arc should be.
A larger radius makes a wider arc.
A smaller radius makes a tighter curve.
Example: radius = 50 → The arc will be a part of an invisible circle with a radius of 50
pixels.
Example: Drawing a Smiley Mouth
arc(300, 340, 200, 340, 50);
Flip the Smile (Make it a Sad Face)
arc(300, 340, 20, 160, 50);
Here, 200° to 340° creates a downward arc, forming a smile (a U shape). 20° to 160° creates an upward arc, forming a sad face.
"The arc() function draws an arc based on the center point, start angle, end angle, and radius. The angles are measured counterclockwise starting from the 3 o'clock position (0°).
Third Quadrant (240°): This is a point in the third quadrant (left bottom) of the circle, where the angle is between 180° and 270°. From this point, the arc will start to curve downward, creating the bottom part of the smile.
Fourth Quadrant (340°): This is in the fourth quadrant (right bottom) of the circle, where the angle is between 270° and 360°.
When we start at 240° (third quadrant) and move counterclockwise to 340° (fourth quadrant), the arc will open upward like the top of a "U," with the curve bending downward to form the shape of a smile."
Now that we understand how to draw the mouth with the arc, we can draw the full smiley face.
Smiley Face Program Code:
#include <graphics.h>
#include <conio.h>
void main()
{
int gd = DETECT, gm, midx, midy;
initgraph(&gd, &gm, "");
midx = getmaxx() / 2; // X center of the screen
midy = getmaxy() / 2; // Y center of the screen
int faceRadius = 100; // Face size
int eyeRadius = 15; // Eye size
int mouthRadius = 50; // Mouth arc size
// Draw Face (Big Circle, just border)
setcolor(WHITE);
circle(midx, midy, faceRadius); // Face border
// Draw Left Eye (Just border)
circle(midx - 35, midy - 30, eyeRadius); // Left eye border
// Draw Right Eye (Just border)
circle(midx + 35, midy - 30, eyeRadius); // Right eye border
// Draw Smile (Arc) - Happy face
arc(midx, midy + 10, 200, 340, mouthRadius); // Smile arc
// To make a sad face, use the following line instead of the smile arc:
// arc(midx, midy + 40, 20, 160, mouthRadius); // Sad arc
getch();
closegraph();
}
Explanation:
Face: The face is drawn as a large circle with a radius of 100, centered at `(midx, midy)`.
Eyes: Two smaller circles (radius 15) are drawn for the eyes. The left eye is placed at `(midx - 35, midy - 30)` and the right eye at `(midx + 35, midy - 30)`. This keeps the eyes symmetrical and positioned on the upper part of the face.
Mouth: The mouth is drawn as an arc. The `arc()` function is used with the center of the mouth at `(midx, midy + 10)`. The arc spans from 200° to 340° for a smile, and you can flip it for a sad face by changing the angles to 20° to 160°.