ArtsAutosBooksBusinessEducationEntertainmentFamilyFashionFoodGamesGenderHealthHolidaysHomeHubPagesPersonal FinancePetsPoliticsReligionSportsTechnologyTravel

Lesson 2: Basic Variables, Calculations, and Comments in C++

Updated on November 24, 2009

2.1 Variables

One of the major parts of almost all programming languages is the variable. In C++, variables are like containers that hold a certain value. Variables have three components:

  1. Identifier (or variable name)
  2. Data type
  3. Value

The identifier of a variable is the variable's name. It's what you call it within your program.

The data type, as the phrase suggests, is the type of data that the variable can hold. For example, some variables can contain integers (e.g., 1, 2, 3), others contain characters (e.g., 'a', 'b', 'c'), some contain real numbers (e.g., 1.0, 1.4, 5.3, -2.3), some contain strings (e.g., "John", "Horse", "House", "chicken", "asdfgh123"), and as we will see in later chapters, there are many other data types that we can work with.

The value is what the variable actually holds. Sometimes the best way to understand a concept is to see an example. So, let's say we want to have a variable named numberOfDollars. Let's say we want its value to be 500. So, since we want a variable that represents the number of an item (in our case, dollars), we require an integer.

So here's what we know:

  1. Identifier : numberOfDollars
  2. Data type: int
  3. Value: 500

In C++, we write it like this:

int numberOfDollars = 500;
 

Notice the equals sign ( = ). In this case, we refer to it is the assignment operator. It takes two operands: a variable on the left side (numberOfDollars) and a value (500) on the right side.

There is another way we can assign a value to a variable that is slightly different than the example above.

int numberOfDollars;
numberOfDollars = 500;
 

Notice in this particular example, we declare the variable numberOfDollars without assigning it a value.  Then, in another statement, we assign the value 500 to the variable numberOfDollars.

In the first example, we declared the variable and assigned the variable a value all in one line.

2.2 Some Primitive Data Types

Primitive data types in C++ are built into the language itself. These data types typically represent simple character data and numbers.

You will discover in later lessons that there are more complex data types that are not built in to the C++ language itself, but rather designed and implemented by other programmers.

2.2.1 Review of Numbers

Some of the most basic data types are numbers. In C++, numbers are divided into different categories. These categories include integers, floats, and doubles.

Before we discuss what an integer is, we need to know another group of numbers known as natural numbers. Natural numbers (also known as counting numbers) are the numbers that you count with. For our purposes, we will include 0 in the natural numbers. Thus, the natural numbers are 0, 1, 2, 3, 4, ...

Integers are the natural numbers and their negatives: ... -3, -2, -1, 0, 1, 2, 3, ...

Floating point numbers, or floats are typically 4 byte (32 bit) numbers that can have a decimal point.

Doubles are typically 8 byte (64 bit) numbers that can have a decimal point.

Examples of floating points and doubles include 3.0, -4.77, -3.14159, 465.5684, and many others.

2.2.2   Int data type

In C++, integers are represented by the int data type.  Below are some examples of the int data type in action:

int counter = 0;
int boxA = 450;
int boxB;
boxB = 200;
int boxTotal = boxA + boxB;
 

Notice, as we saw earlier, you can declare a variable, and assign a value to it all in one line (as is the case with int counter = 0; and also int boxA = 450;), or you can declare a variable in one line (int boxB;), and assign a value to it in another (boxB = 200;).

Another interesting thing to notice is that you can assign a variable (such as boxTotal) the value of another variable (or variables), such as in the statement

int boxTotal = boxA + boxB;
 

In the entire code segment that we saw earlier, this would mean that boxTotal would take on the sum of boxA and boxB.  Thus, since boxA is 450, and boxB is 200, boxTotal would contain the value 650.

2.2.2   Floats and Doubles

In C++, floats and doubles are numbers that can have a decimal point.  For example, the following are examples of declaring and assigning floats and doubles.

float A = 4.5;
float B = 2.5;
double C;
C = 1.5;
double D = 2.0;
double total = C + D + 2.0;
 

Notice that, just like integers, you can assign values to floats and doubles in the same statement as their declaration, or in separate statements.  Also, just like integers, you can assign a double or float variable with the values of other variables, such as in the statement:

double total = C + D + 2.0;

In this particular example, total is being assigned the sum of C, D, and a literal double.  While C and D are variables, 2.0 is a literal.

2.2.3   Characters

Unlike numbers, characters are the most fundamental unit of written language.  In C++, we symbolize characters by surrounding them with single quotes, defined as follows:

char myChar = 'a';
char myOtherChar;
myOtherChar = 'b';
char myNumberChar = '5';
 

In these examples, myChar, myOtherChar, and myNumberChar are all character variables.  Just like integers, floats, and doubles, you can declare a character variable and assign a value all in one statement, or in separate statements.

Notice the variable myNumberChar.  The 5 inside the quotes is not recognized by C++ as being the same as the integer 5.  So the following are different:

int myNumber = 7;
char myNumChar = '7';
 

2.3 Calculations

So far, in this lesson, we have examined the basic data types that C++ offers.  In this section, we will explore performing calculations with C++.

Code Sample 2.3-1

#include <iostream>
using namespace std;

int main()
{
	int int1 = 5;
	int int2 = 10;
	int int3;

	//sum the integers
	int3 = int1 + int2;

	/* print out the sum
	of the integers */
	cout<<"The sum of "<<int1<<" and "<<
		int2<<" is "<<int3<<endl;

	//multiply the integers
	int3 = int1 * int2;

	/* print out the product
	of the integers */
	cout<<"The product of "<<int1<<" and "<<
		int2<<" is "<<int3<<endl;

	return 0;
}

Code Sample 2.3-1 shows a program that performs a couple operations with integers.

Firstly, we declare three integers:

  • int1
  • int2
  • int3

Notice that we can use the word "int" as part of the variable name. We could not, however use "int" by itself as a variable name, because it is one of the reserved words (or keywords) of the C++ programming language. Namely, the data type of integers.

Next, we sum the integers int1 and int2, and store the result in int3. Then, we print out the two integers and their result in a cout<< statement.

Farther down in the program, you see that we can reuse the int3 variable. This second time, we store the product (the result of multiplication) in the variable int3. And, like the first section, we print out the product this time.

Figure 2.3-1

Figure 2.3-1 shows the output of Code Sample 2.3-1. As you can see, none of the comments are visible. Comments are explained in the next section.

However, before we move on, I will summarize and describe the basic mathematical operations that are available with C++ :

  • Addition  (using the + symbol.  For example, 5 + 4)
  • Subtraction (using the - symbol.  For example, 5 - 2)
  • Multiplication (using the * symbol.  For example, 4 * 2)
  • Division (using the / symbol.  For example, 4 / 2)
  • Modulus (using the % symbol.  For example, 4 % 2)

Most readers are probably familiar with addition, subtraction, multiplication, and division.  However, the modulus operator, %, is probably new to many readers.

Modulus is defined as the remainder of a division problem.  For example, here are the results of a few modulus operations:

  • 5 % 2 = 1, because 5/2 = 2 with a remainder of 1
  • 3 % 5 = 3, because 3 / 5 = 0 with a remainder of 3
  • 2 % 2 = 0, because 2/2 = 1, with a remainder of 0

One might ask how this is useful.  There are many situations in which a developer may want to know if a number is even or odd.

When we explore if-statements in a later lesson, you will see that we can execute a particular segment of code if certain conditions are true.  One such condition may be "if a number num is even".  How do we test this using C++?  Easy:

if (num % 2 == 0)
{
  //do something
}
 

Again, we have not yet explored if-statements in detail, but for now, let's focus on the condition num % 2 == 0.  What we're saying here is "If num yields a remainder of zero after being divided by 2, then it is even."

2.4 Comments

 Another important aspect of programming is the use of comments.  Comments are notes that programmers write within their source code that the compiler ignores during compilation.  They are primarily used to help the programmer (or a team of programmers) to know what is going on in the code.

While higher-level languages, like C++ and Java are closer to English than lower-level programming languages, like assembly language or machine code (which we saw in Lesson 1), they are still not always perfectly understandable.  Comments allow programmers to help explain sections of code so that they will understand what they were doing when they come back to a section of code, or, as is also common, so that their programming team will understand what they were doing.

In C++, there are two different types of comments.

  • C++ style comments (also called single line comments, denoted by // )
  • C style comments (also called multi-line comments or block comments, denoted by /*   */)

C++ style comments comment out anything following the double forward slashes ( // ) for the rest of the line on which the comment occurs.

C style comments (multi-line comments) on the other hand, start with a forward slash and then an asterisk (/*), and end with the mirror image (*/).  C style comments can be used for single lines, or multiple lines.

// These are C++ style comments (single line comments).
// I can comment several lines in a row
// but I have to make sure I put 
// slashes at the beginning of each line

/* this is a multi-lined comment
which can span more than one row
*/

/* this is a C style comment, but only on one line */

The above sample shows different ways to use comments.  Comments may not seem very important now, but as your programs become larger and more complex, they become significantly more important.  It is good programming practice to use comments and take advantage of their usefulness early on so you are comfortable with them.

A simple way to practice with comments is to put your name and the date at the beginning of your programs.  For example:

 

/*
    J.P. Baugh
    November 24, 2009
*/

#include <iostream>
using namespace std;

int main()
{
   cout<<"This is a basic program"<<endl;
   return 0;
}

2.5 Summary and Conclusions

 In this lesson, we explored basic built-in data types, calculations that can be performed on data types, as well as how to use comments to your advantage.

2.6 Exercises

 1.  Write a program that declares two variables of type double.  Name these two variables:

  • number1
  • number2

Have the program store the sum of these two numbers in a third double variable:

  • sumOfNumbers

Finally, have the program print (to the console) out the sum of the two original numbers that were stored in sumOfNumbers. 

HINT:  Use the following:

cout
 
 

2.  Add comments to the program in (1) that have your name at the very top of the program.

3.  Write another program involving characters.  In this program, create a variable of type char that stores the first letter of your first name.  Finally, print the character out to the console.

working

This website uses cookies

As a user in the EEA, your approval is needed on a few things. To provide a better website experience, hubpages.com uses cookies (and other similar technologies) and may collect, process, and share personal data. Please choose which areas of our service you consent to our doing so.

For more information on managing or withdrawing consents and how we handle data, visit our Privacy Policy at: https://corp.maven.io/privacy-policy

Show Details
Necessary
HubPages Device IDThis is used to identify particular browsers or devices when the access the service, and is used for security reasons.
LoginThis is necessary to sign in to the HubPages Service.
Google RecaptchaThis is used to prevent bots and spam. (Privacy Policy)
AkismetThis is used to detect comment spam. (Privacy Policy)
HubPages Google AnalyticsThis is used to provide data on traffic to our website, all personally identifyable data is anonymized. (Privacy Policy)
HubPages Traffic PixelThis is used to collect data on traffic to articles and other pages on our site. Unless you are signed in to a HubPages account, all personally identifiable information is anonymized.
Amazon Web ServicesThis is a cloud services platform that we used to host our service. (Privacy Policy)
CloudflareThis is a cloud CDN service that we use to efficiently deliver files required for our service to operate such as javascript, cascading style sheets, images, and videos. (Privacy Policy)
Google Hosted LibrariesJavascript software libraries such as jQuery are loaded at endpoints on the googleapis.com or gstatic.com domains, for performance and efficiency reasons. (Privacy Policy)
Features
Google Custom SearchThis is feature allows you to search the site. (Privacy Policy)
Google MapsSome articles have Google Maps embedded in them. (Privacy Policy)
Google ChartsThis is used to display charts and graphs on articles and the author center. (Privacy Policy)
Google AdSense Host APIThis service allows you to sign up for or associate a Google AdSense account with HubPages, so that you can earn money from ads on your articles. No data is shared unless you engage with this feature. (Privacy Policy)
Google YouTubeSome articles have YouTube videos embedded in them. (Privacy Policy)
VimeoSome articles have Vimeo videos embedded in them. (Privacy Policy)
PaypalThis is used for a registered author who enrolls in the HubPages Earnings program and requests to be paid via PayPal. No data is shared with Paypal unless you engage with this feature. (Privacy Policy)
Facebook LoginYou can use this to streamline signing up for, or signing in to your Hubpages account. No data is shared with Facebook unless you engage with this feature. (Privacy Policy)
MavenThis supports the Maven widget and search functionality. (Privacy Policy)
Marketing
Google AdSenseThis is an ad network. (Privacy Policy)
Google DoubleClickGoogle provides ad serving technology and runs an ad network. (Privacy Policy)
Index ExchangeThis is an ad network. (Privacy Policy)
SovrnThis is an ad network. (Privacy Policy)
Facebook AdsThis is an ad network. (Privacy Policy)
Amazon Unified Ad MarketplaceThis is an ad network. (Privacy Policy)
AppNexusThis is an ad network. (Privacy Policy)
OpenxThis is an ad network. (Privacy Policy)
Rubicon ProjectThis is an ad network. (Privacy Policy)
TripleLiftThis is an ad network. (Privacy Policy)
Say MediaWe partner with Say Media to deliver ad campaigns on our sites. (Privacy Policy)
Remarketing PixelsWe may use remarketing pixels from advertising networks such as Google AdWords, Bing Ads, and Facebook in order to advertise the HubPages Service to people that have visited our sites.
Conversion Tracking PixelsWe may use conversion tracking pixels from advertising networks such as Google AdWords, Bing Ads, and Facebook in order to identify when an advertisement has successfully resulted in the desired action, such as signing up for the HubPages Service or publishing an article on the HubPages Service.
Statistics
Author Google AnalyticsThis is used to provide traffic data and reports to the authors of articles on the HubPages Service. (Privacy Policy)
ComscoreComScore is a media measurement and analytics company providing marketing data and analytics to enterprises, media and advertising agencies, and publishers. Non-consent will result in ComScore only processing obfuscated personal data. (Privacy Policy)
Amazon Tracking PixelSome articles display amazon products as part of the Amazon Affiliate program, this pixel provides traffic statistics for those products (Privacy Policy)
ClickscoThis is a data management platform studying reader behavior (Privacy Policy)