SlideShare a Scribd company logo
Programming in C
Part – 1: Introduction
Resources:
1. Stanford CS Education Library URL:
http://cslibrary.stanford.edu/101/
2. Programming in ANSI C, E Balaguruswamy,
Tata McGraw-Hill
PROGRAMMING IN C
A computer program is a collection of instructions for performing some specified
task(s) with the computer.
• C is the offspring of Basic Combined Programming Language (‘B’)
developed in 1960s by Cambridge University
• ‘B’ was Modified by Dennis Ritchie at Bell Laboratories in 1972, and was
named ‘C’.
• Pros and cons:
• Programmers language. Gets in programmers way as little possible.
• You need to know exactly what you are doing !! Can be Irritating and
confusing for beginners .
• Structure of Programs
• A C program is a collection of functions.
• Execution starts at the main() function.
Documentation Section
__________________________
Link Section
__________________________
Definition Section
__________________________
Globel Decleration Section
__________________________
Function Section
Main()
{
____DECLERATION PART____
____EXECUTABLE PART_____
}
___________________________
Subprogram Section
Function 1
Function 2
..
..
General structure of a C Program
/*This is my First program*/
#include<stdio.h> /*link */
void main()
{
printf(“This my first C progn“);
}
Documentation Section
__________________________
Link Section
__________________________
Definition Section
__________________________
Globel Decleration Section
__________________________
Function Section
Main()
{
____DECLERATION PART____
____EXECUTABLE PART_____
}
___________________________
Subprogram Section
Function 1
Function 2
..
..
General structure of a C Program
/*this is my second program*/
#include<stdio.h> /*link */
#define pi 3.14 /*definition*/
float area; /*global */
void main()
{
float r; /*Declaration*/
r=1.0;
area=pi*r*r;
printf(“area is %d n“,area);
}
Writing and executing a C Program in LINUX
Create a c program
cd to your directory of choice, and write the c-program using some text editors (eg.
vi,vim)
e.g. cd ~/Cprog
vim firstprog.c
Compiling and linking
use an existing compiler (gcc, cc etc) to compile your program an make an
executable
e.g. cc filename
gcc filename1, filename2, filename3 ………
Common options:
–lm : library math
-c : Compiles without linking. binaries are saved as "filename.o"
-o exename: compiled binary with specified filename. (a.out default)
gcc –o myprog firstprog.c
Execute the program
./filename will execute the program. (Should have the “x” flag on !)
C variables and Data Types
Keywords:
#include <stdio.h>
#define PI 3.14
float area;
void main()
{
double r;
r=1.0;
area=PI*r*r;
printf(“Area is %d n“,area);
}
Keywords Serves as Basic building blocks of the programs.
Backslash character constants:
#include <stdio.h>
#define PI 3.14
float area;
void main()
{
double r;
r=1.0;
area=PI*r*r;
printf(“Area is %d n“,area);
}
Variables
/*This is my second program*/
#include "stdio.h" /*link */
#define PI 3.14 /*definition*/
float area;
void main()
{
double r;
r=1.0;
area=PI*r*r;
printf(“Area is %d n“,area);
}
• C puts the type first followed by the
name.
• They begin with a letter
• Upto 31 characters (ANSI)
• Case Sensitive
• Must not be a keyword
• Should not conflict with built-
in functions
• No while spaces
• Retains random values unless set.
a variable declaration reserves and
names an area in memory at run
time to hold a value of particular
type.
Integers
All behave like integers and can be mixed with one another.: e.g. int, short,
long , char
Floating Point:
float(~6 digit precision), double(~15 digit precision), long double
Data Types
8 bit = 1 byte (Note: Actual byte/ datatype may vary from machine to machine)
Declaration syntax
data-type v1,v2,…..vn;
Variables are separated by commas.
Statement ends with a semicolon(;).
Example:
int count;
int a=5, b=2, c;
double ratio;
/*This is my second program*/
#include "stdio.h" /*link */
#define PI 3.14 /*definition*/
float area;
void main()
{
double r;
r=1.0;
area=PI*r*r;
printf(“Area is %d n“,area);
}
%i ,
%d
%u
%6d
Integer(decimal, hexa or octa decimal) Decimal
integer.
Unsigned decimal integer.
decimal integer, at least 6 characters wide.
%f
%6f
%.2f
%6.2f
print as floating point
floating point, at least 6 characters wide
floating point, 2 characters after decimal point
floating point, at least 6 wide and 2 after decimal
point
%o Octal
%x Hexadecimal
%c or %s Character / String
%% For printing %
%e,%E Exponential notation
printf(“Area is %d n“,area);
Format Specifies
C-PPT.pdf
• The integral types may be mixed together in arithmetic expressions since they are all
basically just integers with variation in their width.
• For example, char and int can be combined in arithmetic expressions such as ('b' + 5).
• In such a case, the compiler "promotes" the smaller type (char) to be the same size as
the larger type (int) before combining the values.
• Promotions are determined at compile time based purely on the types of the values in
the expressions.
• Promotions do not lose information -- they always convert from a type to compatible,
larger type to avoid losing information.
• Overflow:
TYPE COMBINATION AND PROMOTION
TRUNCATION
• The opposite of promotion, truncation moves a value from a type to a smaller
type.
• The compiler just drops the extra bits. (May or may not generate a compile time
warning of the loss of information).
Assigning from an integer to a smaller
integer (e.g.. long to int, or int to
char) drops the most significant bits.
char ch;
int i;
i = 321;
ch = i;
//int  char (ch is now 65)
Assigning from a floating point type to an
integer drops the fractional part of the number.
double pi;
int i;
pi = 3.14159;
i = pi;
// floatint (i is now 3)
scale the unit test marks in the range 0 - 20 to the range 0 -100.
Divide the marks by 20, and then multiply by 100 to get the scaled marks.
MORE EXAMPLES
#includestdio.h
main()
{
int score;
scanf(“enter the marks: %d” score);
score = (score / 20) * 100;
printf(“revised marks= %d“,score);
}
score = ((double)score / 20) * 100;
Operators and Expressions
THE ASSIGNMENT OPERATORS
= Assignment operator (copies the value
from its right hand side to the variable
on its left hand side)
The assignment also acts as an
expression which returns the newly
assigned value
i = i +3;
(means
i  i +3)
y = (x = 2 * x);
Other Assignment operators besides the “ = “ operator are as follows:
+= , -= Increment or decrement by RHS i+=3
*= , /= Multiplication or division by RHS i/=3
is equivalent to
i=i/3
= , = Bitwise Right/Left Shift by RHS
(divide/Multiply by 2n)
=,|=,^= Bitwise AND,OR,XOR by RHS.
MATHEMATICAL OPERATORS
C supports the following operation
+ Addition
- Subtraction
/ Division
* Multiplication
% Remainder (mod)
• use parenthesis to avoid any bugs due to a misunderstanding of
precedence.
• For example, A division (/) with two integer arguments will do integer
division. If either argument is a float, it does floating point division. So
(10/4) evaluates to 2 while (10/4.0) evaluates to 2.5.
SIMPLE CONVERSIONS
(1)y = m*x*x;
(2)y = 1.0E-4*exp(-pow(sin(x),2)/5.0);
(3)y = (a+b*x)/(x*sin(x*x));
(4)y = sqrt(sigma(1+x*x)/fabs(1-x)*sqrt(log10(1+p*p))+6)-x;
or
a = sqrt(log10(1+p*p);
b = sigma(1+x*x)/fabs(1-x);
y = sqrt(a*b+6)-x;
x
p
x
x
y
x
x
bx
a
y
e
y
mx
y x
−
+
+








−
+
=
+
=
=
= −
−
6
)
1
(
log
1
1
)
4
(
)
sin(
)
3
(
10
)
2
(
)
1
(
2
10
2
2
5
/
)
sin(
4
2 2
σ
Increment (++) and decrement(--) operators
UNARY OPERATORS
The increment (decrement) operator increases (decreases) the value of the
variable by 1.
Operation Example Equivalent to
var++ (post increment) j=(i++ + 10); j = i+10;
i= i+1;
j is52
++var (pre increment) j= (++i +10); i= i+1;
j= i+10;
j is53
Var-- (post decrement) j=(i-- + 10); j = i+10;
i = i-1;
j is52
--var (pre decrement) j=(--i + 10); i= i-1;
j= i+10;
j is51
int i=42, j;
RELATIONAL OPERATORS
These operate on integer or floating point values and return a 0 or 1 boolean
value.
Operator Meaning
== Equal
!= Not equal
 Greater Than
 Less Than
= Greater or Equal
= Less or Equal
= ASSIGNMENT operator (does not belong to
this class)
LOGICAL OPERATORS
Logical operators take 0 as false and anything else to be true
BOOLEAN operators
Op Meaning
! Boolean NOT
 Boolean AND
|| Boolean OR
BITWISE OPERATORS
(Manipulates data at BIT level)
Op Meaning
~ Bitwise Negation
 Bitwise AND
| Bitwise OR
^ Bitwise XOR
 Right shift (divide
by power of 2)
 Left shift (divide
by power of 2)
Bitwise operators have higher
precedence over Boolean
operators.
basic housekeeping functions are available to a C program in form of standard
library functions. To call these, a program must #include the appropriate .h file
STANDARD LIBRARY FUNCTIONS
stdio.h file input and output
math.h mathematical functions such as sin() and cos()
conio.h/
cursers.h
time.h date and time
ctype.h character tests
string.h string operations
stdlib.h utility functions such as malloc() and rand()
assert.h the assert() debugging macro
stdarg.h support for functions with variable numbers of arguments
setjmp.h support for non-local flow control jumps
signal.h support for exceptional condition signals
limits.h, float.h constants which define type range values such as INT_MAX
http://www.cplusplus.com/reference/cmath/
(only important contents shown, for all contents search the web)
math.h contents
Trigonamitric/ hyperbolic: cos, sin, tan, acos, asin, atan, cosh,
sinh, tanh
Exponential and logarithmic functions: exp,log, log10
Power functions: pow, sqrt
Rounding and remainder etc: ceil, floor, fmod, fabs
stdio.h contents
Formatted input/output: fprintf, fscanf, printf, scanf, sprintf,
sscanf.
File access: fclose, fopen, fread, fwrite.
Character i/o: fgetc, getc, getchar, gets, putc, putchar, puts.
http://www.cplusplus.com/reference/cmath/
(only important contents shown, for all contents search the web)
Stdlib.h contents
Pseudo-random sequence generation: rand, srand
Dynamic memory management (DMA): calloc, free, malloc, realloc
Environment: abort, exit, getenv, system
string.h contents
strcpy, strcat, strcmp, strchr, strlen
time.h contents
Clock, difftime, time
ctype.h contents
isalnum, isalpha, isblank, iscntrl, isdigit, islower, isupper
• The Preprocessor is a program that processes the C code before it is
processed by the compiler.
• Preprocessor Directives are placed before the main()
• Common Directives: #define, #include, #undef, #ifdef, #endif,
#ifndef, # if, # else
THE C PREPROCESSOR
#define
Sets up symbolic textual replacements
in the source.
#include
Brings in texts from different files
during compilation.
#define PI 3.14
#define Test if(xy)
#define cube(x) x*x*x
#includefile1.h // System
#include “file1.h” //user
(c)
(d)
z
y
x bc
ax
c
b
ax
−
+
f
d
bc
a
−
+
x
y
x
x
−
+
−






−
+
6
1
1
1
σ
kT
m
x
e
kT
)
(
2
2
1 −
σ
π
α
(a) (b)
(e)
1. Convert to equivalent C statement
ASSIGNMENT –I
TO BE SUBMITTED BY 19-08-2013.
THIS IS A PART OF CONTINUOUS ASSESSMENT, AND WILL CARRY MARKS
SUBMIT THEM IN A SHEET BY 19-08-2013. WRITE:
YOUR NAME, LEVEL (MSC / NANO/ IMSC ETC) AND ROLL NO
(2) Write Programs to,
a. Display your name.
b. add two given nos (c=a+b) and display the results
c. Read two integers and display the result of their division(c=a/b).
d. Calculate radius of a circle, given its area. Display your result only
upto 3 decimal places.
e. write a program to display various numbers associated with the ASCII
characters.
PRACTICE THEM DURING LAB ON TUESDAY (AND
OTHER DAYS AS WELL) TO ENSURE THE CORRECTNESS OF THE
PROGRAM SUBMITTED.
ASSIGNMENT–I (CONTD..)

More Related Content

PPT
Unit i intro-operators
PPT
c-programming
PPTX
Each n Every topic of C Programming.pptx
PPTX
C programming language
PPT
Ch2 introduction to c
PPTX
introduction to c programming and C History.pptx
PPT
Token and operators
PDF
C intro
Unit i intro-operators
c-programming
Each n Every topic of C Programming.pptx
C programming language
Ch2 introduction to c
introduction to c programming and C History.pptx
Token and operators
C intro

Similar to C-PPT.pdf (20)

PPT
M.Florence Dayana / Basics of C Language
PPTX
presentation_data_types_and_operators_1513499834_241350.pptx
PDF
2 EPT 162 Lecture 2
PPTX
Fundamentals of computers - C Programming
PPT
c_tutorial_2.ppt
PPT
C material
ODP
C prog ppt
PDF
java or oops class not in kerala polytechnic 4rth semester nots j
PPTX
Programming in C Basics
PPT
Cbasic
PDF
Fundamentals C programming and strong your skills.
PPTX
Lecture 01 Programming C for Beginners 001
PPTX
Lecture 02 Programming C for Beginners 001
PPTX
presentation_c_basics_1589366177_381682.pptx
PPTX
component of c language.pptx
PDF
learn basic to advance C Programming Notes
PPT
slidenotesece246jun2012-140803084954-phpapp01 (1).ppt
PPT
Introduction to c
M.Florence Dayana / Basics of C Language
presentation_data_types_and_operators_1513499834_241350.pptx
2 EPT 162 Lecture 2
Fundamentals of computers - C Programming
c_tutorial_2.ppt
C material
C prog ppt
java or oops class not in kerala polytechnic 4rth semester nots j
Programming in C Basics
Cbasic
Fundamentals C programming and strong your skills.
Lecture 01 Programming C for Beginners 001
Lecture 02 Programming C for Beginners 001
presentation_c_basics_1589366177_381682.pptx
component of c language.pptx
learn basic to advance C Programming Notes
slidenotesece246jun2012-140803084954-phpapp01 (1).ppt
Introduction to c
Ad

Recently uploaded (20)

PDF
Module 4: Burden of Disease Tutorial Slides S2 2025
PDF
Black Hat USA 2025 - Micro ICS Summit - ICS/OT Threat Landscape
PDF
BÀI TẬP BỔ TRỢ 4 KỸ NĂNG TIẾNG ANH 9 GLOBAL SUCCESS - CẢ NĂM - BÁM SÁT FORM Đ...
PDF
Microbial disease of the cardiovascular and lymphatic systems
PDF
Classroom Observation Tools for Teachers
PDF
01-Introduction-to-Information-Management.pdf
PDF
Computing-Curriculum for Schools in Ghana
PPTX
IMMUNITY IMMUNITY refers to protection against infection, and the immune syst...
PDF
VCE English Exam - Section C Student Revision Booklet
PDF
Anesthesia in Laparoscopic Surgery in India
PDF
TR - Agricultural Crops Production NC III.pdf
PDF
Supply Chain Operations Speaking Notes -ICLT Program
PPTX
school management -TNTEU- B.Ed., Semester II Unit 1.pptx
PDF
RMMM.pdf make it easy to upload and study
PDF
O5-L3 Freight Transport Ops (International) V1.pdf
PDF
STATICS OF THE RIGID BODIES Hibbelers.pdf
PPTX
GDM (1) (1).pptx small presentation for students
PDF
Physiotherapy_for_Respiratory_and_Cardiac_Problems WEBBER.pdf
PDF
Pre independence Education in Inndia.pdf
PDF
FourierSeries-QuestionsWithAnswers(Part-A).pdf
Module 4: Burden of Disease Tutorial Slides S2 2025
Black Hat USA 2025 - Micro ICS Summit - ICS/OT Threat Landscape
BÀI TẬP BỔ TRỢ 4 KỸ NĂNG TIẾNG ANH 9 GLOBAL SUCCESS - CẢ NĂM - BÁM SÁT FORM Đ...
Microbial disease of the cardiovascular and lymphatic systems
Classroom Observation Tools for Teachers
01-Introduction-to-Information-Management.pdf
Computing-Curriculum for Schools in Ghana
IMMUNITY IMMUNITY refers to protection against infection, and the immune syst...
VCE English Exam - Section C Student Revision Booklet
Anesthesia in Laparoscopic Surgery in India
TR - Agricultural Crops Production NC III.pdf
Supply Chain Operations Speaking Notes -ICLT Program
school management -TNTEU- B.Ed., Semester II Unit 1.pptx
RMMM.pdf make it easy to upload and study
O5-L3 Freight Transport Ops (International) V1.pdf
STATICS OF THE RIGID BODIES Hibbelers.pdf
GDM (1) (1).pptx small presentation for students
Physiotherapy_for_Respiratory_and_Cardiac_Problems WEBBER.pdf
Pre independence Education in Inndia.pdf
FourierSeries-QuestionsWithAnswers(Part-A).pdf
Ad

C-PPT.pdf

  • 1. Programming in C Part – 1: Introduction Resources: 1. Stanford CS Education Library URL: http://cslibrary.stanford.edu/101/ 2. Programming in ANSI C, E Balaguruswamy, Tata McGraw-Hill
  • 2. PROGRAMMING IN C A computer program is a collection of instructions for performing some specified task(s) with the computer. • C is the offspring of Basic Combined Programming Language (‘B’) developed in 1960s by Cambridge University • ‘B’ was Modified by Dennis Ritchie at Bell Laboratories in 1972, and was named ‘C’. • Pros and cons: • Programmers language. Gets in programmers way as little possible. • You need to know exactly what you are doing !! Can be Irritating and confusing for beginners . • Structure of Programs • A C program is a collection of functions. • Execution starts at the main() function.
  • 3. Documentation Section __________________________ Link Section __________________________ Definition Section __________________________ Globel Decleration Section __________________________ Function Section Main() { ____DECLERATION PART____ ____EXECUTABLE PART_____ } ___________________________ Subprogram Section Function 1 Function 2 .. .. General structure of a C Program /*This is my First program*/ #include<stdio.h> /*link */ void main() { printf(“This my first C progn“); }
  • 4. Documentation Section __________________________ Link Section __________________________ Definition Section __________________________ Globel Decleration Section __________________________ Function Section Main() { ____DECLERATION PART____ ____EXECUTABLE PART_____ } ___________________________ Subprogram Section Function 1 Function 2 .. .. General structure of a C Program /*this is my second program*/ #include<stdio.h> /*link */ #define pi 3.14 /*definition*/ float area; /*global */ void main() { float r; /*Declaration*/ r=1.0; area=pi*r*r; printf(“area is %d n“,area); }
  • 5. Writing and executing a C Program in LINUX Create a c program cd to your directory of choice, and write the c-program using some text editors (eg. vi,vim) e.g. cd ~/Cprog vim firstprog.c Compiling and linking use an existing compiler (gcc, cc etc) to compile your program an make an executable e.g. cc filename gcc filename1, filename2, filename3 ……… Common options: –lm : library math -c : Compiles without linking. binaries are saved as "filename.o" -o exename: compiled binary with specified filename. (a.out default) gcc –o myprog firstprog.c Execute the program ./filename will execute the program. (Should have the “x” flag on !)
  • 6. C variables and Data Types
  • 7. Keywords: #include <stdio.h> #define PI 3.14 float area; void main() { double r; r=1.0; area=PI*r*r; printf(“Area is %d n“,area); } Keywords Serves as Basic building blocks of the programs.
  • 8. Backslash character constants: #include <stdio.h> #define PI 3.14 float area; void main() { double r; r=1.0; area=PI*r*r; printf(“Area is %d n“,area); }
  • 9. Variables /*This is my second program*/ #include "stdio.h" /*link */ #define PI 3.14 /*definition*/ float area; void main() { double r; r=1.0; area=PI*r*r; printf(“Area is %d n“,area); } • C puts the type first followed by the name. • They begin with a letter • Upto 31 characters (ANSI) • Case Sensitive • Must not be a keyword • Should not conflict with built- in functions • No while spaces • Retains random values unless set. a variable declaration reserves and names an area in memory at run time to hold a value of particular type.
  • 10. Integers All behave like integers and can be mixed with one another.: e.g. int, short, long , char Floating Point: float(~6 digit precision), double(~15 digit precision), long double Data Types 8 bit = 1 byte (Note: Actual byte/ datatype may vary from machine to machine)
  • 11. Declaration syntax data-type v1,v2,…..vn; Variables are separated by commas. Statement ends with a semicolon(;). Example: int count; int a=5, b=2, c; double ratio; /*This is my second program*/ #include "stdio.h" /*link */ #define PI 3.14 /*definition*/ float area; void main() { double r; r=1.0; area=PI*r*r; printf(“Area is %d n“,area); }
  • 12. %i , %d %u %6d Integer(decimal, hexa or octa decimal) Decimal integer. Unsigned decimal integer. decimal integer, at least 6 characters wide. %f %6f %.2f %6.2f print as floating point floating point, at least 6 characters wide floating point, 2 characters after decimal point floating point, at least 6 wide and 2 after decimal point %o Octal %x Hexadecimal %c or %s Character / String %% For printing % %e,%E Exponential notation printf(“Area is %d n“,area); Format Specifies
  • 14. • The integral types may be mixed together in arithmetic expressions since they are all basically just integers with variation in their width. • For example, char and int can be combined in arithmetic expressions such as ('b' + 5). • In such a case, the compiler "promotes" the smaller type (char) to be the same size as the larger type (int) before combining the values. • Promotions are determined at compile time based purely on the types of the values in the expressions. • Promotions do not lose information -- they always convert from a type to compatible, larger type to avoid losing information. • Overflow: TYPE COMBINATION AND PROMOTION
  • 15. TRUNCATION • The opposite of promotion, truncation moves a value from a type to a smaller type. • The compiler just drops the extra bits. (May or may not generate a compile time warning of the loss of information). Assigning from an integer to a smaller integer (e.g.. long to int, or int to char) drops the most significant bits. char ch; int i; i = 321; ch = i; //int char (ch is now 65) Assigning from a floating point type to an integer drops the fractional part of the number. double pi; int i; pi = 3.14159; i = pi; // floatint (i is now 3)
  • 16. scale the unit test marks in the range 0 - 20 to the range 0 -100. Divide the marks by 20, and then multiply by 100 to get the scaled marks. MORE EXAMPLES #includestdio.h main() { int score; scanf(“enter the marks: %d” score); score = (score / 20) * 100; printf(“revised marks= %d“,score); } score = ((double)score / 20) * 100;
  • 18. THE ASSIGNMENT OPERATORS = Assignment operator (copies the value from its right hand side to the variable on its left hand side) The assignment also acts as an expression which returns the newly assigned value i = i +3; (means i  i +3) y = (x = 2 * x); Other Assignment operators besides the “ = “ operator are as follows: += , -= Increment or decrement by RHS i+=3 *= , /= Multiplication or division by RHS i/=3 is equivalent to i=i/3 = , = Bitwise Right/Left Shift by RHS (divide/Multiply by 2n) =,|=,^= Bitwise AND,OR,XOR by RHS.
  • 19. MATHEMATICAL OPERATORS C supports the following operation + Addition - Subtraction / Division * Multiplication % Remainder (mod) • use parenthesis to avoid any bugs due to a misunderstanding of precedence. • For example, A division (/) with two integer arguments will do integer division. If either argument is a float, it does floating point division. So (10/4) evaluates to 2 while (10/4.0) evaluates to 2.5.
  • 20. SIMPLE CONVERSIONS (1)y = m*x*x; (2)y = 1.0E-4*exp(-pow(sin(x),2)/5.0); (3)y = (a+b*x)/(x*sin(x*x)); (4)y = sqrt(sigma(1+x*x)/fabs(1-x)*sqrt(log10(1+p*p))+6)-x; or a = sqrt(log10(1+p*p); b = sigma(1+x*x)/fabs(1-x); y = sqrt(a*b+6)-x; x p x x y x x bx a y e y mx y x − + +         − + = + = = = − − 6 ) 1 ( log 1 1 ) 4 ( ) sin( ) 3 ( 10 ) 2 ( ) 1 ( 2 10 2 2 5 / ) sin( 4 2 2 σ
  • 21. Increment (++) and decrement(--) operators UNARY OPERATORS The increment (decrement) operator increases (decreases) the value of the variable by 1. Operation Example Equivalent to var++ (post increment) j=(i++ + 10); j = i+10; i= i+1; j is52 ++var (pre increment) j= (++i +10); i= i+1; j= i+10; j is53 Var-- (post decrement) j=(i-- + 10); j = i+10; i = i-1; j is52 --var (pre decrement) j=(--i + 10); i= i-1; j= i+10; j is51 int i=42, j;
  • 22. RELATIONAL OPERATORS These operate on integer or floating point values and return a 0 or 1 boolean value. Operator Meaning == Equal != Not equal Greater Than Less Than = Greater or Equal = Less or Equal = ASSIGNMENT operator (does not belong to this class)
  • 23. LOGICAL OPERATORS Logical operators take 0 as false and anything else to be true BOOLEAN operators Op Meaning ! Boolean NOT Boolean AND || Boolean OR BITWISE OPERATORS (Manipulates data at BIT level) Op Meaning ~ Bitwise Negation Bitwise AND | Bitwise OR ^ Bitwise XOR Right shift (divide by power of 2) Left shift (divide by power of 2) Bitwise operators have higher precedence over Boolean operators.
  • 24. basic housekeeping functions are available to a C program in form of standard library functions. To call these, a program must #include the appropriate .h file STANDARD LIBRARY FUNCTIONS stdio.h file input and output math.h mathematical functions such as sin() and cos() conio.h/ cursers.h time.h date and time ctype.h character tests string.h string operations stdlib.h utility functions such as malloc() and rand() assert.h the assert() debugging macro stdarg.h support for functions with variable numbers of arguments setjmp.h support for non-local flow control jumps signal.h support for exceptional condition signals limits.h, float.h constants which define type range values such as INT_MAX
  • 25. http://www.cplusplus.com/reference/cmath/ (only important contents shown, for all contents search the web) math.h contents Trigonamitric/ hyperbolic: cos, sin, tan, acos, asin, atan, cosh, sinh, tanh Exponential and logarithmic functions: exp,log, log10 Power functions: pow, sqrt Rounding and remainder etc: ceil, floor, fmod, fabs stdio.h contents Formatted input/output: fprintf, fscanf, printf, scanf, sprintf, sscanf. File access: fclose, fopen, fread, fwrite. Character i/o: fgetc, getc, getchar, gets, putc, putchar, puts.
  • 26. http://www.cplusplus.com/reference/cmath/ (only important contents shown, for all contents search the web) Stdlib.h contents Pseudo-random sequence generation: rand, srand Dynamic memory management (DMA): calloc, free, malloc, realloc Environment: abort, exit, getenv, system string.h contents strcpy, strcat, strcmp, strchr, strlen time.h contents Clock, difftime, time ctype.h contents isalnum, isalpha, isblank, iscntrl, isdigit, islower, isupper
  • 27. • The Preprocessor is a program that processes the C code before it is processed by the compiler. • Preprocessor Directives are placed before the main() • Common Directives: #define, #include, #undef, #ifdef, #endif, #ifndef, # if, # else THE C PREPROCESSOR #define Sets up symbolic textual replacements in the source. #include Brings in texts from different files during compilation. #define PI 3.14 #define Test if(xy) #define cube(x) x*x*x #includefile1.h // System #include “file1.h” //user
  • 28. (c) (d) z y x bc ax c b ax − + f d bc a − + x y x x − + −       − + 6 1 1 1 σ kT m x e kT ) ( 2 2 1 − σ π α (a) (b) (e) 1. Convert to equivalent C statement ASSIGNMENT –I TO BE SUBMITTED BY 19-08-2013. THIS IS A PART OF CONTINUOUS ASSESSMENT, AND WILL CARRY MARKS SUBMIT THEM IN A SHEET BY 19-08-2013. WRITE: YOUR NAME, LEVEL (MSC / NANO/ IMSC ETC) AND ROLL NO
  • 29. (2) Write Programs to, a. Display your name. b. add two given nos (c=a+b) and display the results c. Read two integers and display the result of their division(c=a/b). d. Calculate radius of a circle, given its area. Display your result only upto 3 decimal places. e. write a program to display various numbers associated with the ASCII characters. PRACTICE THEM DURING LAB ON TUESDAY (AND OTHER DAYS AS WELL) TO ENSURE THE CORRECTNESS OF THE PROGRAM SUBMITTED. ASSIGNMENT–I (CONTD..)