views
Writing Standard Code
Download a C++ IDE (integrated development environment) such as Eclipse, Netbeans, and CodeBlocks, or you can use a plain text editor such as Notepad++ or VIM. You can also run programs from the command line, in that case any text-editor will suffice. It might be handy to choose an editor which supports syntax highlighting and line-numbers. Most programmers find that unix-like systems (linux, OS X, BSD) are the best environments for development.
Create a main program file. The main file must include a function called main(). This is where execution of the program begins. From here, you should be calling functions, instantiating classes, etc. Other files of your application as well as libraries can be included into this file.
Begin writing your program. Insert your code or the program that you need to build (see below for a few examples). Learn the syntax, semantics, Object-Oriented Programming paradigms, data striations, algorithm designs such as linked lists, priority queues, etc. C++ is not an easy language to program in, but doing so teaches you the fundamentals that extend to all programming languages.
Insert comments in your code. Explain what your functions do and what variables are for. Choose clear names for variables and functions. Capitalize the names of global variables. In general: make sure that anyone reading your code can understand it.
Use proper indenting in your code. Again, see the examples below.
Compile your code with g++ main.cpp
Run your program by typing: ./a.out
Following Examples
Take a look at Example 1:
/* This Is A Simple Program Just To Understand The Basic OF g++ Style.
This Is A Program With g++ Compiler.*/
#include
Consider this Example 2:
/* This Program Calculates The Sum Of Two Numbers */
#include Learn from Example 3:
/* Product Of Two Numbers */
#include Take a look at Example 4:
// Looping to find a math equation. In this case, it figures out the answer to
// Question #1 on Project Euler.
#include Take a look at this example of different styles:
int main(){
int i = 0;
if(1+1==2){
i = 2;
}
}
/* This is Whitesmiths style */
int main()
{
int i;
if (1+1==2)
{
i = 2;
}
}
/* This is GNU style */
int main ()
{
int i;
if (condition)
{
i = 2;
function ();
}
}
Comments
0 comment