0% found this document useful (0 votes)
3 views

UID

The document discusses how to create interface-like structures in C++ using pure abstract classes, outlining the rules and providing an example implementation. It also presents a list of 30 trending C++ project ideas for students, categorized into beginner, intermediate, and advanced levels, each with details on required skills and estimated completion times. The projects aim to enhance students' programming skills and prepare them for real-world applications.

Uploaded by

Arif Kamal
Copyright
© © All Rights Reserved
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
3 views

UID

The document discusses how to create interface-like structures in C++ using pure abstract classes, outlining the rules and providing an example implementation. It also presents a list of 30 trending C++ project ideas for students, categorized into beginner, intermediate, and advanced levels, each with details on required skills and estimated completion times. The projects aim to enhance students' programming skills and prepare them for real-world applications.

Uploaded by

Arif Kamal
Copyright
© © All Rights Reserved
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 26

C++ Program to Create an Interface

Last Updated : 05 Nov, 2024



Interfaces are a feature of Java that allows us to define an abstract


type that defines the behaviour of a class. In C++, there is no
concept of interfaces, but we can create an interface-like structure
using pure abstract classes. In this article, we will learn how to
create interface-like structure in C++.
Implementation of Interface in C++
To create an interface, first we need to understand the rules that
governs the behaviour of interface:
 Interface only contains the declaration of the methods not
definition.
 Interface methods must be declared public.
 Any class can implement/inherit any interface.
 The implementing class must provide the definition of the
methods.
 Instance of interface cannot be created.
All of these rules can be followed by C++ pure abstract class that
only contains the pure virtual functions. Following are the rules
that governs the behaviour of pure abstract class:
 All methods of pure abstract class are only declared but not
defined (pure virtual methods).
 Its methods can be defined either public, protected or private.
 Any class can inherit pure abstract class.
 The implementing class must provide the definition of the
methods otherwise it will become abstract class.
 Instance of pure virtual class cannot be created.
As we can see, we can almost perfectly simulate the Java
Interfaces with C++ Pure Abstract Classes.
Example
#include <bits/stdc++.h>
using namespace std;

// Interface equivalent pure abstract class


class I {
public:
virtual string getName() = 0;
};

// Class B which inherits I


class B : public I {
public:
string getName() {
return "GFG";
}
};

// Class C which inherits I


class C : public I {
public:
string getName() {
return "GeeksforGeeks";
}
};

int main() {
B obj1;
C obj2;
I *ptr;

// Assigning the address of obj1 to ptr


ptr = &obj1;
cout << ptr->getName() << endl;

// Assigning the address of obj2 to ptr


ptr = &obj2;
cout << ptr->getName();

return 0;
}

Output
GFG
GeeksforGeeks
30 Trending Ideas on C++ Projects For
Students
By Rohan Vats

Updated on Feb 13, 2025 | 16 min read


Share:
Table of Contents
C++ is a powerful and versatile programming language, known for its efficiency
and wide-ranging applications in industries such as gaming, software
development, and system programming. Its robust object-oriented features and
extensive libraries make it a preferred choice for creating both simple and
complex applications.
Working on practical C++ projects for students is important to improve their
theoretical knowledge and develop a hands-on understanding of programming.
Projects provide a structured way to learn key concepts like data structures,
algorithms, and memory management while improving debugging and problem-
solving skills.
By working on these projects, students can sharpen their technical abilities and
cultivate creativity and logical thinking. These projects serve as a stepping stone
to building confidence in coding, creating a portfolio that highlights their
expertise, and paving the way for a career in software development and
technology.
Enroll yourself in a Master of Design in User Experience from the prestigious
O.P. Jindal University
30 Trending Ideas on C++ Projects For
Students
In this list, we explore 30 C++ project ideas, divided into beginner, intermediate,
and advanced levels. Each project discusses the estimated completion time,
required skills, and tools needed to help students get started.
Beginner-Level Projects
Beginner-level projects are perfect for students new to C++. These projects
focus on core programming concepts like loops, conditional statements,
functions, and file handling, offering a strong foundation for further learning.
1. Rock Paper Scissor Game
This project implements a classic game where the player competes against the
computer by selecting rock, paper, or scissors. The computer’s choice is
randomly generated, and the winner is determined based on the rules: rock
beats scissors, scissors beat paper, and paper beats rock. This project helps
students learn random number generation, conditional logic, and user input
handling. Additionally, it introduces the concept of a game loop, where the
player can replay the game multiple times.
 Time: 2-3 hours
 Skills Required: Basic C++ syntax, conditional statements, random number
generation.
 Tools/Materials Needed: C++ IDE, knowledge of loops and functions.
2. CGPA Calculator
The CGPA Calculator is a program that takes a student’s grades in multiple
subjects as input and computes their cumulative grade point average (CGPA).
Students will learn to process user inputs, perform arithmetic calculations, and
display results. The program can include features like calculating GPAs for
specific semesters and maintaining subject credits for more accurate results.
This project is ideal for reinforcing concepts like arrays, loops, and mathematical
operations.
 Time: 3-4 hours
 Skills Required: Arithmetic operations, input/output handling, arrays.
 Tools/Materials Needed: C++ IDE, knowledge of loops and functions.
3. Casino Number Guessing Game
In this project, the user guesses a randomly generated number between a
specified range, such as 1 to 100. The program provides hints like “too high” or
“too low” until the correct number is guessed. Points are awarded or deducted
based on the number of attempts taken. Students will gain experience in
random number generation, while also learning how to implement feedback
loops and basic scoring systems.
 Time: 2-3 hours
 Skills Required: Random number generation, loops, conditionals.
 Tools/Materials Needed: C++ IDE, basic understanding of random functions.
4. Simple Calculator Application
This project involves creating a program capable of performing basic arithmetic
operations: addition, subtraction, multiplication, and division. The program
prompts the user for two numbers and an operation and then displays the result.
To make the calculator more versatile, students can add features like error
handling for division by zero or an option to exit the program gracefully.
 Time: 3-5 hours
 Skills Required: Conditional statements, operators, functions.
 Tools/Materials Needed: C++ IDE, understanding of input/output operations.
5. Login and Registration System
This project simulates a basic authentication system where users can register
with a username and password and log in using those credentials. The program
stores user data in a text file and retrieves it for verification during login.
Students will learn how to handle files, manage string data, and implement
secure practices like hashing passwords for protection.
 Time: 4-6 hours
 Skills Required: File handling, string manipulation, input/output operations.
 Tools/Materials Needed: C++ IDE, knowledge of file I/O functions.
Find your ideal Free Data Science Course from upGrad and start learning.
6. File Compression Tool
Develop a program that compresses text files using simple encoding techniques
like Run-Length Encoding (RLE). The program reads data from a file, processes
it to remove redundancy, and saves the compressed version to another file.
Decompression functionality can also be added for completeness. This project
introduces the concepts of data encoding, efficient file handling, and algorithm
design.
 Time: 6-8 hours
 Skills Required: File handling, string processing, basic algorithms.
 Tools/Materials Needed: C++ IDE, understanding of encoding techniques.
7. Digital Calculator
Create an advanced calculator application that goes beyond basic operations to
include square roots, exponents, logarithms, and trigonometric functions. This
project challenges students to implement mathematical logic while learning
about reusable functions, nested conditionals, and user-friendly input methods.
 Time: 4-5 hours
 Skills Required: Mathematical logic, functions, conditional statements.
 Tools/Materials Needed: C++ IDE, math library (like cmath).
8. Digital Piano
Design a console-based program that simulates a piano, where specific keys on
the keyboard correspond to musical notes. Using sound libraries like SDL,
students can create simple melodies and understand how to process keyboard
inputs. This project is excellent for combining creativity with programming skills.
 Time: 5-7 hours
 Skills Required: Input handling, sound libraries, loops.
 Tools/Materials Needed: C++ IDE, SDL or similar library.
9. Address Book
Develop an address book application where users can store, search, update,
and delete contact information. Data persistence can be achieved using file
handling techniques. This project teaches students how to manipulate
structured data and introduces them to the basics of CRUD operations.
 Time: 6-8 hours
 Skills Required: File handling, data manipulation, loops.
 Tools/Materials Needed: C++ IDE, basic understanding of structured data.
10. Tic-Tac-Toe Game
Implement a console-based Tic-Tac-Toe game where two players take turns
marking spaces on a 3x3 grid. The program checks for a winner or a draw after
each move and highlights the winning combination. Adding an AI opponent for
single-player mode can make the project more challenging.
 Time: 4-6 hours
 Skills Required: Loops, arrays, conditional statements.
 Tools/Materials Needed: C++ IDE, knowledge of 2D arrays and game logic.
Earn a Free Programming Certificate in Python from upGrad and improve your
knowledge.
Free Courses

Explore courses related to Software Development

JavaScript Basics from Scratch

40.57K+ learners

19 hrs of learning

Learn For Free


Data Structures & Algorithm

35.29K+ learners

50 hrs of learning

Learn For Free

Introduction to Cryptocurrency

27.3K+ learners

0.5 hrs of learning

Learn For Free


Fundamentals of Cybersecurity

20.48K+ learners

2 hrs of learning

Learn For Free

Core Java Basics

14.4K+ learners

23 hrs of learning

Learn For Free

Explore all

Intermediate-Level Projects
Intermediate-level projects help students apply their basic knowledge of C++ to
more complex challenges. These projects often involve file handling, data
structures, and algorithms, preparing students for advanced topics.
11. Library Management System
Create a system that manages library operations like issuing books, returning
books, and maintaining a catalog. The program should include functionalities for
adding new books, deleting old records, and tracking issued books with
borrower details. Advanced features can include a search function to find books
by title or author and fines calculation for late returns.
 Time: 8-10 hours
 Skills Required: File handling, data structures, loops.
 Tools/Materials Needed: C++ IDE, basic knowledge of file I/O and string
manipulation.
12. Snake Game
Develop the classic Snake game where the player navigates a snake to collect
food while avoiding collisions with the walls or itself. The snake grows longer
with each piece of food it consumes, increasing the difficulty. This project
requires handling arrays or linked lists to represent the snake and implementing
real-time user input.
 Time: 10-12 hours
 Skills Required: Arrays or linked lists, game loops, input handling.
 Tools/Materials Needed: C++ IDE, libraries like ncurses (for terminal-based
graphics).
13. Text Editor
Design a basic text editor that allows users to create, edit, save, and open text
files. The program should support basic formatting options like bold, italic, or
underlining text and include functionalities like search, replace, and undo. This
project is excellent for practicing file handling and user-friendly interface design.
 Time: 12-15 hours
 Skills Required: File handling, string manipulation, user interface design.
 Tools/Materials Needed: C++ IDE, knowledge of file streams.
14. Student Database Management System
Build a program to manage student data such as names, grades, and
attendance. Include options to add, delete, update, and search records. Data
persistence can be implemented using files or basic database integration.
Features like sorting and generating performance reports can add extra value.
 Time: 8-10 hours
 Skills Required: File handling, data structures, input/output operations.
 Tools/Materials Needed: C++ IDE, file handling libraries.
Learn everything about C++ with this C++ Tutorial
15. Hotel Management System
Create a system to manage hotel operations, such as booking rooms,
managing check-ins and check-outs, and calculating bills. The program should
include a user-friendly menu and maintain records of available and booked
rooms. Adding features like automated price calculations based on room type
and duration of stay can make the system more robust.
 Time: 10-12 hours
 Skills Required: File handling, conditionals, and loops.
 Tools/Materials Needed: C++ IDE, knowledge of menu-driven programming.
16. Banking System Simulator
Design a banking system that allows users to create accounts, deposit and
withdraw funds, and view account details. The program should securely store
account data and include features like transaction history and account balance
checks. Adding password-protected accounts or encryption for stored data can
enhance the system’s functionality.
 Time: 10-12 hours
 Skills Required: File handling, input validation, and security practices.
 Tools/Materials Needed: C++ IDE, file streams, basic encryption techniques.
17. Traffic Management System
Develop a program to simulate traffic management, tracking the number of
vehicles passing through various checkpoints. The system should allow for
adding, deleting, and updating data and generating reports based on traffic
patterns. Advanced features can include real-time traffic updates using external
data.
 Time: 12-14 hours
 Skills Required: Data structures, file handling, and statistical analysis.
 Tools/Materials Needed: C++ IDE, understanding of data visualization
techniques.
18. Phonebook Application
Create a phonebook application where users can store, update, and search for
contact details. The program should allow data persistence through file handling
and support functionalities like sorting contacts by name or phone number.
Advanced options could include importing/exporting contacts in various formats
like CSV.
 Time: 8-10 hours
 Skills Required: File handling, sorting algorithms, string manipulation.
 Tools/Materials Needed: C++ IDE, basic knowledge of file handling.
19. Scientific Calculator in C++
Expand upon the basic calculator project by adding advanced functions like
trigonometric calculations, logarithms, exponential functions, and matrix
operations. This project provides an opportunity to work with C++ libraries like
cmath and practice designing modular code using functions.
 Time: 10-12 hours
 Skills Required: Mathematical operations, functions, and modular
programming.
 Tools/Materials Needed: C++ IDE, cmath library.
20. Bus Reservation System
Develop a system to manage bus reservations, allowing users to book, cancel,
and view reservations. The program should include features for checking seat
availability, viewing schedules, and calculating ticket prices. Adding a graphical
user interface (GUI) can make the system more user-friendly.
 Time: 12-15 hours
 Skills Required: File handling, conditionals, and loops.
 Tools/Materials Needed: C++ IDE, optional GUI library like Qt.

upGrad

Professional Certificate Program in Cloud Computing and DevOps


Coverage of AWS, Microsoft Azure and GCP services
Certification8 Months

View ProgramSyllabus

upGrad KnowledgeHut

Full Stack Development Bootcamp - Essential


Job-Linked Program
Bootcamp36 Weeks
View ProgramSyllabus

upGrad KnowledgeHut

Full Stack Development Bootcamp - Essential


Job-Linked Program
Bootcamp36 Weeks

View ProgramSyllabus

IIIT Bangalore

Executive PG Certification in AI-Powered Full Stack Development


GenAI integrated curriculum
Executive PG Certification9.5 Months

View ProgramSyllabus

IIIT Bangalore

Post Graduate Certificate in Data Science & AI (Executive)


Placement Assistance
Certification8-8.5 Months

View ProgramSyllabus

Advanced-Level Projects
Advanced-level projects challenge students to apply their C++ knowledge to
complex problems, integrating concepts like advanced data structures,
algorithms, multi-threading, and external libraries. These projects simulate real-
world applications, providing students with valuable experience for professional
development.
21. Password Manager
A password manager securely stores and retrieves user credentials. The
program should allow users to create accounts, save passwords, and retrieve
them with a master password. Features like password generation, encryption
using hashing algorithms, and multi-factor authentication make the project
robust. Integrating database support or cloud storage can further enhance its
functionality.
 Time: 12-15 hours
 Skills Required: File handling, encryption, data structures.
 Tools/Materials Needed: C++ IDE, cryptographic libraries like OpenSSL.
22. Trading Application Project in C++
This project simulates a basic trading application that allows users to buy and
sell stocks virtually. Features include real-time stock price updates (mock data),
portfolio tracking, and performance analytics. Implementing a graphical interface
or integrating APIs for real-time data can elevate the application.
 Time: 15-20 hours
 Skills Required: File handling, data visualization, API integration.
 Tools/Materials Needed: C++ IDE, JSON or XML parsers.
23. Graphical User Interface (GUI) Calculator
This project involves building an advanced calculator with a graphical interface
using libraries like Qt or GTK. In addition to basic arithmetic operations, include
advanced features such as history tracking, graph plotting, and support for
custom formulas.
 Time: 15-18 hours
 Skills Required: GUI programming, event handling, mathematical algorithms.
 Tools/Materials Needed: C++ IDE, GUI library like Qt or GTK.
24. Chat Application
Design a peer-to-peer or client-server chat application that allows multiple users
to communicate in real-time. Implement features like user authentication,
message encryption, and chat history. Adding support for group chats or media
sharing can further enhance the project.
 Time: 18-24 hours
 Skills Required: Networking, socket programming, multi-threading.
 Tools/Materials Needed: C++ IDE, networking libraries like Boost.Asio.
25. E-Learning Management System
Build a platform that enables students and teachers to interact. The system
should include functionalities like course creation, assignment submission, and
grading. Advanced features like video streaming, live chat, and analytics can be
incorporated for a comprehensive learning experience.
 Time: 20-25 hours
 Skills Required: File handling, database management, API integration.
 Tools/Materials Needed: C++ IDE, database libraries like SQLite.
Click here to read about the most powerful Features of C++
26. Automated Stock Trading System
Develop a system that simulates automated stock trading. It should analyze
market trends using historical data (mock data), execute buy/sell orders based
on predefined strategies, and generate performance reports. Incorporating
machine learning algorithms for predictive analytics can make the project more
sophisticated.
 Time: 25-30 hours
 Skills Required: Data structures, algorithms, API integration.
 Tools/Materials Needed: C++ IDE, JSON parsers, or machine learning
libraries.
27. Health Monitoring System
Create a system that monitors and records health metrics such as heart rate,
blood pressure, and temperature. The program should generate reports, identify
anomalies, and suggest health tips. Connecting with hardware sensors or APIs
for real-time data input can add a practical dimension.
 Time: 18-24 hours
 Skills Required: Data analysis, hardware integration, file handling.
 Tools/Materials Needed: C++ IDE, libraries for hardware interfacing like
Arduino.
28. Social Networking Platform
Develop a simplified social networking platform where users can create profiles,
post updates, and interact with others. Features like friend requests, private
messaging, and notification systems can be implemented. For scalability,
integrate database management systems to store user data.
 Time: 25-30 hours
 Skills Required: Data structures, database management, networking.
 Tools/Materials Needed: C++ IDE, database tools like MySQL.
29. Intelligent Traffic Management System
Design a program that analyzes traffic patterns and provides optimal routes
using algorithms like Dijkstra’s or A*. The system should handle real-time data
(mock data or APIs) and display traffic congestion levels. Adding support for
public transport schedules and ride-sharing options can expand its usability.
 Time: 20-25 hours
 Skills Required: Graph algorithms, API integration, data visualization.
 Tools/Materials Needed: C++ IDE, graph libraries, visualization tools.
30. Ball Game using OpenGL
Create a graphical ball game where the player controls a ball’s movement to
avoid obstacles or collect rewards. Use the OpenGL library for rendering
graphics and animations. Features like multiple levels, physics-based
interactions, and scoring systems can enhance gameplay.
 Time: 20-25 hours
 Skills Required: OpenGL programming, game physics, event handling.
 Tools/Materials Needed: C++ IDE, OpenGL library.
Click here to read about C++ Interview Questions & Answers
upGrad’s Exclusive Software and Tech Webinar for you –
SAAS Business – What is So Different?

How to Choose the Right C++ Project as a


Student
Selecting the right project is crucial for making the most of your learning
experience. Here are some guidelines to help you choose a C++ project that
suits your current skills and future aspirations:
 Identify Your Skill Level
Understanding your skill level is the first step in selecting a project. If you are a
beginner, it’s better to start with small and manageable projects like a simple
calculator or Tic-Tac-Toe game. For intermediate students, projects like a library
management system or a banking simulator offer more complexity. Advanced
students can take on large-scale projects like an automated stock trading
system or an intelligent traffic management system. Choosing a project that
matches your skill level ensures that the task is challenging yet achievable.
 Focus on Projects Aligned with Your Career Interests
Pick projects that resonate with your career goals. For example, if you are
interested in game development, working on a Snake game or a graphical ball
game using OpenGL can help you practice essential concepts. If you’re more
inclined toward software development or automation, consider building a system
like a file compression tool or a text editor. Aligning your project with your
interests will make the learning process more engaging and purposeful.
 Choose Projects with Scope for Learning and Creativity
While choosing a project, ensure it has enough complexity to challenge your
current knowledge and provide opportunities for creativity. Projects that allow
you to implement additional features or customize components, such as building
a password manager or a trading application, can significantly enhance your
problem-solving skills and creativity.
 Ensure the Project Can Be Completed Within Your Time Frame
Be mindful of your time constraints. If you are working on a project as part of
your academic curriculum or an internship, make sure the project can be
completed within the given time frame. It’s always better to finish a project that
is smaller but complete, than to start a more complex one and leave it
unfinished.
Click on the link to learn more about Application of C++
Why Should Students Work on C++ Projects?
Working on practical C++ projects is an invaluable part of any student's learning
journey. Not only do these projects enhance your coding skills, but they also
provide you with a deeper understanding of programming concepts and real-
world applications. Here's why students should invest time in C++ projects:
 Practical Application of Theoretical Knowledge
C++ projects help bridge the gap between theoretical concepts and their real-
world applications. While learning C++ syntax, object-oriented principles, and
algorithms in the classroom is essential, applying them in practical projects
enables students to solidify their understanding. For example, implementing a
data structure like a stack in a project allows you to see how it functions beyond
theoretical knowledge.
 Mastering Object-Oriented Programming (OOP) Concepts
C++ is an object-oriented language, and working on projects gives you an
opportunity to practice core OOP concepts like classes, inheritance,
polymorphism, and encapsulation. Whether you are building a banking system
or an e-learning management platform, you’ll need to apply these concepts to
structure your code efficiently.
 Building a Portfolio for Internships and Jobs
Projects are a great way to demonstrate your skills to potential employers.
Building a portfolio of C++ projects—especially those with clear, structured code
—can set you apart from other candidates. Having a concrete project to
showcase, such as a password manager or a trading application, helps
employers see your practical knowledge and problem-solving ability.
 Exploring Diverse Fields Like Gaming, Data Compression, and
Automation
C++ projects give students the flexibility to explore various domains like game
development, data processing, software automation, and system design.
Whether you build a simple game like Snake or work on a complex health
monitoring system, projects expose you to different fields and help you decide
which area interests you the most for future study or career paths.
Conclusion
In conclusion, C++ projects provide an excellent platform for students to apply
their theoretical knowledge in real-world scenarios. From beginner games like
Rock Paper Scissors to more complex systems like automated stock trading,
each project serves as an opportunity to practice core concepts, improve
problem-solving abilities, and gain hands-on experience.
Moreover, working on C++ projects allows students to explore diverse career
paths in fields such as game development, software engineering, and system
design. By carefully selecting projects that align with their skill levels and
interests, students can build an impressive portfolio, ultimately setting the stage
for internships and job opportunities.

How Can upGrad Help?


If you're eager to elevate your programming skills and dive deeper into the world
of coding, upGrad offers a wide range of courses designed to build your
expertise across various programming languages and domains.
From foundational programming languages like C++ and Python to advanced
topics such as Data Structures, Algorithms, Full-Stack Development, and
Artificial Intelligence, upGrad’s courses are tailored to help you excel in the tech
industry.
Additionally, if you're unsure where to start or which path aligns with your career
goals, upGrad provides free courses to explore the basics and gain hands-on
experience. For those looking for more personalized guidance, our career
counseling services and offline centers are available to help you choose the
perfect course that matches your aspirations and interests.
With upGrad, you can master the programming skills needed to stay ahead in
today’s competitive tech landscape!
Boost your career with our popular Software Engineering courses, offering
hands-on training and expert guidance to turn you into a skilled software
developer.
Explore our Popular Software Engineering Courses
Caltech CTME Cybersecurity Certificate
PG Program in Blockchain
Program

Executive PG Program in Full Stack


Cloud Engineer Bootcamp
Development

Master of Design in User Experience Software Engineering Courses


Master in-demand Software Development skills like coding, system design,
DevOps, and agile methodologies to excel in today’s competitive tech industry.
In-Demand Software Development Skills
JavaScript Courses Core Java Courses Data Structures Courses

Full stack development


Node.js Courses SQL Courses
Courses

NFT Courses DevOps Courses Big Data Courses

React.js Courses Cyber Security Courses Cloud Computing Courses

Database Design Courses Python Courses Cryptocurrency Courses

Stay informed with our widely-read Software Development articles, covering


everything from coding techniques to the latest advancements in software
engineering.
Read our Popular Articles related to Software
Why Learn to Code? How How to Install Specific Types of Inheritance in C++
Learn to Code? Version of NPM Package? What Should You Know?

Source Code:
1. Automated Stock Trading System Source Code
2. Intelligent Traffic Management System Source Code
3. Library Management System Source Code
4. Bank Management System Source Code
5. Student Database Management System Source Code
6. Sales Management System Source Code
7. Digital Calculator Source Code
8. Digital Piano Source Code
9. Rock Paper Scissors Game Source Code
10. CGPA Calculator Source Code
11. Casino Number Guessing Game Source Code
12. Simple Calculator Application Source Code
13. Login and Registration System Source Code
14. File Compression Tool Source Code
15. Address Book Source Code
16. Tic Tac Toe Game Source Code
17. Snake Game Source Code
18. Text Editor Source Code
19. Hotel Management System Source Code
20. Phonebook Application Source Code
21. Scientific Calculator Source Code
22. Bus Reservation System Source Code
23. Password Manager Source Code
24. Graphical User Interface (GUI) Calculator Source Code
25. Chat Application System Source Code
26. e-Learning Management System Source Code
27. Social Networking Platform Source Code
28. Ball Game Using OpenGL Source Code
29. Health Monitoring System Source Code
30. Trading Application Project in C++ Source Code

You might also like