KEMBAR78
Advanced C Programming Workshop | PDF | Pointer (Computer Programming) | Integer (Computer Science)
0% found this document useful (0 votes)
88 views250 pages

Advanced C Programming Workshop

Uploaded by

ravi.sjsgrd
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)
88 views250 pages

Advanced C Programming Workshop

Uploaded by

ravi.sjsgrd
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/ 250

“Advanced C Programming”

Outline
Day1

1. Introduction to Linux & C


2. Data Types & Operators in C

Day2

3. Control Statements
4. Functions

Day3

5. Data Input & Output


6. Arrays
7. Multidimensional Arrays
Outline
Day 4
8. Introduction to pointers
9. Arrays & Pointers
10.Pointers with Function

Day5

11.Strings
12.Structures, Unions & Bit-fields

Day6

13.File I/O
14.Preprocessor
Outline
Day 7

15. Code Optimization


16. C and Assembly

Day8

17. Secure Coding practices


Day 3

5. Data Input & Output


6. Arrays
7. Multidimensional Arrays
6. Arrays
Arrays - Introduction
 Definition: Array is a collections of variables of same data type.
 Fixed size, size defines the number of elements in the array
 Stored in contiguous memory locations
 Array element is accessed by its index value
 Examples:
 int emp_id[100];  100 element integer array
 float salary[100];  100 element float array
 char name[100];  100 element char array
Declaring & Initializing Array

Declaration: type Array_Name[array size]

Examples:

int num [5];

float marks[ ] = {40.5, 70.0, 81.5, 65.0, 72.5};

char colours[ ] = { „R‟, „G‟, „B‟ };

Initialization:
for( i=1; i<=5; i++)
{
marks [ i ] = 0.0 ;
}
Visualizing 1-D Arrays
array size

Representing a single dimension Array


int A[10];

A(0) A(1) A(2) .. .. .. .. .. .. A(9)

array array
index index
Memory Representation – 1D Arrays

Memory Representation
All elements of same type
(homogenous)
0x1014 i
int A[3];
0x1010 B
Char B;
int i; First element (index 0) 0x100C a[2]
A[0] = 2; Last element (index size - 1) a[1]
0x1008
A[2] = 7;
0x1004 a[0]
A[3] = 3;
A[-1] = 9;

No bounds checking!
Allowed – usually causes no error
A[3] may overwrite B
Accessing Array Elements & Operations
 Single operations which involves entire array are not allowed.
 Must be done element by element
 Individual element can be accessed using Index

Examples: NOTE:
int a[10], b[10], c[10;
a = b + c; // Not allowed 1. Don't try to access an element that
is not in the array such as the
/*Element by element*/ eleventh element of a ten element
for(i=1; i<=10; i++) array.
c[ i ] = a[ i ] + b[ i ] ;
2. Case of “out of bounds”
/* Out of bounds access */
c[ 12 ] = a[ 12 ] + b [12 ] 3. Attempting to access a value past
the end of an array will either crash
your program or worse retrieve
garbage data without telling you
that an error occurred.
Arrays and Functions
 We can pass arrays to functions
 An array will be passed to a function using its name (base address)
 We should pass the length of the array also.

Examples: Passing Array Examples: Receiving an Array


int a[10], b[10];
way1:
reverse( a, len); reverse( int arr[ ], int len)
{

way2:
reverse( int *arr, int len)
{

}
Example 1: Average of n numbers
#include <stdio.h>
int main(){
int n, i;
float num[10], sum=0.0, average;
printf("Enter the number of data elements: ");
scanf("%d",&n);

for(i=0; i<n; ++i)


{
printf("%d. Enter number: ",i+1);
scanf("%f",&num[i]);

sum+=num[i];
}
average=sum/n;

printf("Average = %f",average);
return 0;
}
Example 2: Largest of n numbers
#include <stdio.h>
int main(){
int i,n;
int arr[10];
printf("Enter total number of elements(1 to 10): ");
scanf("%d",&n);
printf("\n");
// Read n numbers
for(i=0;i<n;++i) /* Stores number entered by user. */
{
printf("Enter Number %d: ",i+1);
scanf("%d",&arr[i]);
}
// Find the largest number
for(i=1;i<n;++i)
{
if(arr[0]<arr[i])
arr[0]=arr[i];
}
printf("Largest element = %d\n",arr[0]);
return 0;
}
Class Room Exercises
1. Find out the second largest element in an array. (Without
sorting)
2. Write a program to insert an element at a given position in
an array.
3. Write a program to sort the elements in an array in
ascending order.
4. Write a program to reverse an array without using a second
array.
7. Multidimensional Arrays
Multidimensional Arrays
 Arrays with more than one dimension
 2D Arrays : grid of rows and columns
 gcc allows arrays of up to 29 dimensions
 Using an array of more than three dimensions is very rare

Representing a double dimension Array

integer B[6] [3] ;


2nd Subscript

B(0,0) B(0,1) B(0,2)


B(1,0)
1st Subscript B(2,0) Row major order
B(3,0)
B(4,0)
B(5,0)
Memory Representation – 2D Arrays

0x1014 mat[1][2]
0x1010 mat[1][1]
int mat[2][3];
0x100C mat[1][0]

mat[1][0] = 17; 0x1008 mat[0][2]


0x1004 mat[0][1]

Valid Initialization 0x1000 mat[0][0]

What happens when you initialize


“Row Major”
Organization
mat[0][3] = 20;

No bounds checking…causes no error


Multidimensional Arrays - Initialization
int disp[2][4] = {
{10, 11, 12, 13},
{14, 15, 16, 17}
};

int disp[2][4] = { {10, 11, 12, 13}, {14, 15, 16, 17} };

int disp[2][4] = { 10, 11, 12, 13, 14, 15, 16, 17 };

int arr[2][2] = {1, 2, 3 ,4 } /* Valid declaration*/


int arr[][2] = {1, 2, 3 ,4 } /* Valid declaration*/
int arr[][] = {1, 2, 3 ,4 } /* Invalid declaration – must specify second dimension*/
int arr[2][] = {1, 2, 3 ,4 } /* Invalid because of the same reason mentioned above*/
Accessing Array Elements & Operations
 Single operations which involves entire array are not allowed.
 Must be done element by element
 Individual element can be accessed using Index

Examples:
int a[10] [10], b[10][10], c[10][10];
a = b + c; // Not allowed

/*Element by element*/
for(i=0; i<=9; i++)
{
for(j=0; j<=9; j++)
{
c[ i ] = a[ i ] + b[ i ] ;
}
}
2-D Arrays and Functions
 We can pass 2-D arrays to functions
 An array will be passed to a function using its name (base address)
 We should pass the length of each dimension of the array.

Examples: Passing Array Examples: Receiving an Array


int a[m][n], b[m][n];
print(int a[ ] [n], int b[ ] [n], m, n)
print( a, b, m, n); {
--function body--
}

Examples: Function prototype

print( int [ ][n], int b[ ] [n] , int, int);


Class Room Exercises
1. Write a program to perform the sum of two matrices.
2. Write a program to print the upper triangle of a matrix.
3. Write a program to delete the rows and columns which are
having only zeros.
4. Write a program to find out the sum of the elements of the
major diagonal of a matrix.
Variable Length Arrays

How to define variable length arrays?


a. Using Functions and Arrays
b. Using Pointers

int function(int n)
{
int A[n];

New C99 feature: Variable-length arrays defined within functions

Global arrays must still have fixed (constant) length


Day 4

8. Introduction to pointers
9. Arrays & Pointers
10. Pointers with functions
8. Introduction to Pointers
Fundamentals
Definition: A pointer is a variable that represents the location
(rather than the value) of a data item, such as a variable or an array
element.

Useful applications:
 Allows to return multiple data items from a function via function arguments.
 Allows passing one function to another function
 Allows alternate ways to access arrays
 Allows to access group of strings with ease
 Allows passing structures from one function to another function
Fundamentals…
How to access the address of a data item?

We need to know the address of the variable which stores this data item.

Address of operator (&)

Ex: If the variable name is V then the address can be accessed using &V

We can assign the address of V to another variable.

Ex: PV = &V

This new variable PV is called as a pointer variable which points to V.

PV points to the location where V is stored.

PV V
Address of V Value of V
Fundamentals…
How to access the data item stored in V using PV?

Using Indirection Operator (*).

Ex: *PV

Here, *PV and V represents the same data item.

This new variable PV is called as a pointer variable which points to V.

PV points to the location where V is stored.

PV V
Address of V Value of V
Example
/* A program which shows a simple demo on pointer variables */
#include<stdio.h>
int main( )
{
int U = 3, v;
int *pu; /* pointer t o an integer */
int *pv; /* pointer t o an integer */
pu = &U; /* assign address of U t o pu */
v = *pu; /* assign value of U t o v */
pv = &v; /* assign address of v t o pv */
printf("\nu=%d &u=%X pu=%X *pu=%d', U, &U, pu, *pu);
printf("\n\nv=%d &v=%X pv=%x *pv=%d", V, &v, pv, *pv);
return 0;
}
Using Pointers…

int m = 20; /* Simple Integers */


int n = 30;

int *ptr1 = &m; /* get addresses of data */


int *ptr2 = &n;

*ptr1 = ptr2;

What happens?

Type check warning: ptr2 is not an int


Pointer Arithmetic
Addition: pointer + number (or) pointer++

Subtraction: pointer – number (or) pointer--

Example:

char *ptr; int *p;


char a; int a;
char b; int b;

ptr = &a; ptr = &a;


ptr += 1; ptr += 1;

Adds 1*sizeof(char) to Adds 1*sizeof(int) to


the memory address the memory address

In both the cases, p now points to b


(Assuming compiler doesn‟t reorder variables in memory)
Warning: Pointer arithmetic need to be performed carefully
Pointer Arithmetic
Pointers and integers are not interchangeable (except 0).

Example:

float sal[10];
float *ptr;

Ptr = &a;
Ptr = ptr + 4;

Adds 4*sizeof(float) to
the memory address
stored in ptr.

It advances the “ptr” by 4 number of floats

Warning: Pointer arithmetic need to be performed carefully


Pointer Arithmetic
Addition and Subtraction of two pointers.

Example:
float sal[10];
float *ptr1;
float *ptr2;

Ptr1 = &sal;
Ptr2 = ptr1 + 4;

Printf(“%d”, ptr2-ptr1);

(Ptr2 – ptr1)/sizeof(float)

Prints the number of elements stored from ptr1 to ptr2

Warning: Pointer arithmetic need to be performed carefully


Pointer Arithmetic
Relational operators and Pointers

Example:
float sal[10];
float *ptr1;
float *ptr2;

Ptr1 = &sal;
Ptr2 = ptr1 + 4;

Printf(“%d”, ptr2>ptr1);

Equal to (Ptr2 – ptr1)>0


If ptr2-ptr1 is allowed, then ptr2-ptr1>0 is
allowed (<, == also).

Prints either 0 or 1

Warning: Pointer arithmetic need to be performed carefully


Review of Pointers
 What is a pointer?
 What is indirection operator (*) & Address of operator?
 How to test whether a pointer is pointing to something meaningful?
Char *m=NULL; /*Always initialize with NULL*/
…………….
if(m) {………It is safe to use the pointer……..}
 Pointer Arithmetic
 Garbage Pointers
 If OS does not allocate memory – Segmentation problem
 If allocated non-existing memory – Bus error
 Allocating the memory of our own code segment – Data corruption
 Simplest pointer in C – NULL pointer – Points to Nothing –
Dereferencing causes segmentation problem – To define, include
“stdio.h” or “stdlib.h”
Review of Pointers…

o Creation of a pointer

o & variable - Returns variable‟s memory address

o Dereferencing a pointer

o * pointer - Returns contents stored at address

o Indirect assignment

o * pointer =val - Stores value at address pointed by the pointer

o Assignment

o pointer =ptr - Stores pointer in another variable


9. Arrays & Pointers
Arrays and Pointers
Passing arrays
o Array  pointer to the first (0th) array
Must explicitly
element (Array Name is const ptr) int *array pass the size
int
o a[i]  *(a+i)
o *arr = arr[0] foo(int array[],
o arr+i = arr[i] unsigned int size)
= arr + (i*sizeof(datatype)) {
… array[size - 1] …
o An array is passed to a function as a }
pointer
o The array size is lost ! int
main(void)
o Usually bad style to interchange arrays and {
pointers
int a[10], b[5];
o Avoid pointer arithmetic!
… foo(a, 10)… foo(b, 5) …
}
Arrays and Pointers…

int
foo(int array[],
unsigned int size)
{
… What does this print?
printf(“%d\n”, sizeof(array)); Prints the size of an int: 4
}

(Because array is really


int
a pointer)
main(void)
{
int a[10], b[5];
… foo(a, 10)… foo(b, 5) …
What does this print?
printf(“%d\n”, sizeof(a));
} 40
Array of Pointers
What is a pointer array?

 An array can store pointers i.e addresses

 We can use array of pointers in a similar way to a multi dimensional


array

 Example1: Store and print the names of three students

int main()
{
int i;
int *students[]={“Ram”, “John”, “Abdul”};
for (i=0; i<3; i++}
{
printf(“%s\n”, students[i]);
}
return 0;
}
Array of Pointers
Example 2: Write a function which returns a pointer to a character string
containing the name of the nth month.

/* Return name of n-th month */

char *month_name(int n)
{
static char *name[] = {
"Illegal month",
"January", "February", "March",
"April", "May", "June",
"July", "August, "September",
"October", "November", "December"
};
return (n < 1 || n > 12) ? name[0] : name[n];
}
Array of Pointers…

Memory Representation

name Value

0 Illegal Month
1 January
2 February
………
11 November
12 December
10. Pointers with Functions
Pointers as Function Arguments
 Why do we need to pass a pointer to a function?
 It allows a function to alter or change the value of a variable outside their
scope. It gives read and write permissions to a function to the data stored
in that variable.

#include <stdio.h> int swap(int *m, int *n)


int swap(int *m, int *n); {
int main() int temp;
{ temp = *m;
int a = 3, b = 4; *m = *m;
printf(“Before Swap:\n”) *n = temp;
printf(“a = %d, b = %d\n", a, b) return 0;
swap(&a, &b); }
printf(“After swap:\n”)
printf(“a = %d, b = %d\n", a, b)
return 0;
}
Function Pointers

Till now, we have seen the concept of pointers to data.

Is it possible to define pointers to code???


Yes. We can define pointers that point to functions.

How is it possible?
Functions also occupy memory locations, hence, every
function will have an address just like a variable.
Function Pointers…
 Why do we need function pointers?

 Used when alternative functions to perform similar tasks on


data.

 To pass a function as a parameter in a function call and can be


returned from a function.

 Efficiency.

 How a function pointer is different from a variable pointer?

 We do not allocate or deallocate memory to them.

 What is the disadvantage?

 Cumbersome syntax confuses both novice and experienced


programmers. It disturbs the readability.
Defining a Function Pointer
What is a function pointer?
A pointer which stores the starting address of a function.
Function pointer can be defined similar to a variable.
Example:
#include<stdio.h>
void welcome();

1. Declare a function pointer int main()


{
void (*ptr)();
2. Initializing function pointer ptr = &welcome;
(*ptr)();
3. Calling a function using return(0);
function pointer }

void welcome()
{
printf(“I am function\n");
}
Function Pointer – How to use?

Requirement Declaration Of Initialization Calling functions


Function of function using function
Pointer pointer pointer

Return Type: None void (*ptr)(); ptr = (*ptr)();


Parameter : None &display;

Return Type : Integer int (*ptr)(); ptr = int result;


Parameter : None &display; result = (*ptr)();

Return Type : Float float (*ptr)(); ptr = float result;


Parameter : None &display; result = (*ptr)();

Return Type : Char char (*ptr)(); ptr = char result;


Parameter : None &display; result = (*ptr)();
Function Pointer as an argument
o We can pass a function pointer as a function's argument
o We need this when you want to pass a pointer to a callback function

#include <stdio.h>
#include <string.h>
char* compare_strings(char*, char*, int (*cmp)(const char*,
const char*));

int main()
{
char str1[80], str2[80];
/* function pointer */
int (*functPtr)(const char *, const char *);

/* Assign address of strcmp to functPtr */


functPtr = strcmp

Printf("Enter two strings.\n");


scanf("%s%s", str1, str2);
Function Pointer as an argument

/* pass address of strcmp via functPtr */

printf("Are \"%s\" and \"%s\" equal? : %s\n", str1, str2,


compare_strings(str1, str2, functPtr));
return 0;
}

/* Function to compare strings */

char* compare_strings(char *info, char *s2, int (*cmp)


(const char*, const char*))
{
if(!(*cmp)(info, s2))
return (“Yes, they are same");
else
return(“No, they are not same");
}
Function Pointer as a return value
o A function pointer can be a function‟s return value.
o We need this when you want pass a pointer to a callback function
o It improves the flexibility of a program

int main()
{
/* Function Pointer */
int (*pointerToFunction)(int, int);

/* Call the function using pointer */


pointerToFunction = getFuncPtr('+');
printf("%d\n", (*pointerToFunction)(8, 12));

/* Call the function using pointer */


pointerToFunction = getFuncPtr(‘-');
printf("%d\n", (*pointerToFunction)(8, 12));
return 0;
}
Function Pointer as a return value

/* Function to add two /* Function takes the choice


integers */ of the user and returns
int add(int x, int y) pointer to a function which
{ takes two integers and
int z = x + y; performs either addition or
return z; subtraction */
}
/* Function to perform int (*getFuncPtr(char
subtraction */ opCode))(int, int)
int sub(int x, int y) {
{ if (opCode == '-')
int z = x - y; return &sub;
return z; else
} return &add;
}

Returning function Pointers


Arrays of Function pointers
#include<stdio.h>
#include<stdlib.h>

/* Function prototypes */
int add(int, int);
int mul(int, int);

/* Array of function pointers – Stores address of functions */


int(*arrfunc[3])();

/* Array of function pointers */


int(*(*funcptr)[3])();

int main()
{
/* Store function name in array of functions */
arrfunc[0]=add;
arrfunc[1]=mul;

/* Store the address of function array to function pointer */


funcptr=&arrfunc;
Arrays of Function pointers

/* Call the first function ‘add’ */


printf("%d\n",(**funcptr)(4, 5));

/* Call the second function ‘mul’ */


printf("%d\n",(*(*funcptr+1))(4,5));
return 0;
}

/* Fucntion definition */
int add(int a, int b){
return a+b;
}

/* Fucntion definition */
int mul(int a, int b){
return a*b;
}
Understanding the Pointer Constructs

 int i;
 integer variable 'i'
 int *p;
 pointer 'p' to an integer
 int a[];
 array 'a' of integers
 int f();
 function 'f' with return value of type integer
 int **pp;
 pointer 'pp' to a pointer to an integer
 int (*pa)[];
 pointer 'pa' to an array of integers
Understanding the Pointer Constructs

 int (*pf)();
 pointer 'pf' to a function with return value integer
 int *ap[];
 array 'ap' of pointers to an integer
 int *fp();
 function 'fp' which returns a pointer to an integer
 int ***ppp;
 pointer 'ppp' to a pointer to a pointer to an
integer
 int (**ppa)[];
 pointer 'ppa' to a pointer to an array of integers
Understanding the Pointer Constructs

 int (**ppf)();
 pointer 'ppf' to a pointer to a function with return value
of type integer
 int *(*pap)[];
 pointer 'pap' to an array of pointers to an int
 int *(*pfp)();
 pointer 'pfp' to function with return value of type
pointer to an integer
 int **app[];
 array of pointers 'app' that point to pointers to integer
values
 int (*apa[])[];
 array of pointers 'apa' to arrays of integers
Understanding the Pointer Constructs
int (*apf[])();
- array of pointers 'apf' to functions with return values
of type integer
int ***fpp();
- function 'fpp' which returns a pointer to a pointer to a
pointer to an int
int (*fpa())[];
- function 'fpa' with return value of a pointer to array
of integers
int (*fpf())();
- function 'fpf' with return value of a pointer to
function which returns an integer
Day 5

11. Strings
12. Structures, Unions & Bit-fields
11. Strings
Characters and strings

 Characters
o Building blocks of programs - Every program is a sequence of
grouped characters
o Character constant – One character surrounded by single
quotes
o Example: „A‟, „?‟
Characters and strings

 Strings
o Definition: A sequence of characters are treated as a
single unit, called as string.
o Can include letters, digits and special characters (*, /, $)
o String literal (string constant) - written in double quotes
o "Hello"
o Strings are arrays of characters
o String - a pointer to first character
o Value of string - is the address of first character
Distinction Between Characters and Strings

o The representation of a char (e.g., „A‟) and a string (e.g., “A”) is


completely different.
o A string is an array of characters ended with the null character.

A A \0

Character „A‟ String “A”


Memory Storage for a String

o The string is always ended with a null character „\0‟.

o The characters after the null character are ignored.

o Example:

char str[20] = “Initial value”;

[0] [13]

I n i t i a l v a l u e \0 ? ? …
Strings - Declarations
 String declarations
 Declare as a character array or a variable of type char *
char name[] = “ram";
char *nameptr = “ram";
 Remember that strings represented as character arrays end
with '\0„ (A NULL Character)
 How to read string as input?
 Use scanf function
Example: scanf("%s", name);
 Copies input into name[]
 Do not need & (because a string is a pointer)
 We must give one character of array for '\0'
Strings – Intrinsic Functions

a) Character handling functions


b) String Conversion functions
c) Standard Input and Output functions
d) String manipulation functions
e) Comparison functions
f) Search functions
g) Memory functions
h) Other functions
a) Character Handling Library

o Character handling library


o It Includes the functions to perform useful tests and
manipulations on characters

o Each function receives a character or EOF as an argument

o Many times, a character can be treated as an integer


(ASCII)

o EOF is normally have a value „-1‟, but some hardwares do


not allow to store negative numbers in integers

o Header File: <ctype.h>


a) Character Handling Library…
Prototype Description

int isdigit( int c ) Returns true if c is a digit and false otherwise.


int isalpha( int c ) Returns true if c is a letter and false otherwise.
int isalnum( int c ) Returns true if c is a digit or a letter and false otherwise.
int isxdigit( int c ) Returns true if c is a hexadecimal digit character and false otherwise.
int islower( int c ) Returns true if c is a lowercase letter and false otherwise.
int isupper( int c ) Returns true if c is an uppercase letter; false otherwise.
int tolower( int c ) If c is an uppercase letter, tolower returns c as a lowercase letter. Otherwise, tolower
returns the argument unchanged.
int toupper( int c ) If c is a lowercase letter, toupper returns c as an uppercase letter. Otherwise, toupper
returns the argument unchanged.
int isspace( int c ) Returns true if c is a white-space character—newline ('\n'), space (' '), form feed
('\f'), carriage return ('\r'), horizontal tab ('\t'), or vertical tab ('\v')—and
false otherwise
int iscntrl( int c ) Returns true if c is a control character and false otherwise.
int ispunct( int c ) Returns true if c is a printing character other than a space, a digit, or a letter and false
otherwise.
int isprint( int c ) Returns true value if c is a printing character including space (' ') and false
otherwise.
int isgraph( int c ) Returns true if c is a printing character other than space (' ') and false otherwise.

68
/* Using functions isdigit, isalpha, isalnum, and isxdigit */
#include <stdio.h>
#include <ctype.h>

int main()
{
printf( "%s\n%s%s\n%s%s\n\n", "According to isdigit: ",
isdigit( '8' ) ? "8 is a " : "8 is not a ", "digit",
isdigit( '#' ) ? "# is a " :
"# is not a ", "digit" );

printf( "%s\n%s%s\n%s%s\n%s%s\n%s%s\n\n",
"According to isalpha:",
isalpha( 'A' ) ? "A is a " : "A is not a ", "letter",
isalpha( 'b' ) ? "b is a " : "b is not a ", "letter",
isalpha( '&' ) ? "& is a " : "& is not a ", "letter",
isalpha( '4' ) ? "4 is a " :
"4 is not a ", "letter" );

69
printf( "%s\n%s%s\n%s%s\n%s%s\n\n",
"According to isalnum:",
isalnum( 'A' ) ? "A is a " : "A is not a ",
"digit or a letter",
isalnum( '8' ) ? "8 is a " : "8 is not a ",
"digit or a letter",
isalnum( '#' ) ? "# is a " : "# is not a ",
"digit or a letter" );

printf( "%s\n%s%s\n%s%s\n%s%s\n%s%s\n%s%s\n",
"According to isxdigit:",
isxdigit( 'F' ) ? "F is a " : "F is not a ",
"hexadecimal digit",
isxdigit( 'J' ) ? "J is a " : "J is not a ",
"hexadecimal digit",
isxdigit( '7' ) ? "7 is a " : "7 is not a ",
"hexadecimal digit",
isxdigit( '$' ) ? "$ is a " : "$ is not a ",
"hexadecimal digit",
isxdigit( 'f' ) ? "f is a " : "f is not a ",
"hexadecimal digit" );
return 0;
}
70
Output:
According to isdigit:
8 is a digit
# is not a digit

According to isalpha:
A is a letter
b is a letter
& is not a letter
4 is not a letter

According to isalnum:
A is a digit or a letter
8 is a digit or a letter
# is not a digit or a letter

According to isxdigit:
F is a hexadecimal digit
J is not a hexadecimal digit
7 is a hexadecimal digit
$ is not a hexadecimal digit
f is a hexadecimal digit

71
b) String Conversion Functions
 Conversion functions
 In <stdlib.h> (general utilities library)
 Convert strings of digits to integer and floating-point values

Prototype Description
double atof( const char *nPtr ) Converts the string nPtr to double.
int atoi( const char *nPtr ) Converts the string nPtr to int.
long atol( const char *nPtr ) Converts the string nPtr to long int.
double strtod( const char *nPtr, Converts the string nPtr to double.
char **endPtr )
long strtol( const char *nPtr, Converts the string nPtr to long.
char **endPtr, int base )
unsigned long strtoul( const char Converts the string nPtr to unsigned
*nPtr, char **endPtr, int base ) long.
/* Using atof function*/

#include <stdio.h>
#include <stdlib.h>
int main()
{
double d;
d = atof( "99.0" );
printf("%s%.3f\n%s%.3f\n", "The string \"99.0\" converted to
double is ", d, "The converted value divided by 2
is ", d/2.0 );
return 0;
}

Output:
The string "99.0" converted to double is 99.000
The converted value divided by 2 is 49.500
C) Standard I/O Functions
o Used to manipulate characters and strings

o Header file is: <stdio.h>

Func tion p rototyp e Func tion d esc rip tion


int getchar( void ); Inputs the next character from the standard input and
returns it as an integer.
char *gets( char *s ); Inputs characters from the standard input into the array
s until a newline or end-of-file character is
encountered. A terminating null character is appended
to the array.
int putchar( int c ); Prints the character stored in c.
int puts( const char *s ); Prints the string s followed by a newline character.
int sprintf( char *s, Equivalent to printf, except the output is stored in
const char *format, ... ); the array s instead of printing it on the screen.
int sscanf( char *s, const Equivalent to scanf, except the input is read from the
char *format, ... ); array s instead of reading it from the keyboard.
/* Using gets and putchar */ void reverse(const char *
#include <stdio.h> const sPtr)
int main() {
{ if ( sPtr[ 0 ] == '\0' )
char sentence[ 80 ]; return;
void reverse( const char else {
* const ); reverse( &sPtr[ 1 ] );
printf( "Enter a line of putchar( sPtr[ 0 ] );
text:\n" ); }
gets( sentence ); }
printf( "\nThe line
printed backwards
is:\n" );
reverse( sentence );
return 0;
}

Enter a line of text:


Characters and Strings

The line printed backwards is:


sgnirtS dna sretcarahC
75
d) String Manipulation Functions
 String handling library has functions to

 Manipulate string data

 Search strings

 Tokenize strings

 Determine string length

Func tio n p ro to typ e Func tio n d esc rip tio n


char *strcpy( char *s1, Copies string s2 into array s1. The value of s1 is
const char *s2 ) returned.
char *strncpy( char *s1, Copies at most n characters of string s2 into array s1.
const char *s2, size_t n ) The value of s1 is returned.
char *strcat( char *s1, Appends string s2 to array s1. The first character of
const char *s2 ) s2 overwrites the terminating null character of s1.
The value of s1 is returned.
char *strncat( char *s1, Appends at most n characters of string s2 to array s1.
const char *s2, size_t n ) The first character of s2 overwrites the terminating
null character of s1. The value of s1 is returned.
/* Using strcat and strncat */
#include <stdio.h>
#include <string.h>

int main()
{
char info[ 20 ] = "Happy ";
char s2[] = "New Year ";
char s3[ 40 ] = "";

printf( "info = %s\ns2 = %s\n", info, s2 );


printf( "strcat( info, s2 ) = %s\n", strcat( info, s2 ) );
printf( "strncat(s3, info, 6 ) = %s\n", strncat( s3, info, 6 ) );
printf( "strcat( s3, info ) = %s\n", strcat( s3, info ) );
return 0;
}

info = Happy
s2 = New Year
strcat( info, s2 ) = Happy New Year
strncat( s3, info, 6 ) = Happy
strcat( s3, info ) = Happy Happy New Year
77
e) Comparison Functions
 Comparing strings

 Computer compares numeric ASCII codes of characters in


string

int strcmp( const char *info, const char *s2 );

 Compares string info to s2

 Returns a negative number if info < s2, zero if info == s2


or a positive number if info > s2

int strncmp( const char *info, const char *s2, size_t n );

 Compares up to n characters of string info to s2

 Returns values as above


f) Search Functions
Func tion p rototype Func tion d esc ription

char *strchr( const char *s, Locates the first occurrence of character c in string s. If c is found, a pointer to c in
int c ); s is returned. Otherwise, a NULL pointer is returned.
size_t strcspn( const char Determines and returns the length of the initial segment of string s1 consisting of
*s1, const char *s2 ); characters not contained in string s2.
size_t strspn( const char Determines and returns the length of the initial segment of string s1 consisting only
*s1, const char *s2 ); of characters contained in string s2.
char *strpbrk( const char Locates the first occurrence in string s1 of any character in string s2. If a character
*s1, const char *s2 ); from string s2 is found, a pointer to the character in string s1 is returned. Other-
wise, a NULL pointer is returned.
char *strrchr( const char *s, Locates the last occurrence of c in string s. If c is found, a pointer to c in string s is
int c ); returned. Otherwise, a NULL pointer is returned.
char *strstr( const char *s1, Locates the first occurrence in string s1 of string s2. If the string is found, a pointer
const char *s2 ); to the string in s1 is returned. Otherwise, a NULL pointer is returned.
char *strtok( char *s1, const A sequence of calls to strtok breaks string s1 into “tokens”—logical pieces such
char *s2 ); as words in a line of text—separated by characters contained in string s2. The first
call contains s1 as the first argument, and subsequent calls to continue tokenizing
the same string contain NULL as the first argument. A pointer to the current token is
returned by each call. If there are no more tokens when the function is called, NULL
is returned.
/*Using strspn */
#include <stdio.h>
#include <string.h>

int main()
{
const char *string1 = "The value is 3.14159";
const char *string2 = "aehi lsTuv";

printf( "%s%s\n%s%s\n\n%s\n%s%u\n",
"string1 = ", string1, "string2 = ", string2,
"The length of the initial segment of string1",
"containing only characters from string2 = ",
strspn( string1, string2 ) );
return 0;
}

string1 = The value is 3.14159


string2 = aehi lsTuv

The length of the initial segment of string1


containing only characters from string2 = 13
/*Using strtok */
#include <stdio.h>
#include <string.h>

int main()
{
char string[] = "This is a sentence
with 7 tokens";
char *tokenPtr; The string to be
tokenized is:
printf( "%s\n%s\n\n%s\n", This is a sentence
"The string to be tokenized with 7 tokens
is:", string,
"The tokens are:" ); The tokens are:
This
tokenPtr = strtok( string, " " ); is
a
while ( tokenPtr != NULL ) { sentence
printf( "%s\n", tokenPtr ); with
tokenPtr = strtok( NULL, " " ); 7
} tokens

return 0;
}
h) Other Functions

o char *strerror( int errornum );

o Creates a system-dependent error message based on


errornum

o Returns a pointer to the string

o size_t strlen( const char *s );

o Returns the number of characters (before NULL) in string s


/*Using strerror */

#include <stdio.h>
#include <string.h>

int main()
{
printf( "%s\n", strerror( 2 ) );
return 0;
}

No such file or directory

Note: The error message related to the error number 2 is


“No file or directory”.
12. Structures, Unions & Bit-Fields
(a) Structures
Structures
Definition:
A structure is a collection of one or more variables, possibly of different
types, grouped together under a single name for convenient handling.

Syntax:
struct structure-name {
component-definition
[component-definition] . . .
};

 It helps to organize complex data

 The keyword “struct” introduces a structure declaration

 Structure Tag – Name of the structure

 Members – The variables of the structure


Structures - Example
Representing a point in a coordinate system:

/* Structure declaration */
struct point {
int x;
int y;
};

/* Define the instances of the


structure */
struct point p1, p2;
Note:
o Same member name can occur /* Structure initialization */
in different structure struct p1 = { 4, 3 };
o A structure declaration that is
not followed by a list of /* Accessing members */
variables reserves no storage. Printf(“%d, %d”, p1.x, p1.y);
Structures - Rules
 The individual members can be ordinary variables, pointers, arrays, or
other structures.

 A member name can be the same as the name of a variable that is defined
outside of the structure.

 A storage class, however, cannot be assigned to an individual member

 Individual members cannot be initialized within a structure type declaration.


Nested Structures
Structures can be nested, one structure may contain one or more
other structures. /* Structure declaration */
struct rect {
struct point p1;
struct point p2;
};

/* Define the instances of the


structure */
struct rect screen;

/* Structure initialization */
screen p1 = {1, 2};
screen p2 = {4, 5};
 The nested structure “rect
contains two point
/* Accessing members */
structures p1 and p2.
screen.p1.x, screen.p1.y
screen.p2.x, screen.p2.y
Structures - Exercise
 Write a program to add two complex numbers. Use structures to store
complex numbers.
Structures and Functions
Structures can be passed to functions and returning values from functions
as well. A structure can be passed to a function in three ways,

 Pass three components separately

 Pass an entire structure

 Pass as a pointer

Example 1: Write a function which takes two integers and return a pointer

/* makepoint: make a point from x and y components */

struct point makepoint(int x, int y)


{
struct point temp;
temp.x = x;
temp.y = y;
return temp;
}
Structures and Functions
Example 1: Contd…

/* Structure instances creation */


struct rect screen;
struct point middle;

/* Prototype of the fucntion */


struct point makepoint(int, int);

/* Make a structure and return it */


screen.pt1 = makepoint(0,0);
screen.pt2 = makepoint(XMAX, YMAX);

/* Calculate the mid point of two points and return it */


middle = makepoint((screen.pt1.x + screen.pt2.x)/2,
(screen.pt1.y + screen.pt2.y)/2);
Structures and Functions…
Example 2: Write a function to add two points

/* addpoints: add two points */

struct addpoint(struct point p1, struct point p2)


{
p1.x += p2.x;
p1.y += p2.y;
return p1;
}

Here both the arguments and the return value are structures.
Array of structures
An array of structures is simply an array in which each element is a
structure of the same type.

/* Array of Structures declaration */

struct bookinfo
{
char[100] bookname;
int pages;
int price;
}book[100];

/* Accessing the price of second book */


book[1].price;
Array of structures…
Example:

/* Read and print the details of three students*/

#include<stdio.h>
struct student
{
char name[20];
int rollno;
float marks;
};

struct student info[3];


Array of structures…
Example: Contd…

int main()
{
int i;
printf("Enter Name, RollNo, Marks:\n");

/* Read the information of students*/


for(i=0; i<=2; i++)
scanf("%s %d %f",&info[i].name, &info[i].rollno, &info[i].marks);

/* Print the information of students*/


printf("Student Name\tStudent Rollno\tStudent Marks:");
for(i=0; i<=2; i++)

printf("\n%s\t\t%d\t\t%f", info[i].name, info[i].rollno,


info[i].marks);
return;
}
Pointers as members of a Structure
Structures can contain the pointer variables as members. Here also,
pointers are used to store the address of a memory location and they can
be dereferenced using „*‟ operator.
Example:

/* Structure declaration */ int main()


#include<stdio.h> {
int roll = 20;
struct Student s1.ptr = &roll;
{ s1.name = “Ram";
int *ptr; printf("\nRoll Number of
char *name; Student : %d",*s1.ptr);
}s1; printf("\nName of Student
: %s",s1.name);
return(0);
}
Self Referential Structures
Structure contains:
1. Its member(s) - Data
2. A link to the structure containing next instance - Address

struct student
struct point
{
{
int rollno;
int x;
char name[30];
struct node *nextp;
int age;
};
struct student *next;
struct point p1, p2, p3;
};
struct student s1, s2, s3;
Self Referential Structures – Linked List
/* Structure declaration */
struct node
{
int data;
struct node *ptr; //Pointer to Struct node
};
Self Referential Structures…
How to create links among 3 nodes (students)?

n1.next = &n2;
n2.next = &n3;
n3.next = NULL;
Self Referential Structures…
How to create links among 3 nodes (students)?

#include<stdio.h>
struct stud
{
int roll;
char name[30];
int age;
struct stud *next;
}
int main()
{
struct stud n1, n2, n3;
struct stud *p;

/* Get the data of students from user */


scanf (”%d %s %d”, &n1.roll, n1.name, &n1.age);
scanf (”%d %s %d”, &n2.roll, n2.name, &n2.age);
scanf (”%d %s %d”, &n3.roll, n3.name, &n3.age);
Self Referential Structures…
How to create links among 3 nodes (students)?

/* Create links among 3 student nodes */


n1.next = &n2;
n2.next = &n3;
n3.next = NULL;

/* Now traverse the list and print the elements */


p = &n1; /* point to 1st element */

while (p != NULL)
{
printf (”\n %d %s %d”, p->roll, p->name,
p->age);
p = p->next;
}

return 0;
}
Array of pointers to the structure
Suppose we have declared structure then we can create array of pointers to the
structure. Syntax of the structure is as follows:

struct stud
{
int roll;
char name[10];
}*ptr[20];
Array of pointers to the structure
/* Structure declaration */
#include<stdio.h>
struct stud
{
int roll;
char name[10];
}*ptr[10];
int main()
{
int i;
printf("Enter the Student Details : ");
for(i=0;i<3;i++)
{
ptr[i] = (struct stud *)malloc(sizeof(struct stud));
printf("\nEnter the Roll Number : ");
scanf("%d",&ptr[i]->roll);
}
Array of pointers to the structure

printf("\nEnter the Name : ");


scanf("%s",ptr[i]->name);

printf("\nStudent Details are : ");

for(i=0;i<3;i++)
{
printf("\nRoll Number : %d",ptr[i]->roll);
printf("\nName : %s",ptr[i]->name);
}
return(0);
}
Pointer to the array of structures
Pointer to array of structures stores the base address of the structure array

Example:

struct hockey
{
char team1[10];
char team2[10];
char venue[20];
int result;
}match[4] = {
{“IND","AUS",“BANGALROE",1},
{“IND","PAK",“HYDERBAD",1},
{“IND","NZ",“CHENNAI",0},
{“IND","SA","DELHI",1}
};
Pointer to the array of structures…
Example: Contd..
void main()
{
struct hockey *ptr = match;// By default match[0],base address
for(i=0;i<4;i++)
{
printf("\nMatch : %d",i+1);
printf("\n%s Vs %s",ptr->team1,ptr->team2);
printf("\nPlace : %s",ptr->venue);
if(match[i].result == 1)
printf("nWinner : %s",ptr->team1);
else
printf("nWinner : %s",ptr->team1);
printf("\n");

// Move Pointer to next structure element


ptr++;
}
}
Using typedef
What is typedef?

o Typedef is a keyword used to give a new name for the existing


name in a C program.

o Advantages: More readability, Easier to modify

Example 1: With structures

typedef struct student struct student


{ {
int id; int id;
char name[20]; char name[20];
float percentage; float percentage;
} status; };

status record; typedef struct student


status;
status record;
Using typedef
Example 2: With function pointers

typedef int (*ptfunc)(int, int);

/* Now we can use "ptfunc" as a type */


ptfunc pt1 = &subtract;
printf("%d\n", (*pt1)(10, 2));
Assignments
 Student record management System
 Write a C program to keep records and perform statistical
analysis for a class of 20 students. The information of each
student contains ID, Name, Sex, marks (mid-term score, final
score, and total score). The program will prompt the user to choose
the operation of records from a menu as shown below:
 Menu
1. Add student records
2. Delete student records
3. View all student records
5. Calculate an average of a selected student‟s scores.
(b) Bit-fields
Bitwise Operations

 What is Memory?

 Collection of Bits

 In real life applications, some times it is necessary to deal with


memory bit by bit

 For example,

 Gaming and Puzzles (Ex: Sudoku)

 Controlling attached devices (Ex: Printers)

 Obtaining status

 Checking buffer overflows…

 Note: The combination of bit level operators and the pointers can
replace the assembly code. For example, only 10% of UNIX is
written using assembly code and the rest is in C.
Printer Status Register…
Example: Printer Status register

7 6 5 4 3 2 1 0

/* Write the C instructions to check the printer status */


char status;
if (status == (EMPTY | JAM)) ...;
if (status == EMPTY || status == JAM) ...;
while (! status & LOW_INK) ...;

int flags |= CLEAN /* turns on CLEAN bit */


int flags &= ~JAM /* turns off JAM bit */
Bit-fields
Bit-fields: A bit field is a collection of one or more bits which are
declared in a structure or a union.

struct status {
int s1:3;
unsigned int s2:1;
unsigned int s3:2;
} my_status;

my_status.s1 = -2;
my_status.s2 = 1;
my_status.s3 = 2;

s1 s2 s3

1 1 0 1 1 0 … …
Bit-fields – Points to be noted
 Allows you to specify small objects with different lengths

 Data Types Allowed: int, signed int and unsigned int

 Each field can be accessed like an ordinary member of a


structure

 Fields can be named or unnamed

 Both signed and unsigned are allowed

 No guarantee of the ordering of fields within machine words

 Compiler dependent & Portability issues may arise

 Packing order and storage boundary are machine dependent


Bit-fields Example – Printer Status Register
7 6 5 4 3 2 1 0

struct printer_status {
unsigned int emptyPaperTray :1;
unsigned int paperJam :1;
:2; //2 empty bits
unsigned int lowInk :1;
:1; //1 empty bit
unsigned int needsCleaning :1;
:1;
};
(c) Unions
Introduction
Definition:

A union is a special data type available in C that enables you to store


different data types in the same memory location.

Syntax:
union [union-tag]

{
member-definition;
………………
[member-definition];
}u;

 Unions provide a way to manipulate different kinds of data in a single area of storage

 A single variable can legitimately hold any type of variable

 Members can be accessed using a dot (.) or (->)


Declaration of Unions
o Syntax is similar to structures
o Only the difference is memory storage
o Unions can handle only one member at a time

union student
{
int rollnum;
int marks;
char name[20];
}s1;
int rollnum;
Int marks;

0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19

char name[20];
Memory allocation in Unions
o All the members in a union will share the same memory
o The memory occupied will be large enough to hold the largest
member of the union.
o We can use any built-in or user defined data typed variables
o Union can be used in a structure, A structure can also be used in a
union

int rollnum;
Int marks;

0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19

char name[20];
Example
#include <stdio.h>
#include <string.h>
union Data
{
int i; struct {
float f; char *name;
char str[20]; int flags;
}; int utype;
int main( ) union {
{ int ival;
union Data data; float fval;
data.i = 10; char *sval;
data.f = 220.5; } u;
strcpy( data.str, "C Programming"); } symtab[NSYM];
printf( "data.i : %d\n", data.i);
printf( "data.f : %f\n", data.f);
printf( "data.str : %s\n", data.str);
return 0;
}
132
Day 6

13. File I/O


14. Preprocessor
13. File I/O
1. Introduction

 Data files
 Can be created, updated, and processed by C
programs
 Are used for permanent storage of large amounts of
data
 Storage of data in variables and arrays is only
temporary
2. The Data Hierarchy
 Data Hierarchy:
 Bit – smallest data item
 Value of 0 or 1

 Byte – 8 bits
 Used to store a character

 Decimal digits, letters, and special symbols


 Field – group of characters conveying meaning
 Example: your name

 Record – group of related fields


 Represented by a struct or a class
Example: In a payroll system, a record for a particular employee that
contained his/her identification number, name, address, etc.
2. The Data Hierarchy…
 Data Hierarchy (continued):
 File – group of related records
 Example: Employee information file
 Database – group of related files

1 DSSD
2 DAC
3 WiMC File
4 DESD
5 DASS

1 DSSD Record
1 Field

00000001 Byte (Stores 1)

1
Bit
3. Files and Streams
 C views each file as a sequence of bytes
 File ends with the end-of-file (EOF) marker, Or, file ends at a
specified byte.
 Stream created when a file is opened
 Provide communication channel between files and programs
 Opening a file returns a pointer to a FILE
 Example file pointers:
 stdin - standard input (keyboard)
 stdout - standard output (screen)
 stderr - standard error (screen)
3. Files and Streams…

Table of file open modes:


3. Files and Streams…
 Read/Write functions in standard library
 fopen - FILE *fopen(const char *filename, const char *mode)

 opens the filename pointed to by filename using the


given mode.
 Example:
 FILE * fp;
 fp = fopen ("file.txt", "w+");
 Arguments:
 filename -- This is the C string containing the name of the file to be
opened.
 mode -- This is the C string containing a file access mode.
 Return Value: This function returns a FILE pointer. Otherwise,
NULL is returned.
3. Files and Streams…
 Read/Write functions in standard library
 fclose - int fclose(FILE *stream)

 Closes the stream. All buffers are flushed.


 Example:
 FILE * fp;
 fclose(fp);
 Arguments:
 stream -- This is the pointer to a FILE object that specifies the
stream to be closed.
 Return Value: This method returns zero if the stream is
successfully closed. On failure, EOF is returned.
3. Files and Streams…
 Read/Write functions in standard library
 fgetc - c = fgetc(fp);

 int fgetc(FILE *stream)

 Gets the next character from the specified stream and


advances the pointer to the next character in the stream.

 Reads one character from a file

 Takes a FILE pointer as an argument

 Return Value: character read or EOF

 fgetc(stdin) equivalent to getchar() & scanf(“%c”, &c)


3. Files and Streams…
 Read/Write functions in standard library
 fputc - fputc(ch, fp);

 Declaration: int fputc(int char, FILE *stream)

 Parameters:
 char -- This is character to be written. This is passed as its int
promotion.

 stream -- This is the pointer to a FILE object that identifies the


stream where the character is to be written.

 Return Value -- If there are no errors, the same character that has
been written is returned.If an error occurs, EOF is returned and the
error indicator is set.

 fputc( 'a', stdout ) equivalent to putchar( 'a' )


3. Files and Streams…
 Read/Write functions in standard library
 fgets

 Declaration: char *fgets(char *str, int n, FILE *stream)


 Reads a line from a file till the EOF or n characters are
read
 Arguments
 str - array of chars where the string read is stored.
 n -- This is the maximum number of characters to be read
(including the final null-character)
 stream -- This is the pointer to a FILE object
 Return Value - On success, the function returns the same str
parameter. If Error, NULL pointer is retured
3. Files and Streams…
 Read/Write functions in standard library
 fputs - int fputs(const char *str, FILE *stream)

 Writes a string to the specified stream


 Arguments
 str -- This is an array containing the null-terminated sequence of
characters to be written.
 stream -- This is the pointer to a FILE object that identifies the
stream
 Return Value - This function returns a non-negative value else,
on error it returns EOF.
3. Files and Streams…
 Read/Write functions in standard library
 fprintf - int fprintf(FILE *stream, const char *format, ...)

 File processing equivalents of printf


 Sends formatted output to a stream.
 Arguments:
 stream -- This is the pointer to a FILE object that identifies the stream.
 format – Format specifiers
 Return Value:
 If successful, the total number of characters written is returned otherwise, a
negative number is returned.
3. Files and Streams…
 Read/Write functions in standard library
 fscanf - int fprintf(FILE *stream, const char *format, ...)

 File processing equivalents of scanf


 Reads formatted input from a stream.
 Arguments:
 stream -- This is the pointer to a FILE object that identifies the stream.
 format – Format specifiers
 Return Value:
 This function return the number of input items successfully matched and
assigned, which can be fewer than provided for, or even zero in the event of
an early matching failure.
4. Creating a Sequential Access File
 Creating a File
 FILE *myPtr;
 Creates a FILE pointer called myPtr
 myPtr = fopen("myFile.dat", openmode);
 Function fopen returns a FILE pointer to file specified
 Takes two arguments – file to open and file open mode
 If open fails, NULL returned
 fprintf
 Used to print to a file
 Like printf, except first argument is a FILE pointer (pointer to
the file you want to print in)
4. Creating a Sequential Access File…
 feof( FILE pointer )
 Returns true if end-of-file indicator (no more data to process)
is set for the specified file
 fclose( FILE pointer )
 Closes specified file
 Performed automatically when program ends
 Good practice to close files explicitly
 Details
 Programs may process no files, one file, or many files
 Each file must have a unique name and should have its own
pointer
1
2 /* Create a sequential file */
3 #include <stdio.h>
4
5 int main()
1. Initia lize va ria bles
6 { a nd FILE pointer
7 int account;
8 char name[ 30 ];
1.1 Link the pointer to
9 double balance;
a file
10 FILE *cfPtr; /* cfPtr = clients.dat file pointer */
11
12 if ( ( cfPtr = fopen( "clients.dat", "w" ) ) == NULL ) 2. Input da ta
13 printf( "File could not be opened\n" );
14 else {
15 printf( "Enter the account, name, and balance.\n" ); 2.1 Write to file
16 printf( "Enter EOF to end input.\n" ); (fprintf)
17 printf( "? " );
18 scanf( "%d%s%lf", &account, name, &balance );
19
3. Close file
20 while ( !feof( stdin ) ) {
21 fprintf( cfPtr, "%d %s %.2f\n",
22 account, name, balance );
23 printf( "? " );
24 scanf( "%d%s%lf", &account, name, &balance );
25 }
26
27 fclose( cfPtr );
28 }
29
30 return 0;
31 }
Enter the account, name, and balance.
Enter EOF to end input. Progra m Output

? 100 Jones 24.98


? 200 Doe 345.67
? 300 White 0.00
? 400 Stone -42.16
? 500 Rich 224.62
?
5. Reading Data from a Sequential Access File
 Reading a sequential access file
 Create a FILE pointer, link it to the file to read
myPtr = fopen( "myFile.dat", "r" );
 Use “fscanf” to read from the file
 Like scanf, except first argument is a FILE pointer
fscanf( myPtr, "%d%s%f", &myInt, &myString, &myFloat );
 Data read from beginning to end
 File position pointer
 Indicates number of next byte to be read / written
 Not really a pointer, but an integer value (specifies byte
location), Also called byte offset
 rewind( myPtr )
 Repositions file position pointer to beginning of file (byte 0)
2 /* Reading and printing a sequential file */
3 #include <stdio.h>
4
5 int main() 1. Initia lize va ria bles
6 {
7 int account;
8 char name[ 30 ]; 1.1 Link pointer to file
9 double balance;
10 FILE *cfPtr; /* cfPtr = clients.dat file pointer */
11 2. Rea d da ta
12 if ( ( cfPtr = fopen( "clients.dat", "r" ) ) == NULL ) (fscanf)
13 printf( "File could not be opened\n" );
14 else {
15 printf( "%-10s%-13s%s\n", "Account", "Name", "Balance" ); 2.1 Print
16 fscanf( cfPtr, "%d%s%lf", &account, name, &balance );
17
18 while ( !feof( cfPtr ) ) { 3. Close file
19 printf( "%-10d%-13s%7.2f\n", account, name, balance );
20 fscanf( cfPtr, "%d%s%lf", &account, name, &balance );
21 }
22
23 fclose( cfPtr );
24 }
25
26 return 0;
27 }
Account Name Balance
100 Jones 24.98 Progra m Output
200 Doe 345.67
300 White 0.00
400 Stone -42.16
500 Rich 224.62
1
2 /* Credit inquiry program */
3 #include <stdio.h>
4
5 int main() 1. Initia lize va ria bles
6 {
7 int request, account;
8 double balance;
2. Open file
9 char name[ 30 ];
10 FILE *cfPtr; 2.1 Input choice
11
12 if ( ( cfPtr = fopen( "clients.dat", "r" ) ) == NULL )
13 printf( "File could not be opened\n" ); 2.2 Sca n files
14 else {
15 printf( "Enter request\n"
16 " 1 - List accounts with zero balances\n" 3. Print
17 " 2 - List accounts with credit balances\n"
18 " 3 - List accounts with debit balances\n"
19 " 4 - End of run\n? " );
20 scanf( "%d", &request );
21
22 while ( request != 4 ) {
23 fscanf( cfPtr, "%d%s%lf", &account, name,
24 &balance );
25
26 switch ( request ) {
27 case 1:
28 printf( "\nAccounts with zero "
29 "balances:\n" );
30
31 while ( !feof( cfPtr ) ) {
32
33 if ( balance == 0 )
34 printf( "%-10d%-13s%7.2f\n",
35 account, name, balance );
36
37 fscanf( cfPtr, "%d%s%lf", 2.2 Sca n files
38 &account, name, &balance );
39 }
40
3. Print
41 break;
42 case 2:
43 printf( "\nAccounts with credit "
44 "balances:\n" );
45
46 while ( !feof( cfPtr ) ) {
47
48 if ( balance < 0 )
49 printf( "%-10d%-13s%7.2f\n",
50 account, name, balance );
51
52 fscanf( cfPtr, "%d%s%lf",
53 &account, name, &balance );
54 }
55
56 break;
57 case 3:
58 printf( "\nAccounts with debit "
59 "balances:\n" );
60
61 while ( !feof( cfPtr ) ) {
62
63 if ( balance > 0 )
64 printf( "%-10d%-13s%7.2f\n",
65 account, name, balance );
66
67 fscanf( cfPtr, "%d%s%lf",
68 &account, name, &balance );
69 } 3.1 Close file
70
71 break;
72 }
73
74 rewind( cfPtr );
75 printf( "\n? " );
76 scanf( "%d", &request );
77 }
78
79 printf( "End of run.\n" );
80 fclose( cfPtr );
81 }
82
83 return 0;
84 }
Enter request
1 - List accounts with zero balances
2 - List accounts with credit balances Progra m Output

3 - List accounts with debit balances


4 - End of run
? 1
Accounts with zero balances:
300 White 0.00
? 2
Accounts with credit balances:
400 Stone -42.16
? 3
Accounts with debit balances:
100 Jones 24.98
200 Doe 345.67
500 Rich 224.62
? 4
End of run.
6. Random Access Files
 Random access files
 Access individual records without searching through other records
 Instant access to records in a file
 Data can be inserted without destroying other data
 Data previously stored can be updated or deleted without overwriting
 Implemented using fixed length records
 Sequential files do not have fixed length records

0 100 200 300 400 500

}byte offsets
}
}
}
}
}
100
bytes
100
bytes
100
bytes
100
bytes
100
bytes
}100
bytes
7. Creating a Random Access File
 Data in random access files
 Unformatted (stored as "raw bytes")
 All data of the same type (ints, for example) uses the same
amount of memory
 All records of the same type have a fixed length
 Data not human readable

163
7. Creating a Random Access File
 Unformatted I/O functions
 fwrite
 Transfer bytes from a location in memory to a file
 fread
 Transfer bytes from a file to a location in memory
 Example: fread( &number, sizeof( int ), 1, myPtr );
fwrite( &number, sizeof( int ), 1, myPtr );
 &number – Location to transfer bytes from
 sizeof( int ) – Number of bytes to transfer
 1 – Number of elements to transfer
 In this case, "one element" of an array is being transferred
 myPtr – File to transfer to or from
7. Creating a Random Access File…
 Writing structs
fwrite( &myObject, sizeof (struct myStruct), 1, myPtr );
 sizeof – returns size in bytes of object in parentheses

 To write several array elements


 Pointer to array as first argument
 Number of elements to write as third argument
1 /*
2 Creating a randomly accessed file sequentially */
3 #include <stdio.h>
4
5 struct clientData { 1. Define struct
6 int acctNum;
7 char lastName[ 15 ];
1.1 Initia lize va ria ble
8 char firstName[ 10 ];
9 double balance;
10 }; 1.2 Initia lize struct
11
12 int main()
13 { 2. Open file
14 int i;
15 struct clientData blankClient = { 0, "", "", 0.0 }; 2.1 Write to file using
16 FILE *cfPtr;
unforma tted output
17
18 if ( ( cfPtr = fopen( "credit.dat", "w" ) ) == NULL )
19 printf( "File could not be opened.\n" ); 3. Close file
20 else {
21
22 for ( i = 1; i <= 100; i++ )
23 fwrite( &blankClient,
24 sizeof( struct clientData ), 1, cfPtr );
25
26 fclose( cfPtr );
27 }
28
29 return 0;
30 }
8. Writing Data Randomly to a Random access File

 fseek
 Sets file position pointer to a specific position
 fseek( FILE *fp, offset, whence);
 pointer – pointer to file
 offset – Number of bytes to offset from whence
 whence – Position from where offset is added
 SEEK_SET – seek starts at beginning of file
 SEEK_CUR – seek starts at current location in file
 SEEK_END – seek starts at end of file
1 /*
2 Writing to a random access file */
3 #include <stdio.h>
4
5 struct clientData { 1. Define struct
6 int acctNum;
7 char lastName[ 15 ];
8 char firstName[ 10 ];
1.1 Initia lize va ria bles
9 double balance;
10 }; 2. Open file
11
12 int main()
13 { 2.1 Input da ta
14 FILE *cfPtr;
15 struct clientData client = { 0, "", "", 0.0 };
16 2.2 Write to file
17 if ( ( cfPtr = fopen( "credit.dat", "r+" ) ) == NULL )
18 printf( "File could not be opened.\n" );
19 else {
20 printf( "Enter account number"
21 " ( 1 to 100, 0 to end input )\n? " );
22 scanf( "%d", &client.acctNum );
23
24 while ( client.acctNum != 0 ) {
25 printf( "Enter lastname, firstname, balance\n? " );
26 fscanf( stdin, "%s%s%lf", client.lastName,
27 client.firstName, &client.balance );
28 fseek( cfPtr, ( client.acctNum - 1 ) *
29 sizeof( struct clientData ), SEEK_SET );
30 fwrite( &client, sizeof( struct clientData ), 1,
31 cfPtr );
32 printf( "Enter account number\n? " );
33 scanf( "%d", &client.acctNum );
34 }
35
36 fclose( cfPtr );
37 }
3. Close file
38
39 return 0;
40 }

Progra m Output
Enter account number (1 to 100, 0 to end input)
? 37
Enter lastname, firstname, balance
? Barker Doug 0.00
Enter account number
? 29
Enter lastname, firstname, balance
? Brown Nancy -24.54
Enter account number
? 96
Enter lastname, firstname, balance
? Stone Sam 34.98
Enter account number
? 88 Progra m Output

Enter lastname, firstname, balance


? Smith Dave 258.34
Enter account number
? 33
Enter lastname, firstname, balance
? Dunn Stacey 314.33
Enter account number
? 0
9. Reading Data Sequentially from a Random access File

 fread - size_t fread(void *ptr, size_t size, size_t nmemb, FILE *stream)
 Reads a specified number of bytes from a file into memory
 Arguments:
 ptr -- This is the pointer to a block of memory with a minimum size
of size*nmemb bytes.
 size -- This is the size in bytes of each element to be read.
 nmemb -- This is the number of elements, each one with a size of size bytes.
 stream -- This is the pointer to a FILE object that specifies an input stream.

 Can read several fixed-size array elements


 Example: fread(buffer, strlen(c)+1, 1, fp);
 To read multiple elements, specify in third argument
1 /*
2 Reading a random access file sequentially */
3 #include <stdio.h>
4
5 struct clientData { 1. Define struct
6 int acctNum;
7 char lastName[ 15 ];
8 char firstName[ 10 ];
1.1 Initia lize va ria bles
9 double balance;
10 }; 2. Rea d (fread)
11
12 int main()
13 { 2.1 Print
14 FILE *cfPtr;
15 struct clientData client = { 0, "", "", 0.0 };
16
17 if ( ( cfPtr = fopen( "credit.dat", "r" ) ) == NULL )
18 printf( "File could not be opened.\n" );
19 else {
20 printf( "%-6s%-16s%-11s%10s\n", "Acct", "Last Name",
21 "First Name", "Balance" );
22
23 while ( !feof( cfPtr ) ) {
24 fread( &client, sizeof( struct clientData ), 1,
25 cfPtr );
26
27 if ( client.acctNum != 0 )
28 printf( "%-6d%-16s%-11s%10.2f\n",
29 client.acctNum, client.lastName,
30 client.firstName, client.balance );
31 }
32
33 fclose( cfPtr );
34 }
35
36 return 0;
37 } 3. Close file

Acct Last Name First Name Balance Progra m Output


29 Brown Nancy -24.54
33 Dunn Stacey 314.33
37 Barker Doug 0.00
88 Smith Dave 258.34
96 Stone Sam 34.98
14. Preprocessor
Introduction
Definition and Features:

Pre-processing is conceptually a separate first step in the compilation. It


performs the following actions before the compilation process:

 Inclusion of other files


 Definition of symbolic constants and macros
 Conditional compilation of program code
 Conditional execution of preprocessor directives

Operators: Two operators are available in standard C


o # - Used to replace the text token to a string surrounded by
quotes
o ## - Used to concatenate two tokens (Token Pasting)
File Inclusion (#include)
The #include Preprocessor Directive

o Used to include the copy of a specified file in place of the directive

Syntax:
Type 1: #include <filename>
 It searches standard library for the file
 Use for standard library files

Type 2: #include "filename"


 First, It searches the current directory for the file, if not
found, then it searches the standard library
 Used for user-defined files
File Inclusion (#include)…
The #include Preprocessor Directive

o Uses
 Loading header files

 #include<stdio.h>

 Programs with multiple source files to be compiled together

 Header file - has common declarations and definitions


(Structures, Unions, function prototypes)
Symbolic Constants (#define)
The #define Preprocessor Directive

Preprocessor directive used to create symbolic constants and macros.


When program compiled, all occurrences of symbolic constant replaced
with replacement text. (Also called as Object-Like Macros)

Syntax:
#define identifier replacement-text

Example:
#define PI 3.14159

o Every thing written right side of the identifier will be replaced.


o Cannot redefine symbolic constants with more #define statements
Macros (#define)
Macros: The #define Preprocessor Directive
o A macro is a fragment of code which has been given a name.
Whenever the name is used, it is replaced by the contents of the
macro. (GNU C Definition)
o By convention, macro names are written in uppercase to increase the
readability. People can differentiate between a normal variable and a
symbolic constant.

Types of Macros:
a) Object like macros (Symbolic Constants)
b) Function like macros
a) Object like Macros
Object like macros – Macros without arguments are treated
like Symbolic Constants and called as object like macros
Examples:
#define BUFFER_SIZE 1024
foo = (char *) malloc (BUFFER_SIZE);

Macro on multiple lines: (Use \ as line continuation)


#define NUMBERS 1, \
2, \ int x[] = { 1, 2, 3 };
Before
preprocessing 3
After
int x[] = { NUMBERS }; preprocessing

Side-Effect-Warning: Surprising line numbers in error


b) Function like Macros
Function like macros – To define a function like macro, use the same
directive “#define”, but put a pair of parentheses immediately after the
macro name.
Examples:
#define PI 3.14159
Before
#define CIRCLE_AREA( x ) ( PI * ( x ) * ( x ) )
preprocessing
area = CIRCLE_AREA(4);

After area = ( 3.14159 * ( 4 ) * ( 4 ) );


preprocessing

A function like macro is only expanded if its name appears with a pair of
parentheses after it.
b) Function like Macros…
 Without parentheses – Incorrect expansion

Before #define CIRCLE_AREA( x ) PI * ( x ) * ( x )


preprocessing area = CIRCLE_AREA( c + 2 );

After area = 3.14159 * c + 2 * c + 2;


preprocessing

 Multiple arguments

Before #define RECTANGLE_AREA( x, y ) ( ( x ) * ( y ) )


preprocessing
rectArea = RECTANGLE_AREA( a + 4, b + 7 );

After rectArea = ( ( a + 4 ) * ( b + 7 ) );
preprocessing
Macros - Exercise

o Write a program to compute the area of a rectangle


using macros
Function .vs. Macro
Macros - #undef

 #undef
 Undefines a symbolic constant or macro, which can later
be redefined

#include <stdio.h>

#define MAX(x,y) ((x) > (y) ? (x) : (y))

int main(void)
{
printf("Max between 10 and 9 is %d\n", MAX(10, 20));
return 0;
}
Conditional Compilation
 Conditional compilation
 Control preprocessor directives and compilation
 Note: Cast expressions, sizeof, enumeration constants cannot
be evaluated
 Structure is similar to “if” control structure
#if !defined( NULL )
#define NULL 0
#endif
 Determines if symbolic constant NULL defined
 If NULL is defined, defined(NULL) evaluates to 1
 If NULL not defined, defines NULL as 0
 Every #if ends with #endif
 #ifdef is the short form for #if defined(name)
 #ifndef is the short from for #if !defined(name)
Conditional Compilation…

 Other statements
#elif - equivalent of else if in an if structure
#else - equivalent of else in an if structure

 "Comment out" code


 Cannot use /* ... */
 Use
#if 0
code commented out
#endif
To enable the code, change 0 to 1
Conditional Compilation…

 Debugging

#define DEBUG 1
#ifdef DEBUG
printf("Variable x = %d“, x);
#endif

 Defining DEBUG enables code


 After code corrected, remove #define statement
 Debugging statements are now ignored
Pragmas - #pragma
 #pragma tokens
 Implementation defined action (consult compiler
documentation)
 Pragmas not recognized by compiler are ignored
 Examples:
 #pragma startup <function_name> [priority]
 It allows the program to execute a function before main
 #pragma exit <function_name> [priority]
 It allows the program to execute a function just before the
program termination using _exit.
Pragmas - #pragma
The #error Preprocessor Directives
 #error tokens
 Tokens - sequences of characters separated by spaces

Ex: "I like C" has 3 tokens

 Prints message and tokens (depends on implementation)

 For example: when #error encountered, tokens displayed


and preprocessing stops (program does not compile)

#ifdef LINUX
#error "Won't work on Linux”
#endif
## Operator - Concatenation
 ## - It concatenates two tokens

Example:
#define TOKENCONCAT( x, y ) x ## y

TOKENCONCAT( O, K ) becomes OK

#include <stdio.h>

#define tokenpaster(n) printf ("token" #n " = %d",token##n)

int main(void)
{
int token34 = 40;

tokenpaster(34);
return 0;
}
Day6

15. C & Assembly


16. Code Optimization
15. C & Assembly
Microcomputer system
A microcomputer system is made up of a microprocessor unit (MPU), a bus
system, a memory subsystem, an I/O subsystem and an interface among all
components.
How to operate?
 It requires a software to direct each of the hardware
components while they are performing their respective
tasks.

 Normally, there are two types of computer software are


required:
 System side (system software) – You may need to write in
assembly – High level language translators, Editors, OS,
Drivers etc.

 User side (user software) - You‟ll probably never write a


program in assembly – Built in libraries, programs written by
the user etc..
Levels of Programming

 There are three levels of programming

 Machine Language - Machine language programs are


programs that the computer can understand and execute
directly.

 Assembly language - Assembly Language is a low level


programming language using the human readable
instructions of the CPU.

 High-level language - high-level language instructions are


much closer to the English language and are structured so
that they naturally correspond to the way programmers
think.
Why to Learn assembly Language?
 You‟ll probably never write a program in assembly, unless you
are doing system programming
 Compilers are much better and more patient than you are
 But, understanding assembly is key to understanding the
machine-level execution model
 Behavior of programs in presence of bugs
 High-level language model breaks down
 Tuning program performance
 Understanding sources of program inefficiency
 Implementing system software
 Compiler has machine code as target
 Operating systems must manage process state
Assembly Language
 Assembly Language
 A Low level programming language for a computer or a device
and there is a strong correspondence between the language
and the machine code instructions
 Each assembly code is specific to a particular architecture
 Assembler
 A utility program which converts assembly language into
executable machine code, and this process is called
„assembling‟.
 Assembly instructions
 Straightforward translation to a group of machine language
bits that describe one instruction
gcc Compilation – Various steps

C Source Preprocessor Assembly Object Executable


Code Code Code File

prog.c prog.i prog.s prog.o prog

gcc –E

gcc -S

gcc -c

gcc -o
A C Program – Generate Assembly code
/* main.c */ How to obtain assembly
#include <stdio.h> code?
int main(void)
$ gcc -S main.c
{
printf(“Generate Assembly Code”);
return 0;
Output file: main.s
}

 Generally, any assembly language instruction includes


a label, a mnemonic, and operands.
 An operand's notation is sufficient to decipher the operand's addressing
mode

 The mnemonics operate on the information contained in the operands.


Mixing C and Assembly
Example: Write the main program in C (main.c) and the function
square is in assembly (sqr.s). C is calling assembly.

//main.c
main()
{
int i = sqr(11);
printf("%d\n",i);
}

//sqr.s
.globl sqr
sqr:
movl 4(%esp), %eax
imull %eax, %eax
ret

Compilation: $ gcc main.c sqr.s


Mixing C and Assembly
Example: Write the main program in assembly (main.s) and the
function print is in C (print.c). Assembly is calling C.

//print.c
print(int i)
{
printf("%d\n",i);
}

//main.s
.globl main
main:
movl $123, %eax
pushl %eax
call print
addl $4, %esp
ret

Compilation: $ gcc main.s print.c


Inline Assembly Programming (asm)
What is INLINE ASSEMBLY PROGRAMMING? - Use “asm” instruction
In C, we can insert assembly code within C programs, such that
register allocation can be either specified or left to to the compiler.
 The assembly instruction are architecture dependent.
 The ”asm” instruction allows you to insert assembly instructions
into your C or C++ programs. For example the instruction:
Example:
Assembly: asm ("fsin" : "=t" (answer) : "0" (angle));
C: answer = sin(angle);

 Unlike ordinary assembly code instructions ”asm statements”


permit you to specify input and output operands using C syntax
 asm statements should not be used indiscriminately
Inline Assembly Programming - Examples
Example: Find bit position using bsrl (Using assembly)

#include <stdio.h>
#include <stdlib.h>
int main(int argc, char *argv[])
{
long max = atoi(argv[1]);
long number;
unsigned position;
volatile unsigned result;

for (number = 1; number <= max; ; ++number) {


asm("bsrl %1, %0" : "=r" (position) : "r" (number));
result = position;
}
return 0;
}

Compilation: $ cc -O2 -o bit-pos-asm bit-pos-asm.c


Execution Time: $ time ./bit-pos-loop 250000000 (Without asm)
Execution Time: $ time ./bit-pos-asm 250000000 (With asm)
Assignment
1. Compile several small C programs with and without optimization options
(like -O2). Read the resulting assembly codes and find out some
common optimization tricks used by the compiler.

2. Interpret assembly code for switch statement.

3. Compile several small C programs with inline asm statements. What


differences do you observe in assembly codes for such programs.
16. Code Optimization
Introduction

Optimization:

 It is the process of transforming the program to improve its


efficiency

Efficiency: It will be measured by,

 Performance:

 Faster execution  CPU

 Size:

 Smaller executable
 Smaller memory footprint  Memory (RAM)
Optimization - Roles

Programmer Compiler Processor

• Innovative • Choice of • Pipelining


algorithms instructions • Multiple tasks
• Intelligent • Moving code • Memory
coding • Reordering accessing
code • Parallelizing
• Strength etc..
reduction
• Many more…

Rest of the system: we may not able to control…


Optimization Techniques
1. Redundancy elimination
2. Constant Folding
3. Constant propagation
4. Copy Propagation
5. Algebraic Simplifications
6. Strength Reduction
7. Dead Code Elimination
8. Structure Simplifications
9. Common sub-expression elimination
10. Loop Optimizations
11. Code Inlining
12. Loop Unrolling
1. Redundancy elimination
 Definition: Finding out the duplicate computations and
eliminating the duplications.
 Types of redundancy elimination:
 Value numbering
 Associates symbolic values to computations and identifies
expressions that have the same value
 Common sub-expression elimination
 Identifies expressions that have operands with the same name
 Constant/Copy propagation
 Identifies variables that have constant/copy values and uses
the constants/copies in place of the variables.
 Partial redundancy elimination
 Inserts computations in paths to convert partial redundancy to
full redundancy.
2. Constant Folding

 Constant folding: Evaluation of an expression with


constant operands to replace the expression with single
value  Replace a constant expression with its value
 Example:
area := (22.0/7.0) * r ** 2

area := 3.14286 * r ** 2

 Evaluate constant expressions at compile time

 “Only possible when side-effect freeness guaranteed” 


We may lose accuracy
3. Constant propagation
 Constant Propagation: Replace a variable with constant
which has been assigned to it earlier.

Examples:

(a) pi = 3.14286;
area = pi * r ** 2;

area = 3.14286 * r ** 2;

a= 2; a= 2;
(b) b = 6 ; b = 6;
count = a+b; count = 8;
for(i=0; for(i=0;
i<count; i++) i<count; i++)
4. Copy Propagation
Copy Propagation: Given an assignment x=y, replace later uses
of x with y, if there are no intervening assignments to x or y.

Example:
In a statement x = y, replace later uses of x with y, if x and y
have not been changed.

X[i] = a; X[i] = a;
Sum = x[i] Sum = a +
+ b; b;

Analysis needed, as y and x can be assigned more than once!


5. Algebraic simplifications
Definition: Use algebraic properties to simplify expressions

-(-i) i

If(x | 1) If( 1
)

Important to simplify code for later optimizations


5. Algebraic simplifications…

1 x =a+b

2 a = b 3

z = a + b + 10 4

“a + b” is not a common
sub-expression in 1 and 4

None of the variable involved should be modified in any path


6. Strength reduction

 Definition: Replace expensive operations with simpler ones


 Example: Multiplications (*) replaced by addition (+)

y = x * 2 y = x + x
7. Dead Code Elimination
 Definition: Dead Code are portion of the program which
will not be executed in any path of the program.
Removing such portions of code is called as dead code
elimination.
 Examples:
 If control does not go into a basic block, remove it.
 A variable is dead at a point -> its value is not used
anywhere in the program
 An assignment is dead -> assignment assigns a value to
a dead variable
7. Dead Code Elimination…

“x” is dead
x=y-5 variable
Definition of “x”
is dead

Beware of side effects in code during dead code elimination


7. Dead code elimination…

 Remove unnecessary code


o Example1: variables assigned but never read

x = 8;
c = a + 8;
c = a + 8;
d = 3 + c;
d = 3 + c;

o Example2: Remove code never reached

if (false) {a if (false)
= 5} {}
8. Structure Simplification
 Similar to dead code: Simplify Complex Structures

 Optimizations will degenerate simplified structures

 Needs to be cleaned to simplify further optimization!


8. Simplify Structures…
Delete empty basic blocks
Empty basic
block
8. Simplify Structures…
Fuse basic blocks
9. Common sub-expression elimination
Common Sub-expression:
 There is another occurrence of the expression whose evaluation
always precedes this one
 Operands remain unchanged

Types:

 Local - Inside one basic block


 Global - Complete flow-graph
9. Local Common sub-expression elimination…
 Local common sub-expression elimination
 Performed within basic blocks
 Algorithm:
 Traverse Basic Block from top to bottom
 Maintain table of expressions evaluated so far
 if any operand of the expression is redefined, remove it
from the table
 Modify applicable instructions as you go
 Generate temporary variable, store the expression in it and
use the variable next time the expression is encountered.

t=a+b
x=a+b x=t
... ...
y=a+b y=t
9. Common sub expression elimination…
 Identify common sub-expression present in different
expression, compute once, and use the result in all the
places.
 The definition of the variables involved should not change

Example 2:
a = b * c; temp = b * c;
… a = temp;
… …
x = b * c + 5; x = temp + 5;
10. Loop Optimization
 Normally, Loops are the most expensive blocks in a C
program. The following are the common techniques
followed to optimize the loops.

 Techniques:
a) Code motion
b) Induction variable elimination
c) Strength reduction
a) Code Motion

 Moving code from one part of the program to other without


modifying the algorithm

 Reduce size of the program

 Reduce execution frequency of the code subjected to


movement
a) Code Motion…

1. Code Space reduction: Similar to common sub-


expression elimination but with the objective to reduce
code size.

Example: Code hoisting


for(i=0; i<n; ++i) temp = x ** 2
{
if (a< b) then if (a< b) then
z = x ** 2 z = temp
else else
y = x ** 2 + 10 y = temp + 10
}

“x ** 2“ is computed once in both cases, but the code size in the second case
reduces.
b) Induction variable optimization
Values of variables form an arithmetic progression

int a[100]; int a[100];


for(i=1; i< 100; t1 = 202;
i++) for(i=1; i< 100;
{ i++)
a[i] = 202 {
– 2 * i; t1 = t1 – 2;
} a[i] = t1;
}
value assigned to a
decreases by 2 Uses Strength
Reduction
(Introduce a new
variable)
11. Code Inlining
 All optimization up to know where local to one procedure

 Problem: procedures or functions are very short


 Especially in good C code!

 Solution: Copy code of small functions into the caller

a = pow2(n); pow(x) {
return (x*x);
}

a = n * n;
12. Loop Unrolling
 Replicate the body of a loop (N-1) times, resulting in total N
copies.
 Enable overlap of operations from different iterations
 Increase potential of instruction level parallelism (ILP)
 Variants:
 Unroll multiple of known trip counts
 Unroll with remainder loop
 While loop unroll
12. Loop Unrolling…

for (int i = 0; i < (n - 2); i+=3)


for (int i = 0; i < n; ++i) {
{ A(i);
A(i); A(i+1) ;
B(i); A(i+2) ;
C(i); B(i) ;
} B(i+1);
B(i+2) ;
C(i) ;
C(i+1);
C(i+2) ;
}
Day 8

17. Secure Coding Practices


17. Secure Coding Practices
Introduction
 Secure Coding: It is a practice of writing programs that are
resistant to vulnerabilities.
 It helps to protect the user data either from corruption or theft
 Every program is a target for an attacker
 Attacker tries to find out the vulnerabilities
 What are the problems with insecure programs?
 It may provide an easy access to the attacker to take control of
your program and hence the system
 Denial of Service (DoS), Data theft, Damage to the
systems etc..
 An insecure program may corrupt the data without the
intervention of any third person
 System Crash, Program Crash, Unexpected results etc..
Hackers, Crackers, Attackers…
1. Hacker: An expert programmer who finds security
vulnerabilities in code and publish them if required.
 They are not malicious
 We also call them as “White Hats”.

2. Crackers or Attackers: The malicious individuals who break


into programs and systems in order to do damage or to steal
something.
 May not be highly skilled, but take advantage of Loopholes
 We also call them as “Black Hats”.
Properties of Secure code
 Seamless - Smooth, without any hurdles

 Easy to understand - Programmer may change

 Resilient to attacks - Able to cope up from attacks

 Attack awareness - Should aware of attacks

 Error tolerant - Should tolerate errors


Secure application

“Secure” Application

Design and implementation


of security features.  Robust Programming Practices
 Good design and coding practices
From the Requirements

Ref: Security Engineering for Software, Dimitry Averin.


Types of Vulnerabilities
The following are the major types of vulnerabilities, but not
limited to the following list.

 Buffer overflows

 Invalid input

 Race conditions

 Access-control problems

 Weaknesses in authentication, authorization, or


cryptographic practices

 Social Engineering
Buffer Overflows
Definition: A buffer overflow occurs when a program attempts to
write data past the end (or) before the beginning of a buffer.

 If the input is longer than the allocated memory for it then the data will
“overwrite” other data in memory.

 Buffer overflows – Stack Overflows, Heap Overflows, String overflows


16 Bytes of Data

Source
Memory
Copy
Operation
Destination
Memory

Allocated Memory (12 Bytes) Other Memory


(a) Stack Overflows
Malicious user can use longer data than required to overwrite the
return address of a function, substituting the address of his own code.
(c) String Overflows
 Many string-handling functions have no built-in checks for string
length.
 strings are frequently the source of exploitable buffer overflows.

Three string copy functions handle the same over-length string


(c) String Overflows…
Three string copy functions handle the same over-length string

 Strcpy function merely writes the entire string into memory,


overwriting whatever came after it – Not Safe

 Strncpy function truncates the string to the correct length, but


without the terminating null character – Not safe

 Strlcpy function truncating the string to one byte smaller than the
buffer size and adding the terminating null character – Fully safe
Buffer Overflows – How to avoid?
 Few Tips:
 Calculate buffer sizes properly

 Avoid integer overflows also


Invalid Inputs
 Vulnerabilities:
 Buffer overflows

 Format string vulnerabilities

 URL commands

 Code insertion

 Social engineering
Secure Coding Practices
 Macros

 Format string vulnerabilities

 URL commands

 Code insertion

 Social engineering
Macros
Prefer inline functions to macros
#define CUBE(X) ((X) * (X) * (X))
int i = 2;
int a = 81 / CUBE(++i);

int a = 81 / ((++i) * (++i) * (++i));

inline int cube(int i) {


return i * i * i;
}

void func(void) {
int i = 2;
int a = 81 / cube(++i);
/* ... */
}

Macro expansion should always be parenthesized for function-like macros


Header Files

Do not reuse a standard header file name

If a file with the same name as a standard file name is placed in


the search path for included source files, the behaviour is
undefined.

Example:

#include<stdio.h>

#include”stdio.h”
Header Files…

Header file names must be unique

According to C99 standard:


 The first eight characters in the filename are significant
 The file only has one character after the period in the filename
 The case of the characters in the filename is not necessarily
significant

Example:

#include ”systypes1.h”

#include ”systypes2.h”

The first 8 characters are exactly same. It cannot differentiate.


Variable scopes
Do not reuse variable names in a single scope

Example:

char msg[100];
void hello_message()
{
char msg[80] = "Hello";
strcpy(msg, "Error");
}

Msg[100] and msg[80] declarations are in the same scope.


Multi Variable declarations
Take proper care when we declare multiple variables
in a single line

Example:

char* s1=0, s2=0;

It is equal to
char *s1=0;
char s2=0;

But, our intension may be,


char *s1=0;
char *s2=0;
Precedence
Use parentheses to define precedence

Example:

x & 1==0

x & (1==0)  x & 0  Always zero

Solution:

(x & 1) == 0  Checks the least significant bit of x


sizeof
Operands to the sizeof operator should not
contain side effects

Example:

int a = 14;
int b = sizeof(a++);

The expression a++ will not be evaluated here.

Solution:

int a = 14;
int b = sizeof(a);
a++;
Enum
Ensure enum constants map to unique values

Example:

enum {red=4, orange, yellow, green, blue, indigo=6, violet};

Problem:
yellow and indigo have same values

Solution:
Do not do arbitrary assignments in enum.

enum {red, orange, yellow, green, blue, indigo, violet};


Integer Arithmetic
Ensure that integer arithmetic will not cause overflow

Example:

unsigned int a, b, c;
c = a + b;

Problem:
a + b may not fit in c.

Solution:
Do error handling to check whether a+b fits in c or not.
Float Arithmetic
Take care the order of floating point arithmetic

Example:

double x, y, z;
/* ... */
x = (x * y) * z; /* not equivalent to x *= y * z; */
z = (x - y) + y ; /* not equivalent to z = x; */
z = x + x * y; /* not equivalent to z = x * (1.0 + y); */
y = x / 5.0; /* not equivalent to y = x * 0.2; */
Float comparison
Do not use floating point comparisons directly

Example:

float x;
float y;
/* Intermediate calculations on x, y */
if (x == y)
{
/* values are equal? */
}
else
{
/* values are not equal? */
}
Math Functions
Prevent domain errors in math functions

Example:

float x, result;
result = acos(x);

Problem:
The range of x is [-1, 1]. This need to be checked.

Solution:
float x, result;
if ( islessequal(x,-1) || isgreaterequal(x, 1) )
{
/* handle domain error */
}
result = acos(x);
Array Copying
Ensure that array sizes & Types in expressions
are compatibles
Example:
enum { a = 10, b = 15, c = 20 };
int arr1[c][b];
int (*arr2)[a];
arr2 = arr1; /* Not compatible, because a != b */

Problem:
arr1[20][15], arr2[][10].

Solution:
enum { a = 10, b = 10, c = 20 };
int arr1[c][b];
int (*arr2)[a];
arr2 = arr1; /* Compatible, because a = b */
String Literals
Use const qualifier to initialize string literals

Example:
char *c = "Hello";

Solution:
char const *c = "Hello";
Memory deallocation
Set pointers to dynamically allocated memory to NULL after
they are released – It avoids double free vulnerability.

Example:
if (message_type == value_1) {
/* Process message type 1 */
free(message);
}
/* ...*/
if (message_type == value_2) {
/* Process message type 2 */
free(message);
}

Problem:
We are trying to deallocate “message” twice. It causes double
free vulnerability.
Memory deallocation…
Set pointers to dynamically allocated memory to NULL after
they are released – It avoids double free vulnerability.

Solution:
if (message_type == value_1) {
/* Process message type 1 */
free(message);
message = NULL;
}
/* ...*/
if (message_type == value_2) {
/* Process message type 2 */
free(message);
message = NULL;
}

Assign NULL to message after free(). We can call free() on a


NULL pointer. It will do nothing.
Few more….
 Do not access freed memory

 Free dynamically allocated memory only once

 Detect and handle critical memory allocations


Thank You

You might also like