0% found this document useful (0 votes)
36 views50 pages

Unit I Lecture Notes - Programming in C

The document provides an overview of the C programming language, highlighting its importance, structure, and execution process. It covers fundamental concepts such as constants, variables, data types, operators, and expressions, along with sample C programs. Additionally, it explains the compilation process and the role of various components in executing a C program.

Uploaded by

yn656545
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
36 views50 pages

Unit I Lecture Notes - Programming in C

The document provides an overview of the C programming language, highlighting its importance, structure, and execution process. It covers fundamental concepts such as constants, variables, data types, operators, and expressions, along with sample C programs. Additionally, it explains the compilation process and the role of various components in executing a C program.

Uploaded by

yn656545
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 50

Programming in C

Unit I:

Overview of C: Importance of C, Sample C Program, C Program Structure, executing C


Program, Constants, Variables and Data Types: Character Set, C tokens, keywords and
identifiers, constants, variables, data types, declaration of variables, Assigning values to
variables, Assignment statement, Declaring a variable as constant, as volatile
Operators and Expression: Arithmetic, Relational, Logical, Assignment, Increment,
decrement, conditional, bitwise and special operators, arithmetic expressions, operator
precedence, type conversions, mathematical functions, Managing Input and Output
operators: Reading and writing a character, formatted input, formatted output.

1.1 Importance of C:
✓ C is a procedural language that supports structured programming.
✓ It is well suited for writing both system software and application software.
✓ C is called as a robust language , which has so many built-in functions and
Operations Which can be used to write any complex programs.
✓ C programs are efficient and fast.
✓ Generally , we use to call C as a middle level language. Because ,
the C compiler combines the capabilities of an assembly language with the features of
a high level language. Therefore , it is best for writing both system software and
Business packages.
✓ C program is basically a collection of functions that are supported by C library.
✓ C is highly portable , that is C programs written on one computer can be run on
another with little or no modification.
✓ It has the ability to extend itself.
✓ There are 32 keywords in ANSI C and it’s strength lies in its built in functions.
Several standard functions are available which are used for developing programs
✓ A proper collection of these modules would make a complete program. This modular

1
Structure makes program debugging, testing and maintainable easier.
✓ C supports low level features like bit level programming and direct access to memory
GENERAL FORMAT OF C :
/* documentation section */
Processor directives
global declaration
main ( )
{
local declaration
executable statements
}
returntype function name (argument list)
{
local declaration
executable statements
}
Example :
#include<stdio.h>
void main()
{
//Syntax for addition (function has int because we are returning values for function//
int sum();
int add;
add = sum();
printf("Addition of two numbers is : %d",add);
}
int sum()
{
//Declaring actual parameters//
int a,b,add;
//Reading User I/p//

2
printf("Enter a,b :");
scanf("%d,%d",&a,&b);
//Addition operation//
add=a+b;
//Returning value//
return add;
}
Output:
Enter a,b :4,6
Addition of two numbers is : 10

1.2 SAMPLE C PROGRAM


C "Hello, World!" Program
#include <stdio.h>
int main()
{
// printf() displays the string inside quotation printf("Hello, World!");
return 0;
}
Output:
Hello, world!

C Program to Print an Integer (Entered by the User)


#include <stdio.h>
Int main()
{
Int number;
Printf(“Enter an integer: “);
// reads and stores input
Scanf(“%d”, &number)
// displays output

3
Printf(“You entered: %d”, number);
Return 0;
}
Output:
Enter the integer: 25
You entered: 25
C Program to Add Two Integers
#include <stdio.h>
int main()
{
int number1, number2, sum;
printf("Enter two integers: ");
scanf("%d %d", &number1, &number2);
// calculate the sum
sum = number1 + number2;
printf("%d + %d = %d", number1, number2, sum); return 0;
}
Output:
Enter two integers: 12 11 12 + 11 = 23
C Program to Check Whether a Number is Even or Odd
#include <stdio.h>
int main()
{
int num;
printf("Enter an integer: ");
scanf("%d", &num);
// true if num is perfectly divisible by 2
if(num % 2 == 0)
printf("%d is even.", num);
else
printf("%d is odd.", num);

4
return 0;
}
Output :
Enter an integer: -7
-7 is odd.

1.3 C PROGRAM STRUCTURE


The structure of a C program means the specific structure to start the programming in the C
language. Without a proper structure, it becomes difficult to analyze the problem and the solution.
It also gives us a reference to write more complex programs.
A C program may contain one or more sections:

Documentation section:

5
This section consists of the description of the program, the name of the program, and the
creation date and time of the program. It is specified at the start of the program in the form of
comments. Documentation can be represented as: // description, name of the program,
programmer name, date, time etc.
Or
/*
description, name of the program, programmer name, date, time etc.
*/
Anything written as comments will be treated as documentation of the program and this will not
interfere with the given code. Basically, it gives an overview to the reader of the program.
Link Section or preprocessor section:
All the header files of the program will be declared in the preprocessor or link section of the
program. Header files help us to access other’s improved code into our code. A copy of these
multiple files is inserted into our program before the process of compilation.
Example:
#include<stdio.h>
#include<math.h>

Definition section:
Preprocessors are the programs that process our source code before the process of compilation.
There are multiple steps which are involved in the writing and execution of the program.
Preprocessor directives start with the ‘#’ symbol. The #define preprocessor is used to create a
constant throughout the program. Whenever this name is encountered by the compiler, it is
replaced by the actual piece of defined code.
The define section comprises of different constants declared using the define keyword. It is given
by:
Example:
1.#define a = 2
2.#define BORN 2000

6
Global Declaration:
The global declaration section contains global variables, function declaration, and static
variables. Variables and functions which are declared in this scope can be used anywhere in the
program.
Example:
int num = 18;
Main() Function:
Every C program must have a main function. The main() function of the program is written in
this section. Operations like declaration and execution are performed inside the curly braces of the
main program. The return type of the main() function can be int as well as void too. void() main
tells the compiler that the program will not return any value. The int main() tells the compiler that
the program will return an integer value.
Example:
1. void main()
or
2. int main()
Sub Programs:
User-defined functions are called in this section of the program. The control of the program is
shifted to the called function whenever they are called from the main or outside the main()
function. These are specified as per the requirements of the programmer.
Example: 1. int sum(int x, int y)
{
return x+y;
}
3. int age(int current)
{
return current - BORN;
}

7
1.4 EXECUTING C PROGRAM :
Here we will see how the C programs are executed in a system. This is basically the compilation
process of a C program. The following diagram will show how a C Source Code can be executed.
In the above diagram there are different steps –

C Code − This is the code that you have written. This code is sent to the Preprocessors section.
Preprocessing − In this section the preprocessor files are attached with our code. We have use
different header files like stdio.h, math.h etc. These files are attached with the C Source code and
the final C Source generates. (‘#include’, ‘#define’ These are Preprocessor Directives.)
Compile− After generating the preprocessed source code, it moves to the compiler and the
compiler generates the assembly level code after compiling the whole program.
Assembler − This part takes the assembly level language from compiler and generates the Object
code, this code is quite similar to the machine code (set of binary digits).

8
Linker − Linker is another important part of the compilation process. It takes the object code and
link it with other library files, these library files are not the part of our code, but it helps to execute
the total program. After linking the Linker generates the final Machine code which is ready to
execute.
Loader − A program, will not be executed until it is not loaded in to Primary memory. Loader
helps to load the machine code to RAM and helps to execute it. While executing the program is
named as Process. So process is (Program in execution).

1.5 CONSTANT,VARIABLE AND DATA TYPE


1.5.1 CHARACTER SET
The character that can be used to form words, number and expression depend upon the
computer on which the program is run . However ,a subset of character is available that can be
used personal ,micro ,mini and mainframe computer. The character in C are grouped into the
follow in categories:
1. Letters
2. Digits
3. Special character
4. White space
The entire character set is given in fig.
The compiler ignore white space unless they are a part of a string constant. White space may be
used to separate words but are prohibited between the character of keywords and identifiers.
TRIGRAPH CHARACTERS
Many non- English keywords do not support all the characters. ANSI introduce the concept of
“trigraph” sequence to provide a way to enter certain characters that are not available on some
keywords. Each trigraph sequence consists of three characters (two question marks followed by
another character). For example , if a keyboard does not support square brackets, we can still use
them in a program using the trigraph ??(and??).
C Character Set
Digits
All decimal digits
0….9

9
LETTER
Uppercase A …..Z
Lowercase a……z
WHITE SPACE
1. Black space
2. Horizontal tab
3. Carriage return
4. New line
5. Form feed
ANSI C trigraph sequence

SPECIAL CHARACTER
1.5.2 C Tokens:

10
1. C tokens are the fundamental elements in the C programming language used to construct
programs.
2. Keywords, identifiers, constants, strings, operators, and special characters are the six types of
tokens in C.
3. Keywords are predefined reserved words with specific meanings in the language, such as "if,"
"else," "while," etc.
4. Identifiers are user-defined names used to represent variables, functions, and other entities in
the program.
5. Constants represent fixed values, including integer constants like 42 or character constants like
'A'.
6. Strings are sequences of characters enclosed in double quotes, used to represent text data.
7. Operators are symbols that perform various operations on data, such as arithmetic (+, -, *, /),
logical (&&, ||), and relational (==, <, >) operations.
8. Special characters like semicolons, commas, and parentheses serve specific syntactical purposes
in C programming.
1.5.3 KEYWORDS & IDENTIFIERS:
Keyword is a pre-defined word. There are total 32 keywords in C.
Examples:
int, char, if, while, do, class etc.
C KEYWORDS:
auto, double, int, struct, break, else, long, switch,
case, enum , register, typedef,
char, extern, return, union,
IDENTIFIERS: continue, for, signed, void,
The identifier is a user-defined word.
do, if , static, It must be written in a lowercase letter.
while,
Examples:
default, goto, sizeof, volatile,
RULES FOR NAMING IDENTIFIERS:
const, float short, unsigned.
• A valid identifier can have letters (both uppercase and lowercase letters), digits and underscores.
• The first letter of an identifier should be either a letter or an underscore.
• You cannot use keywords like int, while etc. as identifiers.
• There is no rule on how long an identifier can be. However, you may run into problems in some
compilers if the identifier is longer than 31 character

11
1.5.4 Constants
Constant in c refer to fixed values that do not change during the execution of the program.
Basic type of c constants
Integer constant
An integer constant refers to sequence of digits. A data type that is represented by cons int.
There are three types of integers namely:
(1)Decimal integer
(2)Octal integer
(3)Hexa Decimal integer
1.Decimal Integer: Decimal integers consists of a set of digits,0 to 9,preceded by an optional - or
+ sign.
Eg)decimal constants- 123 –321 0 654321 + 78
Embedded spaces, and non digit characters are not permitted between digits.
2.Octal Integers: An Octal integer constant consists of any combination of digits from the set 0
to 7,with a leading zero.
Eg)037 0 0435 0551
3.Hexa decimal Integer: Hexa decimal integer is a sequence of digits preceded by 0x or 0X. They
may also include alphabets A through F or a through f. The letter A through F represent the
numbers 10 through 15.
Eg)0X2 0x9F 0Xbcd 0x
Qualifiers
The largest integer value that can be stored is machine- dependent. It is 32767 on 16-bit machines
and 2,147,483,647On 32-bit machines.
It is also possible to store larger integer constants on these machines by appending qualifiers such
as U,L and UL to the constants.
Eg)56789U or 56789u(unsigned integer) 987612347UL or
98761234ul(unsigned long integer)
9876543L or 9876543l(long integer)
Example of integer constants
Real Constants

12
A real constant (or floating point) refers to combination of whole number followed by a decimal
point and the fractional part e.g 0.083, 0.45.
• A real number may also be represented in exponential( or scientific) notation. e.g. 145.67 may
be represented as 1.4567e2. Here e2 stands for multiply by 102 .
• The general form is mantissa e exponent. The mantissa is a either a real number expressed in
decimal notation or an
integer. The exponent is a integer number with an optional plus or minus sign. The letter e
separating the mantissa and the exponent can be written in either lowercase or uppercase.
• Exponential notations is useful for representing numbers that are either very large or very small
in magnitude.
Example: 0.000342 can be represented in exponential form as 3.42e-4, 7500000000 can be
represented in exponential form as 7.5e9 or 75E8.
Example of numeric constants:
Single Character Constants
• A single character constant contains a single character enclosed within a pair of single quotation
marks. e.g. ‘5’, ‘.’, ‘’.
• Character constants have integer values known as ASCII values
For example,
printf("%d", `a');
would print 97, the ASCII value of the letter 8a9. Similarly,
printf("%c", 97);
would print 8a9.
String Constants
A string constant is a sequence of characters enclosed within a pair of double quotation marks.
The characters may be letters, special characters or blank space. e.g. “India”, “Good Morning”.
Backslash Character Constants
C has many backslash character constants that are used in output functions.
Component Meaning
\a9 audible alert (bell)
\b9 backspace
\f9 form feed

13
\n9 new line
\r9 carriage return
\t9 horizontal tab
\v9 vertical tab
\= single quote
\=9 double quote
\?9 question mark
\\9 backslash
‘\0’ null
1.5.6 Variables
A variable is nothing but a name given to a storage area that our programs can manipulate. Each
variable in C has a specific type, which determines the size and layout of the variable's memory;
the range of values that can be stored within that memory; and the set of operations that can be
applied to the variable. The name of a variable can be composed of letters, digits, and the
underscore character. It must begin with either a letter or an underscore. Upper and lowercase
letters are distinct because C is case-sensitive. Based on the basic types explained in the previous
chapter, there will be the following basic variable types –
S.NO TYPES & DESCRIPTION
1 char
Typically a single octet(one byte). It is an integer type.
2 Int
The most natural size of integer for the machine
3 float
A single-precision floating point value.

4 double
A double-precision floating point value
5 void
Represents the absence of type

14
C programming language also allows to define various other types of variables, which we will
cover in subsequent chapters like Enumeration, Pointer, Array, Structure, Union, etc. For this
chapter, let us study only basic variable types
Variable Definition in C
A variable definition tells the compiler where and how much storage to create for the variable.
A variable definition specifies a data type and contains a list of one or more variables of that type
as follows − type variable_list:
Here, type must be a valid C data type including char, w_char, int, float, double, bool, or any user-
defined object; and variable_list may consist of one or more identifier names separated by commas.
Some valid declarations are shown here –
int i, j, k;
char c, ch;
float f, salary;
double d;
The line int i, j, k; declares and defines the variables i, j, and k; which instruct the compiler to
create variables named i, j and k of type int.
Variables can be initialized (assigned an initial value) in their declaration. The initializer consists
of an equal sign followed by a constant expression as follows –
type variable_name = value;
Some examples are – extern
int d = 3, f = 5; // declaration of d and f.
int d = 3, f = 5; // definition and initializing d and f. byte z = 22; // definition and
initializes z. char x = 'x'; // the variable x has the value 'x'.
For definition without an initializer: variables with static storage duration are implicitly initialized
with NULL (all bytes have the value 0); the initial value of all other variables are undefined.
1.6 DATA TYPES
A data type specifies the type of data that a variable can store such as integer, floating,
character, etc. There are the following data types in C language.

15
BASIC DATA TYPES: • The basic data types are integer-based and floating-point based
. • C language supports both signed and unsigned literals
• The memory size of the basic data types may change according to 32 or 64-bit operating system.
INTEGER TYPE

Char type

16
FLOATING POINT TYPE

DERIVED DATA TYPE


Data types that are derived from fundamental data types are called derived data types.
Derived data types do not create new data types. Instead, they add some functionality to the
existing data types.
Derived data types are derived from the primitive data types by adding some extra
relationships with the various elements of the primary data types. The derived data type can be
used to represent a single value or multiple values.
Given below are the various derived data types used in C:
• Arrays: An array is an ordered sequence of finite data items of the same data type that share a
common name.
• pointers: A pointer is a special type of variable used to hold the address of another variable.
• Functions: A function is a self-contained block of one or more statements with a name

17
. • Structures: A structure is a collection of different data type items stored in a contiguous memory
allocation.
• Unions: A union is similar to a structure where the memory allocated to the largest data type is
reused for other types in the group.

USER DEFINED DATA TYPES


TYPEDEF:
The keyword typedef is used to create a new name (alias) for an existing data type. It does not
create a new data type.
The syntax of using typedef is as follows: typedef <existing_name> <alias_name>
Let’s understand through a simple example
1. #include <stdio.h>
2. int main()
3. {
4. typedef unsigned int unit;
5. unit i,j;
6. i=10;
7. j=20;
8. printf("Value of i is :%d",i);
9. printf("\nValue of j is :%d",j);
10. return 0;
11. }
Output
Value of i is :10
Value of j is :20
Enum(enumerated)
The enum in C is also known as the enumerated type. It is a user-defined data type that consists of
integer values, and it provides meaningful names to these values. The use of enum in C makes the
program easy to understand and maintain. The enum is defined by using the enum keyword.

18
The syntax of enumerated
enum flag{integer_const1, integer_const2,..... integter_constant);
For example
enum fruits{mango, apple, strawberry, papaya};
The default value of mango is 0, apple is 1, strawberry is 2, and papaya is 3. If we want to change
these default values, then we can do as given below:
1. enum fruits{
2. mango=2,
3. apple=1,
4. strawberry=5,
5. papaya=7,
6. };
1.7 Assigning values to variables
1. The first time a variable is assigned a value, it is said to be initialised.
2. The symbol " = " is known as the assignment operator.The assignment operator is used to assign
the value, variable and function to another variable.
Example: int a; a=7;
3. In the aforementioned statement the variable 'a' is assigned with the value '7'. It's called as
"Assignment statement".
4. An assignment statement contains a variable and the value that assigned with the variable.
5. The right hand side of the assignment statement can be a constant, another variable or an
expression.
6.The various types of the assignment operators are =, +=, -=, /=, *= and %=.
7.Example program for the Assignment Operators: #include <stdio.h>
#include <conio.h>
int main ()
{
// initialize variables
int n1, n2, c, x, y;
n1 = 5;
n2 = n1;

19
c = n1 + n2;
x = 20 / 4 * 2 + 5;
printf (" \n The value of n1: %d", n1);
printf (" \n The value of n2: %d", n2);
printf (" \n The value of c: %d", c);
printf (" \n The value of x: %d", x);
return 0;
}
1.8 DECLARING A VARIABLE AS CONSTANT
Variables can be declared as constants by using the “const” keyword before the datatype of the
variable. The constant variables can be initialized once only. The default value of constant
variables are zero.
Syntax:
Const into class_size=40;
Example:
#include<studio.h>
Int main()
{
Const int a;
Const int b=12;
Printf(“The default value of variable a:”);
Printf(“The value of variable b:”);
Return 0;
}
Output:
The default value of variable a : 0
The value of variable b : 12
Declaring a variable as volatile
volatile is a keyword that must be used when declaring any variable that will reference a device
register. If this is not done, the compiletime optimizer might optimize important accesses away.
This is important; neglecting to use volatile can result in bugs that are difficult to track down.

20
Syntax:
Volatile into date;
We may declare the variable as both const and volatile as shown below:
Volatile const int location=100;
1.9 Operators and Expression:
ARITHMETIC EXPRESSION
An Arithmetic Expression is combination of operators and also Arithmetic Operation.
"Arithmetic expressions are used as operands of certain conditional and arithmetic statements.
An arithmetic expression can consist of any of the following items:
1. An identifier described as a numeric elementary item (including numeric functions)
2. A numeric literal
3.The figurative constant ZERO Identifiers and literals, as defined in items 1, 2, and 3, separated
by arithmetic operators
4.Two arithmetic expressions, as defined in items 1, 2, 3, or 4, separated by an arithmetic operator
5.An arithmetic expression, as defined in items 1, 2, 3, 4, or 5, enclosed in parentheses
6.Any arithmetic expression can be preceded by a unary operator.
Identifiers and literals that appear in arithmetic expressions must represent either numeric
elementary items or numeric literals on which arithmetic can be performed".
Types of Arithmetic expression:
★Addition
★ Subtraction
★Multiplication
★Division
Rule of Arithmetic expression:
An Arithmetic expression must not begin with a binary operator and it must not contains two
binary operators in succession.
Example:
Program to arithmetic Expression
# include<studio.h>
int main ();

21
{
int a,b,c,d,e,f;
printf("enter the value of a,b");
scanf("%d",&a,&b);
c=a+b;
d=a-b;
e=a*b;
f=a/b;
printf("\n sum is % d",c);
printf("\n difference is % d",d);
printf("\n multiple is % d",e);
printf("\n quotient is % d",f);
return 0;
}
Output
enter the value of a,b 10 2
sum is 12
difference is 8
multiple is 20
quotient is 5
Relational operator :
A Relational operator is a Programming language constructor operator that tests or defines some
kind of relation between two entities. These include numerical equal it y( e. g. ,5=5)and
inequalities( e. g. , 4≥3) .
( an expression such as a<bor1<20containing a Relation operator is teamed as a relational
expression.The value of relation expression is either one or zero.It is one if the specified relation
is true and zero if the relationis false)
/
C support six relation operators in al l .
Relat ional operators are used in decision making and
Loops.

22
Operator Meaning of Operator
== Equal t o
> Greater than
< Less than
!= Not equal t o
>= Greater than or equal t o
<= Less than or equal t o
Example:
#include<stdio. h>
int main( )
{
int p=9;
int b=4;
printf ( “ p>q: %d\ n” , p>q) ;
printf( “ p>=q: %d\ n” , p>=q) ;
printf ( “ p<=q: %d\ n” , p<=q) ;
printf ( “ p<q: %d\ n” , p<q) ;
printf( “ p==q: %d\ n” , p==q) ;
printf( “ p! =q: %d\ n” , p! =q) ;
}
The output generated here would be:
p>q: 1
p>=q: 1
p<=q: 0
p<q: 0
p==q: 0
p! =q:
Logical Operator
Role of logical operator in c programming Combine logical operators with one or more
multiple conditions to create a logical expression. The logical operator evaluate the logical
expression and return a result . There are three logical operator in c programming ;

23
✓ AND(&&)
✓ OR(||)
✓ NOT(!)
1. LOGICAL AND OPERATOR ;
The && operator tests whether two conditions are true simultaneously. It returns true if
both conditions are true and false otherwise.
FIRST OPERAND SECOND OPERAND THIRD OPERAND
TRUE TRUE TRUE
TRUE FALSE FALSE
FALSE TRUE FALSE
FALSE FALSE FALSE

NOTE;
When the first operand is false the second operand is not evaluated
Example ;
#include <stdio.h>
int main()
{
int x = -2, y = 16;
if (x > 0 || y > 0)
{
printf("Any of the given values is larger than 0\n");
}
else
{
printf("Both values are less than 0\n");
}
return 0;
}
Output :
Both values are greater than 0

24
In this example, the "&&" operator tests whether both x and y are greater than zero.
Since both conditions are true, the message "Both x and y are positive" will be printed to
the console.
2. LOGICAL OR OPERATOR ;
The "||" operator tests whether at least one of two
conditions is true. It returns true if either of the conditions is true, and false if both are
false.
FIRST OPERANDS SECOND OPERANDS THIRD OPERANDS
TRUE TRUE TRUE
TRUE FALSE TRUE
FALSE TRUE TRUE
FALSE FALSE FALSE
NOTE:
With the OR || operator if the first operand is true then the second operator is not evaluate.
EXAMPLE;
#include <stdio.h>
int main()
{
int x = -2, y = 16;
if (x > 0 || y > 0)
{
printf("Any of the given values is larger than 0\n");
}
else
{
printf("Both values are less than 0\n");
}
return 0;
}
OUTPUT;
Any of the given values is greater than 0

25
In this example, the "||" operator tests whether either x or y is greater than zero. Since y is greater
than zero, the message " Any of the given values is larger than 0" will be printed to the console.
LOGICAL NOT OPERATOR; The "!" operator, also
known as the logical NOT operator, reverses the truth value of a condition. It returns true if the
condition is false, and false if the condition is true.
OPERAND RESULT
TURE FALSE
FALSE TRUE
EXAMPLE;
#include <stdio.h>
#include <math.h>
int main ()
{
int p = 8;
printf (" The return value = %d \n", ! (p == 8)); printf (" The return value = %d \n", ! (p !=
8)); printf (" The return value = %d \n", ! (p >= 4)); printf (" The return value = %d \n",
! (p < 4)); return 0;
}
OUTPUT;
The return value = 0
The return value = 1
The return value = 0
The return value = 1
In this example, the "!" operator is used to show the utilization of NOT operator.
Logical operators can also be used with other data types, such as char, float, and double. However,
it's important to note that logical operators only work with boolean expressions, which are
expressions that evaluate to either true or false.
ASSIGNMENT OPERATOR IN C
DEFINITION :
Theassignmentoperatorisusedtoassignthevalue,variableandfunctiontoanothervariable.
thevarioustypesoftheassignmentoperatorssuchas=,+=,-=,/=,*=,%=,<<=,>>=,&==,|== and^=

26
Example
Try the following example to understand all the assignment operators available in C −
Live Demo
#include <stdio.h>

main() {

int a = 21;

27
int c ;

c = a;
printf("Line 1 - = Operator Example, Value of c = %d\n", c );

c += a;
printf("Line 2 - += Operator Example, Value of c = %d\n", c );

c -= a;
printf("Line 3 - -= Operator Example, Value of c = %d\n", c );

c *= a;
printf("Line 4 - *= Operator Example, Value of c = %d\n", c );

c /= a;
printf("Line 5 - /= Operator Example, Value of c = %d\n", c );

c = 200;
c %= a;
printf("Line 6 - %= Operator Example, Value of c = %d\n", c );

c <<= 2;
printf("Line 7 - <<= Operator Example, Value of c = %d\n", c );

c >>= 2;
printf("Line 8 - >>= Operator Example, Value of c = %d\n", c );

c &= 2;
printf("Line 9 - &= Operator Example, Value of c = %d\n", c );

c ^= 2;

28
printf("Line 10 - ^= Operator Example, Value of c = %d\n", c );

c |= 2;
printf("Line 11 - |= Operator Example, Value of c = %d\n", c );
}
When you compile and execute the above program, it produces the following result −
Line 1 - = Operator Example, Value of c = 21
Line 2 - += Operator Example, Value of c = 42
Line 3 - -= Operator Example, Value of c = 21
Line 4 - *= Operator Example, Value of c = 441
Line 5 - /= Operator Example, Value of c = 21
Line 6 - %= Operator Example, Value of c = 11
Line 7 - <<= Operator Example, Value of c = 44
Line 8 - >>= Operator Example, Value of c = 11
Line 9 - &= Operator Example, Value of c = 2
Line 10 - ^= Operator Example, Value of c = 0
Line 11 - |= Operator Example, Value of c = 2

INCREMENT OPERATION :
The increment ( ++ ) operator in C is unary operators for incrementing the numeric values by 1
respectively. The incrementation is one of the most frequently used operations in programming for
looping, array traversal, pointer arithmetic, and many more.

The increment operator has prefix and postfix applications, and the difference between them.
Increment Operator in C :
The increment operator ( ++ ) is used to increment the value of a variable in an expression by 1. It
can be used on variables of the numeric type such as integer, float, character, pointers, etc.
Syntax of Increment Operator :
Increment Operator can be used in two ways which are as follows:
// AS PREFIX
++x

29
// AS POSTFIX
X++
Where x is variable
1.PRE-INCREMENT :
In pre-increment, the increment operator is used as the prefix. Also known as prefix increment, the
value is incremented first according to the precedence and then the less priority operations are
done.
EXAMPLE
Result = ++var1;
The above expression can be expanded as
Var = var + 1;
Result = var;
2. Post-Increment :
In post-increment, the increment operator is used as the suffix of the operand. The increment
operation is performed after all the other operations are done. It is also known as postfix increment.
EXAMPLE
Result = var1++;
The above expression is equivalent
Result = var;
Var = var + 1;
Example of Increment Operator
// C Program to illustrate the increment of both type
#include <stdio.h>
Void increment()
{
Int a = 5;
Int b = 5;

// PREFIX
Int prefix = ++a;
Printf(“Prefix Increment: %d\n”, prefix);

30
// POSTFIX
Int postfix = b++;
Printf(“Postfix Increment: %d”, postfix);
}

// Driver code
Int main()
{
Increment();

Return 0;

Output
Prefix Increment: 6
Postfix Increment: 5

C allows two useful operators not generally found in other languages.


rators namely increment and decrement operators.
--a means subtracts 1 to the operand.
--m; or m—
--m is equivalent to m = m-1

ensively.
--) is used with a variable in an expression, the expression is evaluated first using
the original value of the variable and then the variable is decremented by one.
--) is used in an expression, the variable is decremented first and then the
expression is evaluated using the new value of the variable.

Decrement operators are classified into Pre decrement and post decrement

31
Programs:
//pre decrement
#include <stdio.h>
#include <conio.h>
int main()
{
int x,y,z;
clrscr( );
printf("enter the value of x:");
scanf("%d",&x);
printf("enter the value of y:");
scanf("%d",&y);
printf("enter the value of z:");
scanf("%d",&z);
--x;
--y;
--z;
printf("\n enter the updated value of x:%d",x);
printf("\n enter the updated value of y:%d",y);
printf("\n enter the updated value of z:%d",z);
getch( );
}
Output:
enter the value x:10
enter the value y:11
enter the value z:12
enter the updated value x:9
enter the updated value y:10
enter the updated value z:11
//post decrement
#include <stdio.h>

32
#include <conio.h> int
main()
{ int x,y,z;
clrscr( );
printf("enter the value of x");
scanf("%d",&x);
printf("enter the value of y");
scanf("%d",&y);
printf("enter the value of z");
scanf("%d",&z);
x--;
y-;
z--;
printf("\n enter the updated value of x:%d",x);
printf("\n enter the updated value of y:%d",y);
printf("\n enter the updated value of z:%d",z);
getch( );
}

Output:
enter the value x:20
enter the value y:21
enter the value z:22
enter the updated value x:19
enter the updated value y:20
enter the updated value z:2
CONDITIONAL OPERATOR
The conditional operator is a single programming statement and can only perform one operation.
The if-else statement is a block statement, you can group multiple statements using a parenthesis.
The conditional operator can return a value and so can be used for performing assignment
operations.

33
SYNTAX
1. #include <stdio.h>
2. int main()
3. {
4. int age;
// variable declaration
5. printf("Enter your age");
6. scanf("%d",&age);
// taking user input for age variable
7. (age>=18)? (printf("eligible for voting")) : (printf("not eligible for voting"));
/ / conditional operator
8. return 0;
9. }
OUTPUT:
Enter your age:17
Your are not eligible to vote
Bitwise And Special Operators In C:
1. Bitwise Operators: In C, bitwise operators manipulate individual bits of data instead of whole
values. The bitwise operators include AND (&), OR (|), XOR (^), NOT (~), left shift (<<), and
right shift (>>).
2. Bitwise AND (&): Performs a bitwise AND operation between two integers, setting a bit to 1
only if the corresponding bits are 1 in both operands.

34
3. Bitwise OR (|): Performs a bitwise OR operation between two integers, setting a bit to 1 if either
of the corresponding bits is 1 in the operands.
4. Bitwise XOR (^): Performs a bitwise XOR operation between two integers, setting a bit to 1 if
the corresponding bits differ in the operands.
5. Bitwise NOT (~): Performs a bitwise NOT operation, inverting all the bits in the operand, i.e.,
0 becomes 1 and vice versa.
6. Left Shift (<<): Moves all the bits of the left operand to the left by a specified number of
positions, effectively multiplying the number by 2 raised to the power of the shift count.
7. Right Shift (>>): Moves all the bits of the left operand to the right by a specified number of
positions. For positive numbers, it behaves like integer division by 2 raised to the power of the
shift count.
8. Special Operators: C has some special operators, including the ternary operator (?:) and the
comma operator (,).
9. Ternary Operator (?:): The ternary operator is a compact form of an if-else statement. It evaluates
a condition and returns one of two expressions based on whether the condition is true or false.
10. Comma Operator (,): The comma operator evaluates multiple expressions sequentially and
returns the value of the last expression. It is often used to combine multiple statements into a single
expression.
Remember to use these operators with caution, as bit manipulation can be error-prone and might
lead to unexpected results if not used properly.
1.10 TYPE CONVERSION
Sometimes, you have to convert the value of one data type to another type. This is known as type
conversion.
For example, if you try to divide two integers, 5 by 2, you would expect the result to be 2.5. But
since we are working with integers (and not floating-point values), the following example will just
output 2:
Example
int x = 5;
int y = 2;
int sum = 5 / 2;
printf("%d", sum); // Outputs 2

35
To get the right result, you need to know how type conversion works.
There are two types of conversion in C:
Implicit Conversion (automatically)
Explicit Conversion (manually)
Implicit Conversion
Implicit conversion is done automatically by the compiler when you assign a value of one type to
another For example, if you assign an int value to a
float type:
Example
17 Automatic conversion: int to
float
float myFloat = 9
;
printf("%f", myFloat); // 9.000000
As you can see, the compiler automatically
converts the int value 9 to a float value of
9.000000 This can be risky, as you might lose contro specific values in certain situations.
Especially if it was the other way around-the
following example automatically converts the
float value 9.99 to an int value of 9:
Example
// Automatic conversion: float to
int
int my Int = 9.99;
printf("%d", myInt); // 9
What happened to .99? We might want that
data in our program! So be careful. It is
important that you know how the compiler work
In these situations, to avoid unexpected results.

36
As another example, if you divide two integers: 5 by 2, you know that the sum is 2.5. And as you
know from the beginning of this page, if you store the sum as an integer, the result will only
display the number 2. Therefore, it would be better to store the sum as a float or a
double.right?
Example
float sum = 5 / 2;

printf("%f", sum); // 2.000080


Why is the result 2.00000 and not 2.5? Well, it is because 5 and 2 are still integers in the
division. In this case, you need to manually
convert the integer values to floating-point values. (see below).
Explicit Conversion
Explicit conversion is done manually by placing
the type in parentheses () in front of the value. Considering our problem from the example above,
we can now get the right result.
Example
1 Manual conversion: int to float float sum = (float) 5 / 2;
printf("%f", sum); // 2.500000
You can also place the type in front of a variable:
Example
int numl = 5;
int num2= 2; float sum
= (float) num1 / num2;
printf("%f", sum); // 2.500000
And since you learned about "decimal precision In the previous chapter, you could make the
output even cleaner by removing the extra zeros (if you like):
Example
int numi = 5; int num2 = 2;
float sum = (float) numl / num2;
printf("%.1f", sum); // 2.5a
1.11 OPERATOR PRECEDENCE:

37
expression is evaluated. Certain operators have higher precedence than others; for example, the
multiplication operator has a higher precedence than the addition operator.”

an expression. Associativity, on the other hand, defines the order in which the operators of the
same precedence will be evaluated in an expression. Also, associativity can occur from either
right to left or left to right
Use of the Operator Precedence and Associativity in C
rs that are used for operators in an
expression for determining the order of sub-expressions when they do not have brackets.
Operator Precedence

evaluated first in case the expression consists of more than a single operator.
Example ,
50 – 2 * 15 is going to yield 20. It is because it gets evaluated as 50 – (2 * 15), and not as (50 –
2) * 15. The reason here is that subtraction (-) has lower precedence as compared to
multiplication (*).
Operator Associativity

present in the same expression.


Example ,
The precedence of Division and Multiplication arithmetic operators is the same. So, let’s say we
have an expression with us which is 6 * 3 / 20. The evaluation of this expression would be (6 *
3) / 20 because the associativity will be left to right for both the operators – multiplication and
division. In a similar case, the calculation of 40 / 4 * 5 would be (40 / 4) * 5 because the
associativity would be from right to left here as well.
Summary of Operator Precedence and Associativity in C

38
Practice Problems on Operator Precedence and Associativity in C

39
1. What would be the output/result obtained from this program?
int main()
{
int x = 5, y = 10;
int z;
z = x * 2 + y;
printf(“\n output = %d”, z);
return 0;
}
A. 0
B. 5
C. 20
D. 12
Answer – C. 20
Example
Try the following example to understand operator precedence in C −
#include <stdio.h>
main()
{
int a = 20;
int b = 10;
int c = 15;
int d = 5;
int e;
e = (a + b) * c / d; // ( 30 * 15 ) / 5 printf("Value of (a + b) * c / d is : %d\n", e );
e = ((a + b) * c) / d; // (30 * 15 ) / 5 printf("Value of ((a + b) * c) / d is : %d\n" , e );
e = (a + b) * (c / d); // (30) * (15/5) printf("Value of (a + b) * (c / d) is : %d\n", e );
e = a + (b * c) / d; // 20 + (150/5) printf("Value of a + (b * c) / d is : %d\n" , e );
return 0;
}
When you compile and execute the above program, it produces the following result −

40
Value of (a + b) * c / d is : 90
Value of ((a + b) * c) / d is : 90
Value of (a + b) * (c / d) is : 90
Value of a + (b * c) / d is : 50
1.12 Mathematical Functions
ou to perform mathematical tasks
on numbers.
To use them, you must include the math.h header file in your program:
#include <math.h>
Square Root

umber upwards to its nearest integer, and the floor() method


rounds a number downwards to its nearest integer, and returns the result Power

x
to the power of
y
(xy)
Other Math Functions
math functions (from the <math.h> library) can be found in the table
below
FUNCTION DESCRIPTION
abs(x) Returns the absolute value of
acos(x) Returns the arccosine of x
asin(x) Returns the arcsine of x
atan(x) Returns the arctangent of x
cbrt(x) Returns the cube root of x
cos(x) Returns the cosine of x
exp(x) Returns the value of E
sin(x) Returns the sine of x (x is in radians)

41
tan(x) Returns the tangent of an angle

1.13 TYPE CONVERSION


Sometimes, you have to convert the value of one data type to another type. This is known as type
conversion.
For example, if you try to divide two integers, 5 by 2, you would expect the result to be 2.5. But
since we are working with integers (and not floating-point values), the following example will
just output 2:
Example
int x = 5;
int y = 2;
int sum = 5 / 2;
printf("%d", sum); // Outputs 2
To get the right result, you need to know how type conversion works.
There are two types of conversion in C:
Implicit Conversion (automatically)
Explicit Conversion (manually)
Implicit Conversion
Implicit conversion is done automatically by the compiler when you assign a value of one type to
another For example, if you assign an int value to a
float type:
Example
17 Automatic conversion: int to
float
float myFloat = 9 ;
printf("%f", myFloat); // 9.000000
As you can see, the compiler automatically
converts the int value 9 to a float value of
9.000000 This can be risky, as you might lose contro specific values in certain situations.
Especially if it was the other way around-the
following example automatically converts the

42
float value 9.99 to an int value of 9:
Example
// Automatic conversion: float to
int
int my Int = 9.99;
printf("%d", myInt); // 9
What happened to .99? We might want that
data in our program! So be careful. It is
important that you know how the compiler work
In these situations, to avoid unexpected results.
As another example, if you divide two integers: 5 by 2, you know that the sum is 2.5. And as you
know from the beginning of this page, if you store the sum as an integer, the result will only display
the number 2. Therefore, it would be better to store the sum as a float or a double.
Example
float sum = 5 / 2;
printf("%f", sum); // 2.000080
Why is the result 2.00000 and not 2.5? Well, it is because 5 and 2 are still integers in the
division. In this case, you need to manually
convert the integer values to floating-point values.
Explicit Conversion
Explicit conversion is done manually by placing
the type in parentheses () in front of the value. Considering our problem from the example above,
we can now get the right result.
Example
1 Manual conversion: int to float float sum = (float) 5 ;
printf("%f", sum); // 2.500000
You can also place the type in front of a variable:
Example
int numl = 5;
int num2= 2; float sum
= (float) num1 / num2;

43
printf("%f", sum); // 2.500000
And since you learned about "decimal precision In the previous chapter, you could make the
output even cleaner by removing the extra zeros (if you like):
Example
int numi = 5;
int num2 = 2;
float sum = (float) numl / num2;
printf("%.1f", sum); // 2.5
1.13 READING A CHARACTER
• The simplest of all input/output operations is reading a character from the 'standard input' unit
(usually the keyboard) and writing it to the standard output' unit (usually the screen). Reading a
single character can be done by using the getchar.
The getchar takes the following from:
variable name = getchar()
• variable_name is a valid C name that has been declared as char type When this statement is
encountered. the computer waits until a key is pressed and then assigns this character as a value
to getchar Since getchar is used on the right-hand side of an assignment statement, the character
value of getchar is in turn assigned to the variable name on the left.
• For example
char name;
name= getchar();
will assign the character 'H' to the variable name when we press the key H on the keyboard.
PROGRAM:
#include <stdio.h>
Main()
{
char answer;
printf("Would you like to know my name?\n");
printf("Type Y for YES and N for NO: ");
answer = getchar();
/* .... Reading a character...*/

44
if (answer == 'y' || answer == 'y')
. printf(“\n\nMy name is BUSY BEE\n”);
else
printf(“\n\nYou are good for nothing\n”);
Output:
Would you like to know my name?
Type Y for YES and N for NO: Y
My name is BUSY BEE
Would you like to know my name?
Type Y for YES and N for NO: n You are good for nothing
WRITING A CHARACTER
Like getchar, putchar is used for writing characters one at a time to the terminal.
It takes the form as shown below
putchar (variable_name);
where variable_name is a type char variable containing a character. This statement displays the
character contained in the variable_name at the terminal.
For example, the statements
answer = 'Y';
putchar (answer);
will display the character Y on the screen. The statement
putchar (‘\n’);
would cause the cursor on the screen to move to the beginning of the next line
PROGRAM
#include <stdio.h>
#include <ctype.h>
main()
char alphabet,
{
printf("Enter an alphabet");
putchar('\n');
/* move to next line */

45
alphabet getchar();
if (slower(alphabet))
putchar(toupper(alphabet));
/* Reverse and display "/
else
putchar(tolower(alphabet));
/ Reverse and display "/
}
Output:
Enter an alphabet
a
A
Enter an alphabet
q
Q
Enter an alphabet
z
Z
1.14 FORMATTED INPUT AND OUTPUT
The C language comes with standard functions printf() and scanf() so that a programmer can
perform formatted output and input in a program. The formatted functions basically present or
accept the available data (input) in a specific format.
The formatted functions accept various format specification strings along with a list of variables
in the form of parameters. This format specification string refers to a character string used for
specifying the data type of every variable present as the output or input along with the width and
size of the I/O.
We use the formatted input and output functions in the C language for taking single or multiple
inputs from the programmer/user at the console. These functions also allow a programmer to
display single or multiple values, in the form of output, to the users present in the console.

46
scanf()
We use the scanf() function for getting the formatted inputs or standard inputs so that the
printf() function can provide the program with numerous options of conversion.
Syntax for scanf()
scanf (format_specifier, &data_a, &data_b,……); // Here, & refers to the address operator
The purpose of the scanf() function is to read the characters that we get from the standard input,
convert them according to the string of format specification, and then store the available inputs in
the memory slots that the other arguments represent.
Example of scanf()
Scanf(“%d %c”, &info_a,&info_b);
When we consider the string data names in a program, the ‘&’ character does not prefix the data
name.
Printf()
We use the printf() function for generating the formatted outputs or standard outputs in
accordance with a format specification. The output data and the format specification string act as
the parameters of the function printf().
Syntax for printf()
printf (format_specifiers, info_a, info_b,…….. );
Example of printf()

47
printf(“%d %c”, info_a, info_b);
The character that we specify after the ‘%’ character refers to the conversion character. It is
because ‘%’ allows the conversion of any given data type into another data type for further
printing.
D – signed denary integer
U – unsigned denary integer
X – hexadecimal integer
O – octal integer
S – string
C – single character
F – fixed decimal floating point
E – scientific notation floating point
G – use f or e, whichever is shorter
Note that the format specification string is capable of containing texts as well, in the program.
printf (“%d\n%c”, data1, info_2);
printf (“Number: %d\n”, info_1);
Symbol of specifier
/t – Used by a program for tab space (it is equivalent to a total of 8 spaces)
/n- Used by a program for a new line (it is also known as a linefeed return)

Review Questions:
SECTION – A

FILL IN THE BLANKS :-

1. Integer occupies _______ bytes in memory.


2. #define is a_____ compiler directive
3. ASCII stands for ________________
4. There are ______ keywords in C language
5. _______ function is used to find the size of the variable.
6. To include mathematical functions _________ header file is used.
7. _________ refer to fixed values that do not change during execution.

48
8. BCPL stands for ____________.
9. Enum is an example for ________ data type
10. int a=10;
printf(“%d”,a++ ); what is the output?

Choose the best answer:

1. In C keywords must be compulsory written in _______


a) Uppercase b) lowercase c) letter
2. Keywords can be used as __________
a) Identifier b) variable c) none of above
3. An identifier can start with a _____
a)Alphabet b) number c) special character
4. A single character constant is delimited by using _________
a)Single quotes b) double quotes c) comma
5. To get integer variables ___ is used
a) %f b) %d c) %c
6. Relational operators can be used to make ___________
a)Comparison b) relation c) decision
7. ______ is the escape sequence for tab character
a)\t b) \r c) \c
8. The ASCII value of Null character is ____
a)0 b) n c) @
9. The _________ operator is used to indicate arrays
a){} b) [ ] c) *
10.____ is used to indicate long integer

a) l b) n c) k

SECTION - B

Knowledge Level

1.a) Describe #define preprocessor directive with an example

1.b) Explain trigraph characters and conditional operators?

49
2.a) Explain scanf and printf statement with suitable examples?

2. b) Define Variable. List naming rules for variables.

Understanding Level

3. a) List down the escape sequences in C.

3. b) Compare increment and decrement operator with an example.

4. a) List down the escape sequences and its usage.

4. b) Examine the steps when executing a C programs.

Higher Ability

5. a) What is the output for this program

void main()

int x=100, y=200;

printf(“%d”,(x>y)? x: y);

5. b) Describe Get and Put function

SECTION - C

Knowledge Level

1. Describe the basic Data types in C.

2. Discuss any Five operators in C with an example.

Understanding Level

3. Illustrate the basic structure of C programs with neat diagrams.

4. Summarize the rules followed in the implicit type conversion and explicit type conversions.

Higher Ability

5. Write a program to calculate simple interest.

50

You might also like