C Standard Library Tutorial PDF
C Standard Library Tutorial PDF
C is the most widely used computer language that keeps fluctuating at number one scale
of popularity along with Java programming language which is also equally popular and
most widely used among modern software programmers.
The C Standard Library is a set of C built-in functions, constants and header files
like <assert.h>, <ctype.h>, etc. This library will work as a reference manual for C
programmers.
Audience
The C Standard Library is a reference for C programmers to help them in their projects
related to system programming. All the C functions have been explained in a user-
friendly way and they can be copied and pasted in your C projects.
Prerequisites
A basic understanding of the C Programming language will help you in understanding the
C built-in functions covered in this library.
All the content and graphics published in this e-book are the property of Tutorials Point
(I) Pvt. Ltd. The user of this e-book is prohibited to reuse, retain, copy, distribute or
republish any contents or a part of contents of this e-book in any manner without written
consent of the publisher.
We strive to update the contents of our website and tutorials as timely and as precisely
as possible, however, the contents may contain inaccuracies or errors. Tutorials Point (I)
Pvt. Ltd. provides no guarantee regarding the accuracy, timeliness or completeness of
our website or its contents including this tutorial. If you discover any errors on our
website or in this tutorial, please notify us at contact@tutorialspoint.com
                                                                                         i
                                                                                                                               C Standard Library
Table of Contents
     About the Tutorial .................................................................................................................................... i
Audience .................................................................................................................................................. i
Prerequisites ............................................................................................................................................ i
Introduction ............................................................................................................................................ 1
Introduction ............................................................................................................................................ 3
Introduction .......................................................................................................................................... 26
Introduction .......................................................................................................................................... 31
Introduction .......................................................................................................................................... 34
Introduction .......................................................................................................................................... 37
                                                                                                                                                                ii
                                                                                                                              C Standard Library
Introduction .......................................................................................................................................... 45
Introduction .......................................................................................................................................... 68
Introduction .......................................................................................................................................... 72
Introduction .......................................................................................................................................... 78
Introduction .......................................................................................................................................... 83
                                                                                                                                                             iii
                                                                                                                              C Standard Library
Introduction .......................................................................................................................................... 87
                                                                                                                                                             iv
                                                                      C Standard Library
                   1. C Library ─ <assert.h>
Introduction
The assert.h header file of the C Standard Library provides a macro called assert which
can be used to verify assumptions made by the program and print a diagnostic message
if this assumption is false.
The defined macro assert refers to another macro NDEBUG which is not a part of
<assert.h>. If NDEBUG is defined as a macro name in the source file, at the point where
<assert.h> is included, the assert macro is defined as follows:
Library Macros
Following is the only function defined in the header assert.h:
         This is actually a macro and not a function, which can be used to add
         diagnostics in your C program.
Declaration
Following is the declaration for assert() Macro.
Parameters
        expression --     This    can   be    a   variable  or    any   C    expression.
         If expression evaluates to TRUE, assert() does nothing. If expression evaluates
         to FALSE, assert() displays an error message on stderr (standard error stream to
         display error messages and diagnostics) and aborts program execution.
Return Value
This macro does not return any value.
                                                                                       1
                                                                   C Standard Library
Example
The following example shows the usage of assert() macro:
 #include <assert.h>
 #include <stdio.h>
 int main()
 {
     int a;
     char str[50];
     return(0);
 }
Let us compile and run the above program in the interactive mode as shown below:
                                                                                   2
                                                                      C Standard Library
                    2. C Library ─ <ctype.h>
Introduction
The ctype.h header file of the C Standard Library declares several functions that are
useful for testing and mapping characters.
All the functions accepts int as a parameter, whose value must be EOF or representable
as an unsigned char.
All the functions return non-zero (true) if the argument c satisfies the condition
described, and zero (false) if not.
Library Functions
Following are the functions defined in the header ctype.h:
        int isalnum(int c)
 1
        This function checks whether the passed character is alphanumeric.
        int isalpha(int c)
 2
        This function checks whether the passed character is alphabetic.
        int iscntrl(int c)
 3
        This function checks whether the passed character is control character.
        int isdigit(int c)
 4
        This function checks whether the passed character is decimal digit.
        int isgraph(int c)
 5      This function checks whether the passed character has graphical representation
        using locale.
        int islower(int c)
 6
        This function checks whether the passed character is lowercase letter.
        int isprint(int c)
 7
        This function checks whether the passed character is printable.
                                                                                      3
                                                                            C Standard Library
            int ispunct(int c)
 8
            This function checks whether the passed character is a punctuation character.
            int isspace(int c)
 9
            This function checks whether the passed character is white-space.
            int isupper(int c)
 10
            This function checks whether the passed character is an uppercase letter.
            int isxdigit(int c)
 11
            This function checks whether the passed character is a hexadecimal digit.
int isalnum(int c)
Description
The C library function void           isalnum(int       c) checks if the passed   character is
alphanumeric.
Declaration
Following is the declaration for isalnum() function.
Parameters
           c -- This is the character to be checked.
Return Value
This function returns non-zero value if c is a digit or a letter, else it returns 0.
Example
The following example shows the usage of isalnum() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
          int var1 = 'd';
          int var2 = '2';
          int var3 = '\t';
          int var4 = ' ';
                                                                                            4
                                                              C Standard Library
    if( isalnum(var1) )
    {
        printf("var1 = |%c| is alphanumeric\n", var1 );
    }
    else
    {
        printf("var1 = |%c| is not alphanumeric\n", var1 );
    }
    if( isalnum(var2) )
    {
        printf("var2 = |%c| is alphanumeric\n", var2 );
    }
    else
    {
        printf("var2 = |%c| is not alphanumeric\n", var2 );
    }
    if( isalnum(var3) )
    {
        printf("var3 = |%c| is alphanumeric\n", var3 );
    }
    else
    {
        printf("var3 = |%c| is not alphanumeric\n", var3 );
    }
    if( isalnum(var4) )
    {
        printf("var4 = |%c| is alphanumeric\n", var4 );
    }
    else
    {
        printf("var4 = |%c| is not alphanumeric\n", var4 );
    }
    return(0);
}
                                                                              5
                                                                         C Standard Library
Let us compile and run the above program to produce the following result:
int isalpha(int c)
Description
The C library function void isalpha(int c) checks if the passed character is alphabetic.
Declaration
Following is the declaration for isalpha() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns non-zero value if c is an alphabet, else it returns 0.
Example
The following example shows the usage of isalpha() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
         int var1 = 'd';
         int var2 = '2';
         int var3 = '\t';
         int var4 = ' ';
         if( isalpha(var1) )
         {
             printf("var1 = |%c| is an alphabet\n", var1 );
         }
         else
         {
             printf("var1 = |%c| is not an alphabet\n", var1 );
                                                                                           6
                                                                     C Standard Library
     }
     if( isalpha(var2) )
     {
         printf("var2 = |%c| is an alphabet\n", var2 );
     }
     else
     {
         printf("var2 = |%c| is not an alphabet\n", var2 );
     }
     if( isalpha(var3) )
     {
         printf("var3 = |%c| is an alphabet\n", var3 );
     }
     else
     {
         printf("var3 = |%c| is not an alphabet\n", var3 );
     }
     if( isalpha(var4) )
     {
         printf("var4 = |%c| is an alphabet\n", var4 );
     }
     else
     {
         printf("var4 = |%c| is not an alphabet\n", var4 );
     }
     return(0);
 }
Let us compile and run the above program to produce the following result:
int iscntrl(int c)
Description
                                                                                     7
                                                                          C Standard Library
The C library function void iscntrl(int c) checks if the passed character is a control
character.
According to standard ASCII character set, control characters are between ASCII codes
0x00 (NUL), 0x1f (US), and 0x7f (DEL). Specific compiler implementations for certain
platforms may define additional control characters in the extended character set (above
0x7f).
Declaration
Following is the declaration for iscntrl() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns non-zero value if c is a control character, else it returns 0.
Example
The following example shows the usage of iscntrl() function.
 #include <stdio.h>
 #include <ctype.h>
 int main ()
 {
         int i = 0, j = 0;
         char str1[] = "all \a about \t programming";
         char str2[] = "tutorials \n point";
         return(0);
 }
Let us compile and run the above program to produce the following result:
all tutorials
int isdigit(int c)
Description
The C library function void isdigit(int c) checks if the passed character is a decimal
digit character.
Declaration
Following is the declaration for isdigit() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns non-zero value if c is a digit, else it returns 0.
Example
The following example shows the usage of isdigit() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
         int var1 = 'h';
         int var2 = '2';
         if( isdigit(var1) )
         {
             printf("var1 = |%c| is a digit\n", var1 );
         }
         else
         {
             printf("var1 = |%c| is not a digit\n", var1 );
                                                                                           9
                                                                       C Standard Library
         }
         if( isdigit(var2) )
         {
             printf("var2 = |%c| is a digit\n", var2 );
         }
         else
         {
             printf("var2 = |%c| is not a digit\n", var2 );
         }
         return(0);
 }
Let us compile and run the above program to produce the following result:
int isgraph(int c)
Description
The C library function void isgraph(int c) checks if the character has graphical
representation.
The characters with graphical representations are all those characters that can be
printed except for whitespace characters (like ' '), which is not considered as isgraph
characters.
Declaration
Following is the declaration for isgraph() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns non-zero value if c has a graphical representation as character, else
it returns 0.
Example
The following example shows the usage of isgraph() function.
 #include <stdio.h>
                                                                                        10
                                                                     C Standard Library
#include <ctype.h>
 int main()
 {
     int var1 = '3';
     int var2 = 'm';
     int var3 = ' ';
     if( isgraph(var1) )
     {
            printf("var1 = |%c| can be printed\n", var1 );
     }
     else
     {
         printf("var1 = |%c| can't be printed\n", var1 );
     }
     if( isgraph(var2) )
     {
            printf("var2 = |%c| can be printed\n", var2 );
     }
     else
     {
         printf("var2 = |%c| can't be printed\n", var2 );
     }
     if( isgraph(var3) )
     {
            printf("var3 = |%c| can be printed\n", var3 );
     }
     else
     {
         printf("var3 = |%c| can't be printed\n", var3 );
     }
     return(0);
 }
Let us compile and run the above program to produce the following result:
int islower(int c)
Description
The C library function int islower(int c) checks whether the passed character is a
lowercase letter.
Declaration
Following is the declaration for islower() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns a non-zero value(true) if c is a lowercase alphabetic letter else,
zero (false).
Example
The following example shows the usage of islower() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
         int var1 = 'Q';
         int var2 = 'q';
         int var3 = '3';
         if( islower(var1) )
         {
                printf("var1 = |%c| is lowercase character\n", var1 );
         }
         else
         {
             printf("var1 = |%c| is not lowercase character\n", var1 );
         }
         if( islower(var2) )
         {
                                                                                        12
                                                                         C Standard Library
         return(0);
 }
Let us compile and run the above program to produce the following result:
int isprint(int c)
Description
The C library function int isprint(int c) checks whether the passed character is
printable. A printable character is a character that is not a control character.
Declaration
Following is the declaration for isprint() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns a non-zero value(true) if c is a printable character else, zero
(false).
                                                                                        13
                                                               C Standard Library
Example
The following example shows the usage of isprint() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
     int var1 = 'k';
     int var2 = '8';
     int var3 = '\t';
     int var4 = ' ';
     if( isprint(var1) )
     {
         printf("var1 = |%c| can be printed\n", var1 );
     }
     else
     {
         printf("var1 = |%c| can't be printed\n", var1 );
     }
     if( isprint(var2) )
     {
         printf("var2 = |%c| can be printed\n", var2 );
     }
     else
     {
         printf("var2 = |%c| can't be printed\n", var2 );
     }
     if( isprint(var3) )
     {
         printf("var3 = |%c| can be printed\n", var3 );
     }
     else
     {
         printf("var3 = |%c| can't be printed\n", var3 );
     }
     if( isprint(var4) )
                                                                              14
                                                                    C Standard Library
         {
             printf("var4 = |%c| can be printed\n", var4 );
         }
         else
         {
             printf("var4 = |%c| can't be printed\n", var4 );
         }
         return(0);
 }
Let us compile and run the above program to produce the following result:
int ispunct(int c)
Description
The C library function int ispunct(int c) checks whether the passed character is a
punctuation character. A punctuation character is any graphic character (as in isgraph)
that is not alphanumeric (as in isalnum).
Declaration
Following is the declaration for ispunct() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns a non-zero value(true) if c is a punctuation character else, zero
(false).
Example
The following example shows the usage of ispunct() function.
                                                                                    15
                                                                   C Standard Library
#include <stdio.h>
#include <ctype.h>
int main()
{
    int var1 = 't';
    int var2 = '1';
    int var3 = '/';
    int var4 = ' ';
    if( ispunct(var1) )
    {
           printf("var1 = |%c| is a punctuation character\n", var1 );
    }
    else
    {
           printf("var1 = |%c| is not a punctuation character\n", var1 );
    }
    if( ispunct(var2) )
    {
           printf("var2 = |%c| is a punctuation character\n", var2 );
    }
    else
    {
           printf("var2 = |%c| is not a punctuation character\n", var2 );
    }
    if( ispunct(var3) )
    {
           printf("var3 = |%c| is a punctuation character\n", var3 );
    }
    else
    {
           printf("var3 = |%c| is not a punctuation character\n", var3 );
    }
    if( ispunct(var4) )
    {
           printf("var4 = |%c| is a punctuation character\n", var4 );
    }
                                                                                  16
                                                                        C Standard Library
         else
         {
                printf("var4 = |%c| is not a punctuation character\n", var4 );
         }
         return(0);
 }
Let us compile and run the above program that will produce the following result:
int isspace(int c)
Description
The C library function int isspace(int c) checks whether the passed character is white-
space.
Declaration
Following is the declaration for isspace() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns a non-zero value(true) if c is a white-space character else, zero
(false).
                                                                                       17
                                                                    C Standard Library
Example
The following example shows the usage of isspace() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
     int var1 = 't';
     int var2 = '1';
     int var3 = ' ';
     if( isspace(var1) )
     {
            printf("var1 = |%c| is a white-space character\n", var1 );
     }
     else
     {
            printf("var1 = |%c| is not a white-space character\n", var1 );
     }
     if( isspace(var2) )
     {
            printf("var2 = |%c| is a white-space character\n", var2 );
     }
     else
     {
            printf("var2 = |%c| is not a white-space character\n", var2 );
     }
     if( isspace(var3) )
     {
            printf("var3 = |%c| is a white-space character\n", var3 );
     }
     else
     {
            printf("var3 = |%c| is not a white-space character\n", var3 );
     }
return(0);
                                                                                   18
                                                                      C Standard Library
Let us compile and run the above program that will produce the following result:
int isupper(int c)
Description
The C library function int isupper(int c) checks whether the passed character is
uppercase letter.
Declaration
Following is the declaration for isupper() function.
Parameters
            c -- This is the character to be checked.
Return Value
This function returns a non-zero value(true) if c is an uppercase alphabetic letter else,
zero (false).
Example
The following example shows the usage of isupper() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
         int var1 = 'M';
         int var2 = 'm';
         int var3 = '3';
         if( isupper(var1) )
         {
             printf("var1 = |%c| is uppercase character\n", var1 );
         }
         else
                                                                                      19
                                                                      C Standard Library
     {
         printf("var1 = |%c| is not uppercase character\n", var1 );
     }
     if( isupper(var2) )
     {
         printf("var2 = |%c| is uppercase character\n", var2 );
     }
     else
     {
         printf("var2 = |%c| is not uppercase character\n", var2 );
     }
     if( isupper(var3) )
     {
         printf("var3 = |%c| is uppercase character\n", var3 );
     }
     else
     {
         printf("var3 = |%c| is not uppercase character\n", var3 );
     }
     return(0);
 }
Let us compile and run the above program that will produce the following result:
int isxdigit(int c)
Description
The C library function int isxdigit(int c) checks whether the passed character is a
hexadecimal digit.
Declaration
Following is the declaration for isxdigit() function.
Parameters
                                                                                     20
                                                                         C Standard Library
Return Value
This function returns a non-zero value(true) if c is a hexadecimal digit else, zero (false).
Example
The following example shows the usage of isxdigit() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
         char var1[] = "tuts";
         char var2[] = "0xE";
         if( isxdigit(var1[0]) )
         {
             printf("var1 = |%s| is hexadecimal character\n", var1 );
         }
         else
         {
             printf("var1 = |%s| is not hexadecimal character\n", var1 );
         }
         if( isxdigit(var2[0] ))
         {
             printf("var2 = |%s| is hexadecimal character\n", var2 );
         }
         else
         {
             printf("var2 = |%s| is not hexadecimal character\n", var2 );
         }
         return(0);
 }
Let us compile and run the above program to produce the following result:
                                                                                          21
                                                                       C Standard Library
The library also contains two conversion functions that accepts and returns an "int".
             int tolower(int c)
 1
             This function converts uppercase letters to lowercase.
             int toupper(int c)
 2
             This function converts lowercase letters to uppercase.
int tolower(int c)
Description
The C library function int tolower(int c) converts a given letter to lowercase.
Declaration
Following is the declaration for tolower() function.
Parameters
            c -- This is the letter to be converted to lowercase.
Return Value
This function returns lowercase equivalent to c, if such value exists, else c remains
unchanged. The value is returned as an int value that can be implicitly casted to char.
Example
The following example shows the usage of tolower() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
         int i = 0;
         char c;
         char str[] = "TUTORIALS POINT";
         while( str[i] )
         {
             putchar(tolower(str[i]));
                                                                                        22
                                                                      C Standard Library
             i++;
         }
         return(0);
 }
Let us compile and run the above program to produce the following result:
tutorials point
int toupper(int c)
Description
The C library function int toupper(int c) converts lowercase letter to uppercase.
Declaration
Following is the declaration for toupper() function.
Parameters
            c -- This is the letter to be converted to uppercase.
Return Value
This function returns uppercase equivalent to c, if such value exists, else c remains
unchanged. The value is returned as an int value that can be implicitly casted to char.
Example
The following example shows the usage of toupper() function.
 #include <stdio.h>
 #include <ctype.h>
 int main()
 {
         int i = 0;
         char c;
         char str[] = "Tutorials Point";
         while(str[i])
         {
             putchar (toupper(str[i]));
             i++;
                                                                                     23
                                                                             C Standard Library
     return(0);
 }
Let us compile and run the above program to produce the following result:
TUTORIALS POINT
Character Classes
S.N.                               Character Class & Description
          Digits
1
          This is a set of whole numbers { 0, 1, 2, 3, 4, 5, 6, 7, 8, 9 }.
          Hexadecimal digits
2
          This is the set of - { 0 1 2 3 4 5 6 7 8 9 A B C D E F a b c d e f }.
          Lowercase letters
3         This is a set of lowercase letters { a b c d e f g h i j k l m n o p q r s t u v w x y
          z }.
          Uppercase letters
4         This is a set of uppercase letters {A B C D E F G H I J K L M N O P Q R S T U V
          W X Y Z }.
          Letters
5
          This is a set of lowercase and uppercase letters.
          Alphanumeric characters
6
          This is a set of Digits, Lowercase letters and Uppercase letters.
          Punctuation characters
7
          This is a set of ! " # $ % & ' ( ) * + , - . / : ; < = > ? @ [ \ ] ^ _ ` { | } ~
          Graphical characters
8
          This is a set of Alphanumeric characters and Punctuation characters.
                                                                                              24
                                                                      C Standard Library
     Space characters
9
     This is a set of tab, newline, vertical tab, form feed, carriage return, and space.
     Printable characters
10   This is a set of Alphanumeric characters, Punctuation characters and Space
     characters.
     Control characters
11
     In ASCII, these characters have octal codes 000 through 037, and 177 (DEL).
     Blank characters
12
     These are spaces and tabs.
     Alphabetic characters
13
     This is a set of Lowercase letters and Uppercase letters.
                                                                                       25
                                                                       C Standard Library
                  3. C Library ─ <errno.h>
Introduction
The errno.h header file of the C Standard Library defines the integer variable errno,
which is set by system calls and some library functions in the event of an error to
indicate what went wrong. This macro expands to a modifiable lvalue of type int,
therefore it can be both read and modified by a program.
The errno is set to zero at program startup. Certain functions of the standard C library
modify its value to other than zero to signal some types of error. You can also modify its
value or reset to zero at your convenience.
The errno.h header file also defines a list of macros indicating different error codes,
which will expand to integer constant expressions with type int.
Library Macros
Following are the macros defined in the header errno.h:
        This is the macro set by system calls and some library functions in the event of
        an error to indicate what went wrong.
                                                                                       26
                                                                      C Standard Library
Declaration
Following is the declaration for errno macro.
Parameters
            NA
Return Value
            NA
Example
The following example shows the usage of errno Macro.
 #include <stdio.h>
 #include <errno.h>
 #include <string.h>
 int main ()
 {
         FILE *fp;
         fp = fopen("file.txt", "r");
         if( fp == NULL )
         {
             fprintf(stderr, "Value of errno: %d\n", errno);
             fprintf(stderr, "Error opening file: %s\n", strerror(errno));
         }
         else
         {
             fclose(fp);
         }
         return(0);
 }
                                                                                     27
                                                                    C Standard Library
Let us compile and run the above program that will produce the following result in case
file file.txt does not exist:
 Value of errno: 2
 Error opening file: No such file or directory
Declaration
Following is the declaration for EDOM Macro.
Parameters
            NA
Return Value
            NA
Example
The following example shows the usage of EDOM Macro.
 #include <stdio.h>
 #include <errno.h>
 #include <math.h>
 int main()
 {
         double val;
         errno = 0;
         val = sqrt(-10);
         if(errno == EDOM)
         {
             printf("Invalid value \n");
         }
         else
         {
                                                                                    28
                                                                      C Standard Library
             printf("Valid value\n");
         }
         errno = 0;
         val = sqrt(10);
         if(errno == EDOM)
         {
             printf("Invalid value\n");
         }
         else
         {
             printf("Valid value\n");
         }
         return(0);
 }
Let us compile and run the above program that will produce the following result:
 Invalid value
 Valid value
Declaration
Following is the declaration for ERANGE Macro.
Parameters
            NA
Return Value
            NA
                                                                                     29
                                                                      C Standard Library
Example
The following example shows the usage of ERANGE Macro.
 #include <stdio.h>
 #include <errno.h>
 #include <math.h>
 int main()
 {
     double x;
     double value;
     x = 1.000000;
     value = log(x);
     if( errno == ERANGE )
     {
         printf("Log(%f) is out of range\n", x);
     }
     else
     {
         printf("Log(%f) = %f\n", x, value);
     }
     x = 0.000000;
     value = log(x);
     if( errno == ERANGE )
     {
         printf("Log(%f) is out of range\n" x);
     }
     else
     {
         printf("Log(%f) = %f\n", x, value);
     }
     return 0;
 }
Let us compile and run the above program that will produce the following result:
 Log(1.000000) = 1.609438
 Log(0.000000) is out of range
                                                                                     30
                                                                          C Standard Library
                   4. C Library ─ <float.h>
Introduction
The float.h header file of the C Standard Library contains a set of various platform-
dependent constants related to floating point values. These constants are proposed by
ANSI C. They allow making more portable programs. Before checking all the constants, it
is good to understand that floating-point number is composed of following four
elements:
S sign ( +/- )
Based on the above 4 components, a floating point will have its value as follows:
floating-point = ( S ) p x be
or
Library Macros
The following values are implementation-specific and defined with the #define directive,
but these values may not be any lower than what is given here. Note that in all instances
FLT refers to type float, DBL refers to double, and LDBL refers to long double.
Macro Description
0 - towards zero
                                                                                         31
                                                                    C Standard Library
1 - to nearest
FLT_MANT_DIG
                      These macros define the number of digits in the number (in
DBL_MANT_DIG
                      the FLT_RADIX base).
LDBL_MANT_DIG
FLT_DIG 6
                      These macros define the maximum number decimal digits
DBL_DIG 10            (base-10) that can be represented without change after
                      rounding.
LDBL_DIG 10
FLT_MIN_EXP
                      These macros define the minimum negative integer value
DBL_MIN_EXP
                      for an exponent in base FLT_RADIX.
LDBL_MIN_EXP
FLT_MIN_10_EXP -37
                      These macros define the minimum negative integer value
DBL_MIN_10_EXP -37
                      for an exponent in base 10.
LDBL_MIN_10_EXP -37
FLT_MAX_EXP
                      These macros define the maximum integer value for an
DBL_MAX_EXP
                      exponent in base FLT_RADIX.
LDBL_MAX_EXP
FLT_MAX_10_EXP +37
                      These macros define the maximum integer value for an
DBL_MAX_10_EXP +37
                      exponent in base 10.
LDBL_MAX_10_EXP +37
FLT_MAX 1E+37
                      These macros define the maximum finite floating-point
DBL_MAX 1E+37
                      value.
LDBL_MAX 1E+37
                                                                                     32
                                                                       C Standard Library
LDBL_EPSILON 1E-9
FLT_MIN 1E-37
LDBL_MIN 1E-37
Example
The following example shows the usage of few of the constants defined in float.h file.
 #include <stdio.h>
 #include <float.h>
 int main()
 {
     printf("The maximum value of float = %.10e\n", FLT_MAX);
     printf("The minimum value of float = %.10e\n", FLT_MIN);
Let us compile and run the above program that will produce the following result:
                                                                                         33
                                                                      C Standard Library
                  5. C Library ─ <limits.h>
Introduction
The limits.h header determines various properties of the various variable types. The
macros defined in this header, limits the values of various variable types like char, int
and long.
These limits specify that a variable cannot store any value beyond these limits, for
example an unsigned character can store up to a maximum value of 255.
Library Macros
The following values are implementation-specific and defined with the #define directive,
but these values may not be any lower than what is given here.
                                                                                      34
                                                                       C Standard Library
Example
The following example shows the usage of few of the constants defined in limit.h file.
 #include <stdio.h>
 #include <limits.h>
 int main()
 {
                                                                                         35
                                                                      C Standard Library
     return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                     36
                                                                    C Standard Library
                  6. C Library ─ <locale.h>
Introduction
The locale.h header defines the location specific settings, such as date formats and
currency symbols. You will find several macros defined along with an important
structure struct lconv and two important functions listed below.
Library Macros
Following are the macros defined in the header and these macros will be used in two
functions listed below:
         LC_ALL
   1
         Sets everything.
         LC_COLLATE
   2
         Affects strcoll and strxfrm functions.
         LC_CTYPE
   3
         Affects all character functions.
         LC_MONETARY
   4
         Affects the monetary information provided by localeconv function.
         LC_NUMERIC
   5     Affects decimal-point formatting and the information provided by localeconv
         function.
         LC_TIME
   6
         Affects the strftime function.
                                                                                   37
                                                                            C Standard Library
Library Functions
Following are the functions defined in the header locale.h:
Declaration
Following is the declaration for setlocale() function.
Parameters
        category -- This is a named constant specifying the category of the functions
         affected by the locale setting.
        locale -- If locale is NULL or the empty string "", the locale names will be set
         from the values of environment variables with the same names as the above
         categories.
Return Value
A successful call to setlocale() returns an opaque string that corresponds to the locale
set. The return value is NULL if the request cannot be honored.
                                                                                            38
                                                                      C Standard Library
Example
The following example shows the usage of setlocale() function.
 #include <locale.h>
 #include <stdio.h>
 #include <time.h>
 int main ()
 {
     time_t currtime;
     struct tm *timer;
     char buffer[80];
     time( &currtime );
     timer = localtime( &currtime );
     return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                     39
                                                                    C Standard Library
Declaration
Following is the declaration for localeconv() function.
Parameters
        NA
Return Value
This function returns a pointer to a struct lconv for the current locale, which has the
following structure:
 typedef struct {
       char *decimal_point;
       char *thousands_sep;
       char *grouping;
       char *int_curr_symbol;
       char *currency_symbol;
       char *mon_decimal_point;
       char *mon_thousands_sep;
       char *mon_grouping;
       char *positive_sign;
       char *negative_sign;
       char int_frac_digits;
       char frac_digits;
       char p_cs_precedes;
       char p_sep_by_space;
       char n_cs_precedes;
       char n_sep_by_space;
       char p_sign_posn;
       char n_sign_posn;
 } lconv
                                                                                    40
                                                                      C Standard Library
Example
The following example shows the usage of localeconv() function.
 #include <locale.h>
 #include <stdio.h>
 int main ()
 {
     struct lconv * lc;
     setlocale(LC_MONETARY, "it_IT");
     lc = localeconv();
     printf("Local Currency Symbol: %s\n",lc->currency_symbol);
     printf("International Currency Symbol: %s\n",lc->int_curr_symbol);
     setlocale(LC_MONETARY, "en_US");
     lc = localeconv();
     printf("Local Currency Symbol: %s\n",lc->currency_symbol);
     printf("International Currency Symbol: %s\n",lc->int_curr_symbol);
     setlocale(LC_MONETARY, "en_GB");
     lc = localeconv();
     printf ("Local Currency Symbol: %s\n",lc->currency_symbol);
     printf ("International Currency Symbol: %s\n",lc->int_curr_symbol);
     printf("Decimal Point = %s\n", lc->decimal_point);
     return 0;
 }
Let us compile and run the above program that will produce the following result:
                                                                                     41
                                                                     C Standard Library
Library Structure
 typedef struct {
    char *decimal_point;
    char *thousands_sep;
    char *grouping;
    char *int_curr_symbol;
    char *currency_symbol;
    char *mon_decimal_point;
    char *mon_thousands_sep;
    char *mon_grouping;
    char *positive_sign;
    char *negative_sign;
    char int_frac_digits;
    char frac_digits;
    char p_cs_precedes;
    char p_sep_by_space;
    char n_cs_precedes;
    char n_sep_by_space;
    char p_sign_posn;
    char n_sign_posn;
 } lconv
           decimal_point
   1
           Decimal point character used for non-monetary values.
           thousands_sep
   2
           Thousands place separator character used for non-monetary values.
grouping
4 int_curr_symbol
                                                                                     42
                                                                 C Standard Library
     currency_symbol
5
     The local symbol used for currency.
     mon_decimal_point
6
     The decimal point character used for monetary values.
     mon_thousands_sep
7
     The thousands place grouping character used for monetary values.
mon_grouping
     A string whose elements defines the size of the grouping of digits in monetary
8    values. Each character represents an integer value which designates the
     number of digits in the current group. A value of 0 means that the previous
     value is to be used for the rest of the groups.
     positive_sign
9
     The character used for positive monetary values.
     negative_sign
10
     The character used for negative monetary values.
     int_frac_digits
11   Number of digits to show after the decimal point in international monetary
     values.
     frac_digits
12
     Number of digits to show after the decimal point in monetary values.
p_cs_precedes
     p_sep_by_space
14
     If equals to 1, then the currency_symbol is separated by a space from a
     positive monetary value. If equals to 0, then there is no space between the
                                                                                 43
                                                                      C Standard Library
n_cs_precedes
n_sep_by_space
         p_sign_posn
  17
         Represents the position of the positive_sign in a positive monetary value.
         n_sign_posn
  18
         Represents the position of the negative_sign in a negative monetary value.
Value Description
                                                                                      44
                                                                        C Standard Library
                   7. C Library ─ <math.h>
Introduction
The math.h header defines various mathematical functions and one macro. All the
functions available in this library take double as an argument and return double as the
result.
Library Macros
There is only one macro defined in this library:
HUGE_VAL
          This macro is used when the result of a function may not be representable as
          a floating point number. If magnitude of the correct result is too large to be
          represented, the function sets errno to ERANGE to indicate a range error, and
 1
          returns a particular, very large value named by the macro HUGE_VAL or its
          negation (- HUGE_VAL).
          If the magnitude of the result is too small, a value of zero is returned instead.
          In this case, errno might or might not be set to ERANGE.
Library Functions
Following are the functions defined in the header math.h:
          double acos(double x)
     1
          Returns the arc cosine of x in radians.
          double asin(double x)
     2
          Returns the arc sine of x in radians.
          double atan(double x)
     3
          Returns the arc tangent of x in radians.
                                                                                         45
                                                                  C Standard Library
     double cos(double x)
5
     Returns the cosine of a radian angle x.
     double cosh(double x)
6
     Returns the hyperbolic cosine of x.
     double sin(double x)
7
     Returns the sine of a radian angle x.
     double sinh(double x)
8
     Returns the hyperbolic sine of x.
     double tanh(double x)
9
     Returns the hyperbolic tangent of x.
     double exp(double x)
10
     Returns the value of e raised to the xth power.
     double log(double x)
13
     Returns the natural logarithm (base-e logarithm) of x.
     double log10(double x)
14
     Returns the common logarithm (base-10 logarithm) of x.
                                                                                 46
                                                                           C Standard Library
          double sqrt(double x)
   17
          Returns the square root of x.
          double ceil(double x)
   18
          Returns the smallest integer value greater than or equal to x.
          double fabs(double x)
   19
          Returns the absolute value of x.
          double floor(double x)
   20
          Returns the largest integer value less than or equal to x.
double acos(double x)
Description
The C library function double acos(double x) returns the arc cosine of x in radians.
Declaration
Following is the declaration for acos() function.
double acos(double x)
Parameters
       x -- This is the floating point value in the interval [-1, +1].
Return Value
This function returns principal arc cosine of x, in the interval [0, pi] radians.
Example
The following example shows the usage of acos() function.
 #include <stdio.h>
 #include <math.h>
#define PI 3.14159265
                                                                                          47
                                                                            C Standard Library
 int main ()
 {
         double x, ret, val;
         x = 0.9;
         val = 180.0 / PI;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
double asin(double x)
Description
The C library function double asin(double x) returns the arc sine of x in radians.
Declaration
Following is the declaration for asin() function.
double asin(double x)
Parameters
          x -- This is the floating point value in the interval [-1,+1].
Return Value
This function returns the arc sine of x, in the interval [-pi/2,+pi/2] radians.
Example
The following example shows the usage of asin() function.
 #include <stdio.h>
 #include <math.h>
#define PI 3.14159265
 int main ()
 {
                                                                                           48
                                                                         C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
double atan(double x)
Description
The C library function double atan(double x) returns the arc tangent of x in radians.
Declaration
Following is the declaration for atan() function.
double atan(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns the principal arc tangent of x, in the interval [-pi/2,+pi/2] radians.
Example
The following example shows the usage of atan() function.
 #include <stdio.h>
 #include <math.h>
#define PI 3.14159265
 int main ()
 {
         double x, ret, val;
         x = 1.0;
         val = 180.0 / PI;
                                                                                          49
                                                                            C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for atan2() function.
Parameters
          x -- This is the floating point value representing an x-coordinate.
Return Value
This function returns the principal arc tangent of y/x, in the interval [-pi,+pi] radians.
Example
The following example shows the usage of atan2() function.
 #include <stdio.h>
 #include <math.h>
#define PI 3.14159265
 int main ()
 {
         double x, y, ret, val;
         x = -7.0;
         y = 7.0;
                                                                                             50
                                                                            C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
double cos(double x)
Description
The C library function double cos(double x) returns the cosine of a radian angle x.
Declaration
Following is the declaration for cos() function.
double cos(double x)
Parameters
          x -- This is the floating point value representing an angle expressed in radians.
Return Value
This function returns the cosine of x.
Example
The following example shows the usage of cos() function.
 #include <stdio.h>
 #include <math.h>
#define PI 3.14159265
 int main ()
 {
         double x, ret, val;
         x = 60.0;
         val = PI / 180.0;
                                                                                               51
                                                                      C Standard Library
         x = 90.0;
         val = PI / 180.0;
         ret = cos( x*val );
         printf("The cosine of %lf is %lf degrees\n", x, ret);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
double cosh(double x)
Description
The C library function double cosh(double x) returns the hyperbolic cosine of x.
Declaration
Following is the declaration for cosh() function.
double cosh(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns hyperbolic cosine of x.
Example
The following example shows the usage of cosh() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         double x;
         x = 0.5;
                                                                                     52
                                                                            C Standard Library
         x = 1.0;
         printf("The hyperbolic cosine of %lf is %lf\n", x, cosh(x));
         x = 1.5;
         printf("The hyperbolic cosine of %lf is %lf\n", x, cosh(x));
         return(0);
 }
Let us compile and run the above program to produce the following result:
double sin(double x)
Description
The C library function double sin(double x) returns the sine of a radian angle x.
Declaration
Following is the declaration for sin() function.
double sin(double x)
Parameters
          x -- This is the floating point value representing an angle expressed in radians.
Return Value
This function returns sine of x.
Example
The following example shows the usage of sin() function.
 #include <stdio.h>
 #include <math.h>
                                                                                               53
                                                                     C Standard Library
#define PI 3.14159265
 int main ()
 {
         double x, ret, val;
         x = 45.0;
         val = PI / 180;
         ret = sin(x*val);
         printf("The sine of %lf is %lf degrees", x, ret);
         return(0);
 }
Let us compile and run the above program to produce the following result:
double sinh(double x)
Description
The C library function double sinh(double x) returns the hyperbolic sine of x.
Declaration
Following is the declaration for sinh() function.
double sinh(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns hyperbolic sine of x.
Example
The following example shows the usage of sinh() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
                                                                                    54
                                                                        C Standard Library
         double x, ret;
         x = 0.5;
         ret = sinh(x);
         printf("The hyperbolic sine of %lf is %lf degrees", x, ret);
         return(0);
 }
Let us compile and run the above program, this will produce the following result:
double tanh(double x)
Description
The C library function double tanh(double x) returns the hyperbolic tangent of x.
Declaration
Following is the declaration for tanh() function.
double tanh(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns hyperbolic tangent of x.
Example
The following example shows the usage of tanh() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         double x, ret;
         x = 0.5;
         ret = tanh(x);
         printf("The hyperbolic tangent of %lf is %lf degrees", x, ret);
                                                                                       55
                                                                         C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
double exp(double x)
Description
The C library function double            exp(double   x) returns   the value   of e raised   to
the xth power.
Declaration
Following is the declaration for exp() function.
double exp(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns the exponential value of x.
Example
The following example shows the usage of exp() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         double x = 0;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                             56
                                                                        C Standard Library
Declaration
Following is the declaration for frexp() function.
Parameters
          x -- This is the floating point value to be computed.
          exponent -- This is the pointer to an int object where the value of the exponent
           is to be stored.
Return Value
This function returns the normalized fraction. If the argument x is not zero, the
normalized fraction is x times a power of two, and its absolute value is always in the
range 1/2 (inclusive) to 1 (exclusive). If x is zero, then the normalized fraction is zero
and zero is stored in exp.
Example
The following example shows the usage of frexp() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         double x = 1024, fraction;
         int e;
         return(0);
 }
Let us compile and run the above program to produce the following result:
                                                                                        57
                                                                             C Standard Library
Declaration
Following is the declaration for ldexp() function.
Parameters
          x -- This is the floating point value representing the significand.
Return Value
This function returns x * 2    exp
Example
The following example shows the usage of ldexp() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         double x, ret;
         int n;
         x = 0.65;
         n = 3;
         ret = ldexp(x ,n);
         printf("%f * 2^%d = %f\n", x, n, ret);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                            58
                                                                      C Standard Library
double log(double x)
Description
The C library function double log(double x) returns the natural logarithm (base-e
logarithm) of x.
Declaration
Following is the declaration for log() function.
double log(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns natural logarithm of x.
Example
The following example shows the usage of log() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         double x, ret;
         x = 2.7;
         /* finding log(2.7) */
         ret = log(x);
         printf("log(%lf) = %lf", x, ret);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
log(2.700000) = 0.993252
double log10(double x)
Description
The C library function double log10(double x) returns the common logarithm (base-10
logarithm) of x.
Declaration
                                                                                     59
                                                                      C Standard Library
double log10(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns the common logarithm of x, for values of x greater than zero.
Example
The following example shows the usage of log10() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         double x, ret;
         x = 10000;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
log10(10000.000000) = 4.000000
Declaration
Following is the declaration for modf() function.
Parameters
                                                                                      60
                                                                            C Standard Library
 integer -- This is the pointer to an object where the integral part is to be stored.
Return Value
This function returns the fractional part of x, with the same sign.
Example
The following example shows the usage of modf() function.
 #include<stdio.h>
 #include<math.h>
 int main ()
 {
         double x, fractpart, intpart;
         x = 8.123456;
         fractpart = modf(x, &intpart);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for pow() function.
Parameters
          x -- This is the floating point base value.
                                                                                             61
                                                                      C Standard Library
Return Value
This function returns the result of raising x to the power y.
Example
The following example shows the usage of pow() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         printf("Value 8.0 ^ 3 = %lf\n", pow(8.0, 3));
         return(0);
 }
Let us compile and run the above program that will produce the following result:
double sqrt(double x)
Description
The C library function double sqrt(double x) returns the square root of x.
Declaration
Following is the declaration for sqrt() function.
double sqrt(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns the square root of x.
Example
The following example shows the usage of sqrt() function.
                                                                                     62
                                                                      C Standard Library
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         return(0);
 }
Let us compile and run the above program that will produce the following result:
double ceil(double x)
Description
The C library function double ceil(double x) returns the smallest integer value greater
than or equal to x.
Declaration
Following is the declaration for ceil() function.
double ceil(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns the smallest integral value not less than x.
Example
The following example shows the usage of ceil() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
         float val1, val2, val3, val4;
                                                                                     63
                                                                      C Standard Library
         val1 = 1.6;
         val2 = 1.2;
         val3 = 2.8;
         val4 = 2.3;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
 value1 = 2.0
 value2 = 2.0
 value3 = 3.0
 value4 = 3.0
double fabs(double x)
Description
The C library function double fabs(double x) returns the absolute value of x.
Declaration
Following is the declaration for fabs() function.
double fabs(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns the absolute value of x.
Example
The following example shows the usage of fabs() function.
 #include <stdio.h>
 #include <math.h>
                                                                                     64
                                                                       C Standard Library
 int main ()
 {
         int a, b;
         a = 1234;
         b = -344;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
double floor(double x)
Description
The C library function double floor(double x) returns the largest integer value less
than or equal to x.
Declaration
Following is the declaration for floor() function.
double floor(double x)
Parameters
          x -- This is the floating point value.
Return Value
This function returns the largest integral value not greater than x.
Example
The following example shows the usage of floor() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
                                                                                      65
                                                                              C Standard Library
         val1 = 1.6;
         val2 = 1.2;
         val3 = 2.8;
         val4 = 2.3;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
 Value1 = 1.0
 Value2 = 1.0
 Value3 = 2.0
 Value4 = 2.0
Declaration
Following is the declaration for fmod() function.
Parameters
          x -- This is the floating point value with the division numerator i.e. x.
 y -- This is the floating point value with the division denominator i.e. y.
Return Value
This function returns the remainder of dividing x/y.
                                                                                             66
                                                                      C Standard Library
Example
The following example shows the usage of fmod() function.
 #include <stdio.h>
 #include <math.h>
 int main ()
 {
     float a, b;
     int c;
     a = 9.2;
     b = 3.7;
     c = 2;
     printf("Remainder of %f / %d is %lf\n", a, c, fmod(a,c));
     printf("Remainder of %f / %f is %lf\n", a, b, fmod(a,b));
     return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                     67
                                                                           C Standard Library
                  8. C Library ─ <setjmp.h>
Introduction
The setjmp.h header defines the macro setjmp(), one function longjmp(), and one
variable type jmp_buf, for bypassing the normal function call and return discipline.
Library Variables
Following is the variable type defined in the header setjmp.h:
1 jmp_buf
          This is an array type used for holding information for macro setjmp() and
          function longjmp().
Library Macros
There is only one macro defined in this library:
          This macro saves the current environment into the variable environment for
   1      later use by the function longjmp(). If this macro returns directly from the
          macro invocation, it returns zero but if it returns from a longjmp() function
          call, then a non-zero value is returned.
Declaration
Following is the declaration for setjmp() macro.
                                                                                            68
                                                                      C Standard Library
Parameters
            environment -- This is the object of type jmp_buf where the environment
             information is stored.
Return Value
This macro may return more than once. First time, on its direct invocation, it always
returns zero. When longjmp is called with the information set to the environment, the
macro returns again; now it returns the value passed to longjmp as second argument.
Example
The following example shows the usage of setjmp() macro.
 #include <stdio.h>
 #include <stdlib.h>
 #include <setjmp.h>
 int main()
 {
         int val;
         jmp_buf env_buffer;
         return(0);
 }
 void jmpfunction(jmp_buf env_buf)
 {
         longjmp(env_buf, "tutorialspoint.com");
 }
Let us compile and run the above program, this will produce the following result:
                                                                                     69
                                                                         C Standard Library
Library Functions
Following is the only one function defined in the header setjmp.h:
     1       This function restores the environment saved by the most recent call to
             setjmp() macro in the same invocation of the program with the
             corresponding jmp_buf argument.
Declaration
Following is the declaration for longjmp() function.
Parameters
          environment -- This is the object of type jmp_buf containing information to
           restore the environment at the setjmp's calling point.
          value -- This is the value to which the setjmp expression evaluates.
Return Value
This function does not return any value.
Example
The following example shows the usage of longjmp() function.
 #include <stdio.h>
 #include <stdlib.h>
 #include <setjmp.h>
 int main()
 {
         int val;
         jmp_buf env_buffer;
                                                                                        70
                                                                      C Standard Library
     return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                     71
                                                                     C Standard Library
                  9. C Library ─ <signal.h>
Introduction
The signal.h header defines a variable type sig_atomic_t, two function calls, and
several macros to handle different signals reported during a program's execution.
Library Variables
Following is the variable type defined in the header signal.h:
sig_atomic_t
Library Macros
Following are the macros defined in the header signal.h and these macros will be used in
two functions listed below. The SIG_ macros are used with the signal function to define
signal functions.
          SIG_DFL
   1
          Default signal handler.
          SIG_ERR
   2
          Represents a signal error.
          SIG_IGN
   3
          Signal ignore.
                                                                                     72
                                                                         C Standard Library
The SIG macros are used to represent a signal number in the following conditions:
1 SIGABRT
2 SIGFPE
3 SIGILL
Illegal operation.
4 SIGINT
5 SIGSEGV
6 SIGTERM
Termination request.
Library Functions
Following are the functions defined in the header signal.h:
Declaration
Following is the declaration for signal() function.
Parameters
      sig -- This is the signal number to which a handling function is set. The following
       are few important standard signal numbers:
macro signal
 SIG_DFL    Default handling: The signal is handled by the default action for that
            particular signal.
Return Value
This function returns the previous value of the signal handler, or SIG_ERR on error.
                                                                                          74
                                                                 C Standard Library
Example
The following example shows the usage of signal() function.
 #include <stdio.h>
 #include <unistd.h>
 #include <stdlib.h>
 #include <signal.h>
void sighandler(int);
 int main()
 {
     signal(SIGINT, sighandler);
     while(1)
     {
         printf("Going to sleep for a second...\n");
         sleep(1);
     }
     return(0);
 }
Let us compile and run the above program that will produce the following result and
program will go in infinite loop. To come out of the program we used CTRL + C keys.
                                                                                75
                                                                         C Standard Library
Declaration
Following is the declaration for signal() function.
Parameters
      sig -- This is the signal number to send. Following are few important standard
       signal constants:
macro signal
Return Value
This function returns zero if successful, and non-zero otherwise.
Example
The following example shows the usage of signal() function.
 #include <signal.h>
 #include <stdio.h>
 void signal_catchfunc(int);
                                                                                           76
                                                                     C Standard Library
 int main()
 {
         int ret;
     printf("Exiting...\n");
     return(0);
 }
Let us compile and run the above program to produce the following result:
                                                                                    77
                                                                    C Standard Library
              10.            C Library ─ <stdarg.h>
Introduction
The stdarg.h header defines a variable type va_list and three macros which can be
used to get the arguments in a function when the number of arguments are not known
i.e. variable number of arguments.
A function of variable arguments is defined with the ellipsis (,...) at the end of the
parameter list.
Library Variables
Following is the variable type defined in the header stdarg.h:
          va_list
   1      This is a type suitable for holding information needed by the three macros
          va_start(), va_arg() and va_end().
Library Macros
Following are the macros defined in the header stdarg.h:
   1      This macro initializes ap variable to be used with the va_arg and va_end
          macros. The last_arg is the last known fixed argument being passed to the
          function i.e. the argument before the ellipsis.
                                                                                    78
                                                                          C Standard Library
Declaration
Following is the declaration for va_start() macro.
Parameters
          ap -- This is the object of va_list and it will hold the information needed to
           retrieve the additional arguments with va_arg.
 last_arg -- This is the last known fixed argument being passed to the function.
Return Value
NA
Example
The following example shows the usage of va_start() macro.
 #include<stdarg.h>
 #include<stdio.h>
 int main(void)
 {
         printf("Sum of 10, 20 and 30 = %d\n",    sum(3, 10, 20, 30) );
         printf("Sum of 4, 20, 25 and 30 = %d\n",     sum(4, 4, 20, 25, 30) );
         return 0;
 }
                                                                                             79
                                                                             C Standard Library
         va_start(ap, num_args);
         for(i = 0; i < num_args; i++)
         {
             val += va_arg(ap, int);
         }
         va_end(ap);
         return val;
 }
Let us compile and run the above program to produce the following result:
Declaration
Following is the declaration for va_arg() macro.
Parameters
            ap -- This is the object of type va_list with information about the additional
             arguments and their retrieval state. This object should be initialized by an initial
             call to va_start before the first call to va_arg.
            type -- This is a type name. This type name is used as the type of the
             expression, this macro expands to.
Return Value
This macro returns the next additional argument as an expression of type type.
Example
The following example shows the usage of va_arg() macro.
 #include <stdarg.h>
 #include <stdio.h>
                                                                                              80
                                                                     C Standard Library
 int main()
 {
     printf("Sum of 15 and 56 = %d\n",    sum(2, 15, 56) );
     return 0;
 }
     va_start(ap, num_args);
     for(i = 0; i < num_args; i++)
     {
         val += va_arg(ap, int);
     }
     va_end(ap);
     return val;
 }
Let us compile and run the above program to produce the following result:
Sum of 15 and 56 = 71
Declaration
Following is the declaration for va_end() macro.
Parameters
                                                                                    81
                                                                          C Standard Library
Return Value
This macro does not return any value.
Example
The following example shows the usage of va_end() macro.
 #include <stdarg.h>
 #include <stdio.h>
 int main()
 {
         printf("15 * 12 = %d\n",      mul(2, 15, 12) );
         return 0;
 }
         va_start(ap, num_args);
         for(i = 0; i < num_args; i++)
         {
             val *= va_arg(ap, int);
         }
         va_end(ap);
         return val;
 }
Let us compile and run the above program to produce the following result:
15 * 12 = 180
                                                                                         82
                                                                        C Standard Library
              11.           C Library ─ <stddef.h>
Introduction
The stddef.h header defines various variable types and macros. Many of these
definitions also appear in other headers.
Library Variables
Following are the variable types defined in the header stddef.h:
         ptrdiff_t
   1
         This is the signed integral type and is the result of subtracting two pointers.
         size_t
   2
         This is the unsigned integral type and is the result of the sizeof keyword.
         wchar_t
   3
         This is an integral type of the size of a wide character constant.
Library Macros
Following are the macros defined in the header stddef.h:
         NULL
   1
         This macro is the value of a null pointer constant.
offsetof(type, member-designator)
   2     This results in a constant integer of type size_t which is the offset in bytes of
         a structure member from the beginning of the structure. The member is given
         by member-designator, and the name of the structure is given in type.
                                                                                           83
                                                                   C Standard Library
NULL
Description
The C library Macro NULL is the value of a null pointer constant. It may be defined as
((void*)0), 0 or 0L depending on the compiler vendor.
Declaration
Following may be the declaration for NULL Macro depending on the compiler.
or
#define NULL 0L
or
#define NULL 0
Parameters
            NA
Return Value
            NA
Example
The following example shows the usage of NULL Macro.
 #include <stddef.h>
 #include <stdio.h>
 int main ()
 {
         FILE *fp;
         fp = fopen("file.txt", "r");
         if( fp != NULL )
         {
             printf("Opend file file.txt successfully\n");
             fclose(fp);
         }
                                                                                   84
                                                                        C Standard Library
         fp = fopen("nofile.txt", "r");
         if( fp == NULL )
         {
             printf("Could not open file nofile.txt\n");
         }
         return(0);
 }
Assuming we have an existing file file.txt but nofile.txt does not exist. Let us compile
and run the above program that will produce the following result:
offsetof(type, member-designator)
Description
The C library macro offsetof(type, member-designator) results in a constant integer
of type size_t which is the offset in bytes of a structure member from the beginning of
the structure. The member is given by member-designator, and the name of the
structure is given in type.
Declaration
Following is the declaration for offsetof() Macro.
offsetof(type, member-designator)
Parameters
            type -- This is the class type in which member-designator is a valid member
             designator.
            member-designator -- This is the member designator of class type.
Return Value
This macro returns the value of type size_t which is the offset value of member in type.
Example
The following example shows the usage of offsetof() Macro.
 #include <stddef.h>
 #include <stdio.h>
 struct address {
         char name[50];
                                                                                       85
                                                                      C Standard Library
      char street[50];
      int phone;
 };
 int main()
 {
      printf("name offset = %d byte in address structure.\n",
      offsetof(struct address, name));
      return(0);
 }
Let us compile and run the above program, this will produce the following result:
                                                                                     86
                                                                           C Standard Library
                 12.           C Library ─ <stdio.h>
Introduction
The stdio.h header defines three variable types, several macros, and various functions
for performing input and output.
Library Variables
Following are the variable types defined in the header stdio.h:
          size_t
   1
          This is the unsigned integral type and is the result of the sizeof keyword.
          FILE
   2
          This is an object type suitable for storing information for a file stream.
          fpos_t
   3
          This is an object type suitable for storing any position in a file.
Library Macros
Following are the macros defined in the header stdio.h:
          NULL
   1
          This macro is the value of a null pointer constant.
   2      These are the macros which expand to integral constant expressions with
          distinct values and suitable for the use as third argument to the setvbuf
          function.
          BUFSIZ
   3      This macro is an integer, which represents the size of the buffer used by the
          setbuf function.
                                                                                          87
                                                                       C Standard Library
          EOFM
   4      This macro is a negative integer, which indicates that the end-of-file has been
          reached.
          FOPEN_MAX
   5      This macro is an integer, which represents the maximum number of files that
          the system can guarantee to be opened simultaneously.
FILENAME_MAX
          This macro is an integer, which represents the longest length of a char array
   6      suitable for holding the longest possible filename. If the implementation
          imposes no limit, then this value should be the recommended maximum
          value.
L_tmpnam
   7      This macro is an integer, which represents the longest length of a char array
          suitable for holding the longest possible temporary filename created by the
          tmpnam function.
          TMP_MAX
   9      This macro is the maximum number of unique filenames that the function
          tmpnam can generate.
Library Functions
Following are the functions defined in the header stdio.h:
Follow the same sequence of functions for better understanding and to make use of Try
it (online compiler) option, because file created in the first function will be used in
subsequent functions.
                                                                                       88
                                                                    C Standard Library
                                                                                   89
                                                                      C Standard Library
     size_t fwrite(const void *ptr, size_t size, size_t nmemb, FILE *stream)
13
     Writes data from the array pointed to by ptr to the given stream.
     FILE *tmpfile(void)
19
     Creates a temporary file in binary update mode (wb+).
                                                                                     90
                                                                  C Standard Library
31   Reads a line from the specified stream and stores it into the string pointed to
     by str. It stops when either (n-1) characters are read, the newline character
     is read, or the end-of-file is reached, whichever comes first.
     int getchar(void)
35
     Gets a character (an unsigned char) from stdin.
                                                                                  91
                                                                         C Standard Library
   36     Reads a line from stdin and stores it into the string pointed to, by str. It stops
          when either the newline character is read or when the end-of-file is reached,
          whichever comes first.
Declaration
Following is the declaration for fclose() function.
Parameters
       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.
                                                                                          92
                                                                            C Standard Library
Example
The following example shows the usage of fclose() function.
#include <stdio.h>
 int main()
 {
         FILE *fp;
fp = fopen("file.txt", "w");
         return(0);
 }
Let us compile and run the above program that will create a file file.txt, and then it will
write following text line and finally it will close the file using fclose() function.
This is tutorialspoint.com
Declaration
Following is the declaration for clearerr() function.
Parameters
          stream -- This is the pointer to a FILE object that identifies the stream.
Return Value
This should not fail and do not set the external variable errno but in case it detects that
its argument is not a valid stream, it must return -1 and set errno to EBADF.
                                                                                           93
                                                                      C Standard Library
Example
The following example shows the usage of clearerr() function.
 #include <stdio.h>
 int main()
 {
     FILE *fp;
     char c;
fp = fopen("file.txt", "w");
     c = fgetc(fp);
     if( ferror(fp) )
     {
         printf("Error in reading from file : file.txt\n");
     }
     clearerr(fp);
     if( ferror(fp) )
     {
         printf("Error in reading from file : file.txt\n");
     }
     fclose(fp);
     return(0);
 }
Assuming we have a text file file.txt, which is an empty file, let us compile and run the
above program, this will produce the following result because we try to read a file which
we opened in write only mode.
Declaration
Following is the declaration for feof() function.
                                                                                      94
                                                                              C Standard Library
Parameters
            stream -- This is the pointer to a FILE object that identifies the stream.
Return Value
This function returns a non-zero value when End-of-File indicator associated with the
stream is set, else zero is returned.
Example
The following example shows the usage of feof() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         int c;
         fp = fopen("file.txt","r");
         if(fp == NULL)
         {
             perror("Error in opening file");
             return(-1);
         }
         while(1)
         {
             c = fgetc(fp);
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", c);
         }
         fclose(fp);
         return(0);
 }
Assuming we have a text file file.txt, which has the following content. This file will be
used as an input for our example program:
This is tutorialspoint.com
                                                                                             95
                                                                              C Standard Library
Let us compile and run the above program, this will produce the following result:
This is tutorialspoint.com
Declaration
Following is the declaration for ferror() function.
Parameters
            stream -- This is the pointer to a FILE object that identifies the stream.
Return Value
If the error indicator associated with the stream was set, the function returns a non-zero
value else, it returns a zero value.
Example
The following example shows the usage of ferror() function.
#include <stdio.h>
 int main()
 {
         FILE *fp;
         char c;
fp = fopen("file.txt", "w");
         c = fgetc(fp);
         if( ferror(fp) )
         {
             printf("Error in reading from file : file.txt\n");
         }
         clearerr(fp);
         if( ferror(fp) )
         {
             printf("Error in reading from file : file.txt\n");
                                                                                             96
                                                                             C Standard Library
         }
         fclose(fp);
         return(0);
 }
Assuming we have a text file file.txt, which is an empty file. Let us compile and run the
above program that will produce the following result because we try to read a file which
we opened in write only mode.
Declaration
Following is the declaration for fflush() function.
Parameters
            stream -- This is the pointer to a FILE object that specifies a buffered stream.
Return Value
This function returns a zero value on success. If an error occurs, EOF is returned and the
error indicator is set (i.e. feof).
Example
The following example shows the usage of fflush() function.
 #include <stdio.h>
 #include <string.h>
 int main()
 {
char buff[1024];
sleep(5);
         return(0);
 }
Let us compile and run the above program that will produce the following result. Here
program keeps buffering the output into buff until it faces first call to fflush(), after
which it again starts buffering the output and finally sleeps for 5 seconds. It sends
remaining output to the STDOUT before program comes out.
Declaration
Following is the declaration for fgetpos() function.
Parameters
          stream -- This is the pointer to a FILE object that identifies the stream.
Return Value
This function returns zero on success, else non-zero value in case of an error.
Example
                                                                                           98
                                                                      C Standard Library
#include <stdio.h>
 int main ()
 {
     FILE *fp;
     fpos_t position;
     fp = fopen("file.txt","w+");
     fgetpos(fp, &position);
     fputs("Hello, World!", fp);
     fsetpos(fp, &position);
     fputs("This is going to override previous content", fp);
     fclose(fp);
     return(0);
 }
Let us compile and run the above program to create a file file.txt which will have the
following content. First of all we get the initial position of the file
using fgetpos() function and then we write Hello, World! in the file, but later we have
used fsetpos() function to reset the write pointer at the beginning of the file and then
over-write the file with the following content:
Now let us see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
     FILE *fp;
     int c;
     int n = 0;
     fp = fopen("file.txt","r");
     while(1)
     {
         c = fgetc(fp);
                                                                                     99
                                                                               C Standard Library
             if( feof(fp) )
             {
                   break ;
             }
             printf("%c", c);
         }
fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for fopen() function.
Parameters
            filename -- This is the C string containing the name of the file to be opened.
mode Description
                 Creates an empty file for writing. If a file with the same name already exists,
  "w"
                 its content is erased and the file is considered as a new empty file.
                 Appends to a file. Writing operations, append data at the end of the file. The
     "a"
                 file is created if it does not exist.
"r+" Opens a file to update both reading and writing. The file must exist.
                                                                                              100
                                                                      C Standard Library
Return Value
This function returns a FILE pointer. Otherwise, NULL is returned and the global variable
errno is set to indicate the error.
Example
The following example shows the usage of fopen() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
     FILE * fp;
fclose(fp);
     return(0);
 }
Let us compile and run the above program that will create a file file.txt with the
following content:
We are in 2012
Now let us see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
     FILE *fp;
     int c;
     fp = fopen("file.txt","r");
     while(1)
     {
         c = fgetc(fp);
                                                                                     101
                                                                             C Standard Library
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", c);
         }
         fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for fread() function.
Parameters
            ptr -- This is the pointer to a block of memory with a minimum size
             of size*nmemb bytes.
 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.
Return Value
The total number of elements successfully read are returned as a size_t object, which is
an integral data type. If this number differs from the nmemb parameter, then either an
error had occurred or the End Of File was reached.
Example
The following example shows the usage of fread() function.
 #include <stdio.h>
 #include <string.h>
 int main()
 {
         FILE *fp;
         char c[] = "this is tutorialspoint";
                                                                                              102
                                                                           C Standard Library
char buffer[20];
         return(0);
 }
Let us compile and run the above program that will create a file file.txt and write a
content this is tutorialspoint. After that, we use fseek() function to reset writing pointer
to the beginning of the file and prepare the file content which is as follows:
this is tutorialspoint
Declaration
Following is the declaration for freopen() function.
Parameters
          filename -- This is the C string containing the name of the file to be opened.
                                                                                            103
                                                                           C Standard Library
mode Description
  "w"        Creates an empty file for writing. If a file with the same name already exists
             then its content is erased and the file is considered as a new empty file.
     "a"     Appends to a file. Writing operations appends data at the end of the file. The
             file is created if it does not exist.
"r+" Opens a file to update both reading and writing. The file must exist.
          stream -- This is the pointer to a FILE object that identifies the stream to be re-
           opened.
Return Value
If the file was re-opened successfully, the function returns a pointer to an object
identifying the stream or else, null pointer is returned.
Example
The following example shows the usage of freopen() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
fclose(fp);
return(0);
                                                                                          104
                                                                      C Standard Library
Let us compile and run the above program that will send the following line at STDOUT
because initially we did not open stdout:
Now let's see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
     FILE *fp;
     int c;
     fp = fopen("file.txt","r");
     while(1)
     {
         c = fgetc(fp);
         if( feof(fp) )
         {
              break ;
         }
         printf("%c", c);
     }
     fclose(fp);
     return(0);
 }
Declaration
                                                                                     105
                                                                            C Standard Library
Parameters
          stream -- This is the pointer to a FILE object that identifies the stream.
          whence -- This is the position from where offset is added. It is specified by one
           of the following constants:
Constant Description
Return ValueThis function returns zero if successful, or else it returns a non-zero value.
Example
The following example shows the usage of fseek() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         fp = fopen("file.txt","w+");
         fputs("This is tutorialspoint.com", fp);
         return(0);
 }
Let us compile and run the above program that will create a file file.txt with the
following content. Initially program creates the file and writes This is tutorialspoint.com,
but later we had reset the write pointer at 7th position from the beginning and used
puts() statement which over-write the file with the following content:
                                                                                          106
                                                                              C Standard Library
Now let's see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         int c;
         fp = fopen("file.txt","r");
         while(1)
         {
             c = fgetc(fp);
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", c);
         }
         fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for fsetpos() function.
Parameters
            stream -- This is the pointer to a FILE object that identifies the stream.
                                                                                            107
                                                                        C Standard Library
Return Value
This function returns zero value if successful, or else it returns a non-zero value and sets
the global variable errno to a positive value, which can be interpreted with perror.
Example
The following example shows the usage of fsetpos() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         fpos_t position;
         fp = fopen("file.txt","w+");
         fgetpos(fp, &position);
         fputs("Hello, World!", fp);
         fsetpos(fp, &position);
         fputs("This is going to override previous content", fp);
         fclose(fp);
         return(0);
 }
Let us compile and run the above program to create a file file.txt which will     have the
following content. First of all we get the initial position of                    the file
using fgetpos() function, and then we write Hello, World! in the file but         later we
used fsetpos() function to reset the write pointer at the beginning of the file   and then
over-write the file with the following content:
Now let's see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
         FILE *fp;
                                                                                        108
                                                                              C Standard Library
int c;
         fp = fopen("file.txt","r");
         while(1)
         {
             c = fgetc(fp);
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", c);
         }
         fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for ftell() function.
Parameters
            stream -- This is the pointer to a FILE object that identifies the stream.
Return Value
This function returns the current value of the position indicator. If an error occurs, -1L is
returned, and the global variable errno is set to a positive value.
Example
The following example shows the usage of ftell() function.
#include <stdio.h>
 int main ()
 {
                                                                                            109
                                                                                  C Standard Library
         FILE *fp;
         int len;
         fp = fopen("file.txt", "r");
         if( fp == NULL )
         {
             perror ("Error opening file");
             return(-1);
         }
         fseek(fp, 0, SEEK_END);
         len = ftell(fp);
         fclose(fp);
         return(0);
 }
Let us assume we have a text file file.txt, which has the following content:
This is tutorialspoint.com
Now let us compile and run the above program that will produce the following result if
file has above mentioned content otherwise it will give different result based on the file
content:
size_t fwrite(const void *ptr, size_t size, size_t nmemb, FILE *stream)
Description
The C library function size_t fwrite(const void *ptr, size_t size, size_t nmemb,
FILE *stream) writes data from the array pointed to, by ptr to the given stream.
Declaration
Following is the declaration for fwrite() function.
size_t fwrite(const void *ptr, size_t size, size_t nmemb, FILE *stream)
Parameters
            ptr -- This is the pointer to the array of elements to be written.
                                                                                                110
                                                                              C Standard Library
 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 output stream.
Return Value
This function returns the total number of elements successfully returned as a size_t
object, which is an integral data type. If this number differs from the nmemb parameter,
it will show an error.
Example
The following example shows the usage of fwrite() function.
#include<stdio.h>
 int main ()
 {
         FILE *fp;
         char str[] = "This is tutorialspoint.com";
fclose(fp);
         return(0);
 }
Let us compile and run the above program that will create a file file.txt which will have
following content:
This is tutorialspoint.com
Now let's see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
                                                                                             111
                                                                             C Standard Library
         FILE *fp;
         int c;
         fp = fopen("file.txt","r");
         while(1)
         {
             c = fgetc(fp);
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", c);
         }
         fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for remove() function.
Parameters
            filename -- This is the C string containing the name of the file to be deleted.
Return Value
On success, zero is returned. On error, -1 is returned, and errno is set appropriately.
Example
The following example shows the usage of remove() function.
 #include <stdio.h>
 #include <string.h>
                                                                                               112
                                                                   C Standard Library
 int main ()
 {
     int ret;
     FILE *fp;
     char filename[] = "file.txt";
fp = fopen(filename, "w");
ret = remove(filename);
     if(ret == 0)
     {
         printf("File deleted successfully");
     }
     else
     {
         printf("Error: unable to delete the file");
     }
     return(0);
 }
Let us assume we have a text file file.txt having some content. So we are going to
delete this file, using the above program. Let us compile and run the above program to
produce the following message and the file will be deleted permanently.
Declaration
Following is the declaration for rename() function.
                                                                                  113
                                                                           C Standard Library
Parameters
            old_filename -- This is the C string containing the name of the file to be
             renamed and/or moved.
            new_filename -- This is the C string containing the new name for the file.
Return Value
On success, zero is returned. On error, -1 is returned, and errno is set appropriately.
Example
The following example shows the usage of rename() function.
#include <stdio.h>
 int main ()
 {
         int ret;
         char oldname[] = "file.txt";
         char newname[] = "newfile.txt";
         if(ret == 0)
         {
             printf("File renamed successfully");
         }
         else
         {
             printf("Error: unable to rename the file");
         }
         return(0);
 }
Let us assume we have a text file file.txt, having some content. So, we are going to
rename this file, using the above program. Let us compile and run the above program to
produce the following message and the file will be renamed to newfile.txt file.
                                                                                          114
                                                                              C Standard Library
Declaration
Following is the declaration for rewind() function.
Parameters
            stream -- This is the pointer to a FILE object that identifies the stream.
Return Value
This function does not return any value.
Example
The following example shows the usage of rewind() function.
#include <stdio.h>
 int main()
 {
         char str[] = "This is tutorialspoint.com";
         FILE *fp;
         int ch;
                                                                                            115
                                                                             C Standard Library
         }
         rewind(fp);
         printf("\n");
         while(1)
         {
             ch = fgetc(fp);
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", ch);
         }
         fclose(fp);
         return(0);
 }
Let us assume we have a text file file.txt that have the following content:
This is tutorialspoint.com
Now let us compile and run the above program to produce the following result:
 This is tutorialspoint.com
 This is tutorialspoint.com
Declaration
Following is the declaration for setbuf() function.
Parameters
            stream -- This is the pointer to a FILE object that identifies an open stream.
            buffer -- This is the user allocated buffer. This should have a length of at least
             BUFSIZ bytes, which is a macro constant to be used as the length of this array.
Return Value
                                                                                              116
                                                                           C Standard Library
Example
The following example shows the usage of setbuf() function.
#include <stdio.h>
 int main()
 {
         char buf[BUFSIZ];
         setbuf(stdout, buf);
         puts("This is tutorialspoint");
         fflush(stdout);
         return(0);
 }
Let us compile and run the above program to produce the following result. Here program
sends output to the STDOUT just before it comes out, otherwise it keeps buffering the
output. You can also use fflush() function to flush the output.
This is tutorialspoint
Declaration
Following is the declaration for setvbuf() function.
Parameters
          stream -- This is the pointer to a FILE object that identifies an open stream.
          buffer -- This is the user allocated buffer. If set to NULL, the function
           automatically allocates a buffer of the specified size.
          mode -- This specifies a mode for file buffering:
mode Description
                                                                                            117
                                                                           C Standard Library
               Full buffering: On output, data is written once the buffer is full. On Input
 _IOFBF        the buffer is filled when an input operation is requested and the buffer is
               empty.
Return Value
This function returns zero on success else, non-zero value is returned.
Example
The following example shows the usage of setvbuf() function.
#include <stdio.h>
 int main()
 {
char buff[1024];
sleep(5);
                                                                                          118
                                                                           C Standard Library
         return(0);
 }
Let us compile and run the above program to produce the following result. Here program
keeps buffering the output into buff until it faces first call to fflush(), after which it again
starts buffering the output and finally sleeps for 5 seconds. It sends remaining output to
the STDOUT before the program comes out.
FILE *tmpfile(void)
Description
The C library function FILE *tmpfile(void) creates a temporary file in binary update
mode (wb+). The temporary file created is automatically deleted when the stream is
closed (fclose) or when the program terminates.
Declaration
Following is the declaration for tmpfile() function.
FILE *tmpfile(void)
Parameters
          NA
Return Value
If successful, the function returns a stream pointer to the temporary file created. If the
file cannot be created, then NULL is returned.
Example
The following example shows the usage of tmpfile() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         fp = tmpfile();
         printf("Temporary file created\n");
                                                                                           119
                                                                             C Standard Library
fclose(fp);
         return(0);
 }
Let us compile and run the above program to create a temporary file in /tmp folder but
once your program is out, it will be deleted automatically and the program will produce
the following result:
Declaration
Following is the declaration for tmpnam() function.
Parameters
          str -- This is the pointer to an array of chars where the proposed temp name will
           be stored as a C string.
Return Value
          Return value is a pointer to the C string containing the proposed name for a
           temporary file. If str was a null pointer, this points to an internal buffer that will
           be overwritten the next time this function is called.
          If str was not a null pointer, str is returned. If the function fails to create a
           suitable filename, it returns a null pointer.
Example
The following example shows the usage of tmpnam() function.
#include <stdio.h>
 int main()
 {
                                                                                             120
                                                                               C Standard Library
         char buffer[L_tmpnam];
         char *ptr;
         tmpnam(buffer);
         printf("Temporary name 1: %s\n", buffer);
         ptr = tmpnam(NULL);
         printf("Temporary name 2: %s\n", ptr);
         return(0);
 }
Let us compile and run the above program to produce the following result:
Declaration
Following is the declaration for fprintf() function.
Parameters
             stream -- This is the pointer to a FILE object that identifies the stream.
             format -- This is the C string that contains the text to be written to the stream.
              It can optionally contain embedded format tags that are replaced by the values
              specified in subsequent additional arguments and formatted as requested. Format
              tags prototype is %[flags][width][.precision][length]specifier, which is
              explained below:
specifier Output
c Character
                                                                                             121
                                                                      C Standard Library
o Signed octal
s String of characters
p Pointer address
n Nothing printed
% Character
flags Description
   -      Left-justifies within the given field width; Right justification is the default
          (see width sub-specifier).
  +       Forces to precede the result with a plus or minus sign (+ or -) even for
          positive numbers. By default, only negative numbers are preceded with a
          -ve sign.
                                                                                      122
                                                                      C Standard Library
    0        Left-pads the number with zeroes (0) instead of spaces, where padding is
             specified (see width sub-specifier).
width Description
.precision Description
 .number     For integer specifiers (d, i, o, u, x, X): precision specifies the minimum
             number of digits to be written. If the value to be written is shorter than
             this number, the result is padded with leading zeros. The value is not
             truncated even if the result is longer. A precision of 0 means that no
             character is written for the value 0. For e, E and f specifiers: this is the
             number of digits to be printed after the decimal point. For g and G
             specifiers: This is the maximum number of significant digits to be printed.
             For s: this is the maximum number of characters to be printed. By
             default all characters are printed until the ending null character is
             encountered. For c type: it has no effect. When no precision is specified,
             the default is 1. If the period is specified without an explicit value for
             precision, 0 is assumed.
length Description
    l        The argument is interpreted as a long int or unsigned long int for integer
             specifiers (i, d, o, u, x and X), and as a wide character or wide character
             string for specifiers c and s.
                                                                                      123
                                                                       C Standard Library
Return Value
If successful, the total number of characters written is returned otherwise, a negative
number is returned.
Example
The following example shows the usage of fprintf() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         FILE * fp;
fclose(fp);
         return(0);
 }
Let us compile and run the above program that will create a file file.txt with the
following content:
We are in 2012
Now let's see the content of the above file using the following program:
 #include <stdio.h>
 int main ()
 {
         FILE *fp;
                                                                                      124
                                                                             C Standard Library
int c;
         fp = fopen("file.txt","r");
         while(1)
         {
             c = fgetc(fp);
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", c);
         }
         fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for printf() function.
Parameters
            format -- This is the string that contains the text to be written to stdout. It can
             optionally contain embedded format tags that are replaced by the values specified
             in subsequent additional arguments and formatted as requested. Format tags
             prototype     is %[flags][width][.precision][length]specifier,          which     is
             explained below:
specifier Output
c Character
                                                                                             125
                                                                      C Standard Library
o Signed octal
s String of characters
p Pointer address
n Nothing printed
% Character
flags Description
   -      Left-justify within the given field width; Right justification is the default
          (see width sub-specifier).
  +       Forces to precede the result with a plus or minus sign (+ or -) even for
          positive numbers. By default, only negative numbers are preceded with a -
          ve sign.
(space) If no sign is going to be written, a blank space is inserted before the value.
                                                                                     126
                                                                       C Standard Library
the result is the same as with e or E but trailing zeros are not removed.
   0         Left-pads the number with zeroes (0) instead of spaces, where padding is
             specified (see width sub-specifier).
width Description
   *         The width is not specified in the format string, but as an additional integer
             value argument preceding the argument that has to be formatted.
.precision Description
 .number      For integer specifiers (d, i, o, u, x, X): precision specifies the minimum
              number of digits to be written. If the value to be written is shorter than
              this number, the result is padded with leading zeros. The value is not
              truncated even if the result is longer. A precision of 0 means that no
              character is written for the value 0. For e, E and f specifiers: this is the
              number of digits to be printed after the decimal point. For g and G
              specifiers: This is the maximum number of significant digits to be printed.
              For s: this is the maximum number of characters to be printed. By default
              all characters are printed until the ending null character is encountered.
              For c type: it has no effect. When no precision is specified, the default is
              1. If the period is specified without an explicit value for precision, 0 is
              assumed.
length Description
       l      The argument is interpreted as a long int or unsigned long int for integer
              specifiers (i, d, o, u, x and X), and as a wide character or wide character
              string for specifiers c and s.
                                                                                         127
                                                                          C Standard Library
Return Value
If successful, the total number of characters written is returned. On failure, a negative
number is returned.
Example
The following example shows the usage of printf() function.
#include <stdio.h>
 int main ()
 {
         int ch;
         return(0);
 }
Let us compile and run the above program to produce the following result:
Declaration
Following is the declaration for sprintf() function.
Parameters
          str -- This is the pointer to an array of char elements where the resulting C string
           is stored.
          format -- This is the String that contains the text to be written to buffer. It can
           optionally contain embedded format tags that are replaced by the values specified
           in subsequent additional arguments and formatted as requested. Format tags
           prototype: %[flags][width][.precision][length]specifier,           as    explained
           below:
specifier Output
c Character
                                                                                           129
                                                                    C Standard Library
o Signed octal
s String of characters
p Pointer address
n Nothing printed
% Character
flags Description
   -      Left-justify within the given field width; Right justification is the default
          (see width sub-specifier).
  +       Forces to precede the result with a plus or minus sign (+ or -) even for
          positive numbers. By default, only negative numbers are preceded with a
          -ve sign.
0 Left-pads the number with zeroes (0) instead of spaces, where padding is
                                                                                    130
                                                                          C Standard Library
width Description
.precision Description
 .number         For integer specifiers (d, i, o, u, x, X): precision specifies the minimum
                 number of digits to be written. If the value to be written is shorter than
                 this number, the result is padded with leading zeros. The value is not
                 truncated even if the result is longer. A precision of 0 means that no
                 character is written for the value 0. For e, E and f specifiers: this is the
                 number of digits to be printed after the decimal point. For g and G
                 specifiers: This is the maximum number of significant digits to be printed.
                 For s: this is the maximum number of characters to be printed. By
                 default all characters are printed until the ending null character is
                 encountered. For c type: it has no effect. When no precision is specified,
                 the default is 1. If the period is specified without an explicit value for
                 precision, 0 is assumed.
length Description
      l          The argument is interpreted as a long int or unsigned long int for integer
                 specifiers (i, d, o, u, x and X), and as a wide character or wide character
                 string for specifiers c and s.
                                                                                          131
                                                                            C Standard Library
           should be the same number of these arguments as the number of %-tags that
           expect a value.
Return Value
If successful, the total number of characters written is returned excluding the null-
character appended at the end of the string, otherwise a negative number is returned in
case of failure.
Example
The following example shows the usage of sprintf() function.
 #include <stdio.h>
 #include <math.h>
 int main()
 {
         char str[80];
         return(0);
 }
Let us compile and run the above program, this will produce the following result:
Value of Pi = 3.141593
Declaration
Following is the declaration for vfprintf() function.
Parameters
          stream -- This is the pointer to a FILE object that identifies the stream.
          format -- This is the C string that contains the text to be written to the stream.
           It can optionally contain embedded format tags that are replaced by the values
           specified in subsequent additional arguments and formatted as requested. Format
           tags prototype: %[flags][width][.precision][length]specifier, as explained
           below:
                                                                                          132
                                                                      C Standard Library
specifier Output
c Character
o Signed octal
s String of characters
p Pointer address
n Nothing printed
% Character
flags Description
    -       Left-justify within the given field width; Right justification is the default
            (see width sub-specifier).
    +       Forces to precede the result with a plus or minus sign (+ or -) even for
            positive numbers. By default, only negative numbers are preceded with a
            -ve sign.
                                                                                      133
                                                                      C Standard Library
    0        Left-pads the number with zeroes (0) instead of spaces, where padding is
             specified (see width sub-specifier).
width Description
.precision Description
 .number     For integer specifiers (d, i, o, u, x, X): precision specifies the minimum
             number of digits to be written. If the value to be written is shorter than
             this number, the result is padded with leading zeros. The value is not
             truncated even if the result is longer. A precision of 0 means that no
             character is written for the value 0. For e, E and f specifiers: this is the
             number of digits to be printed after the decimal point. For g and G
             specifiers: This is the maximum number of significant digits to be printed.
             For s: this is the maximum number of characters to be printed. By
             default all characters are printed until the ending null character is
             encountered. For c type: it has no effect. When no precision is specified,
             the default is 1. If the period is specified without an explicit value for
             precision, 0 is assumed.
length Description
                                                                                      134
                                                                            C Standard Library
          l         The argument is interpreted as a long int or unsigned long int for integer
                    specifiers (i, d, o, u, x and X), and as a wide character or wide character
                    string for specifiers c and s.
Return Value
If successful, the total number of characters written is returned otherwise, a negative
number is returned.
Example
The following example shows the usage of vfprintf() function.
 #include <stdio.h>
 #include <stdarg.h>
         va_start(args, format);
         vfprintf(stream, format, args);
         va_end(args);
 }
 int main ()
 {
         FILE *fp;
fp = fopen("file.txt","w");
fclose(fp);
return(0);
                                                                                            135
                                                                       C Standard Library
Let us compile and run the above program that will open a file file.txt for writing in the
current directory and will write the following content:
Now let's see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
     FILE *fp;
     int c;
     fp = fopen("file.txt","r");
     while(1)
     {
         c = fgetc(fp);
         if( feof(fp) )
         {
              break ;
         }
         printf("%c", c);
     }
     fclose(fp);
     return(0);
 }
Declaration
Following is the declaration for vprintf() function.
Parameters
                                                                                      136
                                                                          C Standard Library
        format -- This is the String that contains the text to be written to buffer. It can
         optionally contain embedded format tags that are replaced by the values specified
         in subsequent additional arguments and formatted as requested. Format tags
         prototype    would    be: %[flags][width][.precision][length]specifier,          as
         explained below:
specifier Output
c Character
o Signed octal
s String of characters
p Pointer address
n Nothing printed
% Character
flags Description
     -          Left-justify within the given field width; Right justification is the default
                (see width sub-specifier).
                                                                                          137
                                                                      C Standard Library
    +        Forces to precede the result with a plus or minus sign (+ or -) even for
             positive numbers. By default, only negative numbers are preceded with a
             -ve sign.
    0        Left-pads the number with zeroes (0) instead of spaces, where padding is
             specified (see width sub-specifier).
width Description
.precision Description
 .number     For integer specifiers (d, i, o, u, x, X): precision specifies the minimum
             number of digits to be written. If the value to be written is shorter than
             this number, the result is padded with leading zeros. The value is not
             truncated even if the result is longer. A precision of 0 means that no
             character is written for the value 0. For e, E and f specifiers: this is the
             number of digits to be printed after the decimal point. For g and G
             specifiers: This is the maximum number of significant digits to be printed.
             For s: this is the maximum number of characters to be printed. By
             default all characters are printed until the ending null character is
             encountered. For c type: it has no effect. When no precision is specified,
             the default is 1. If the period is specified without an explicit value for
             precision, 0 is assumed.
                                                                                      138
                                                                             C Standard Library
length Description
          l         The argument is interpreted as a long int or unsigned long int for integer
                    specifiers (i, d, o, u, x and X), and as a wide character or wide character
                    string for specifiers c and s.
Return Value
If successful, the total number of characters written is returned otherwise a negative
number is returned.
Example
The following example shows the usage of vprintf() function.
 #include <stdio.h>
 #include <stdarg.h>
         va_start(args, format);
         vprintf(format, args);
         va_end(args);
 }
 int main ()
 {
         WriteFrmtd("%d variable argument\n", 1);
         WriteFrmtd("%d variable %s\n", 2, "arguments");
         return(0);
 }
                                                                                            139
                                                                             C Standard Library
Let us compile and run the above program that will produce the following result:
 1 variable argument
 2 variable arguments
Declaration
Following is the declaration for vsprintf() function.
Parameters
          str -- This is the array of char elements where the resulting string is to be stored.
          format -- This is the C string that contains the text to be written to the str. It can
           optionally contain embedded format tags that are replaced by the values specified
           in subsequent additional arguments and are formatted as requested. Format tags
           prototype: %[flags][width][.precision][length]specifier,             as    explained
           below:
specifier Output
c Character
o Signed octal
s String of characters
                                                                                             140
                                                                     C Standard Library
p Pointer address
n Nothing printed
% Character
flags Description
   -       Left-justify within the given field width; Right justification is the default
           (see width sub-specifier).
   +       Forces to precede the result with a plus or minus sign (+ or -) even for
           positive numbers. By default, only negative numbers are preceded with a
           -ve sign.
   0       Left-pads the number with zeroes (0) instead of spaces, where padding is
           specified (see width sub-specifier).
width Description
                                                                                     141
                                                                          C Standard Library
.precision Description
  .number        For integer specifiers (d, i, o, u, x, X): precision specifies the minimum
                 number of digits to be written. If the value to be written is shorter than
                 this number, the result is padded with leading zeros. The value is not
                 truncated even if the result is longer. A precision of 0 means that no
                 character is written for the value 0. For e, E and f specifiers: this is the
                 number of digits to be printed after the decimal point. For g and G
                 specifiers: This is the maximum number of significant digits to be printed.
                 For s: this is the maximum number of characters to be printed. By
                 default all characters are printed until the ending null character is
                 encountered. For c type: it has no effect. When no precision is specified,
                 the default is 1. If the period is specified without an explicit value for
                 precision, 0 is assumed.
length Description
       l         The argument is interpreted as a long int or unsigned long int for integer
                 specifiers (i, d, o, u, x and X), and as a wide character or wide character
                 string for specifiers c and s.
Return Value
If successful, the total number of characters written is returned, otherwise a negative
number is returned.
Example
The following example shows the usage of vsprintf() function.
#include <stdio.h>
                                                                                          142
                                                                      C Standard Library
#include <stdarg.h>
 char buffer[80];
 int vspfunc(char *format, ...)
 {
     va_list aptr;
     int ret;
     va_start(aptr, format);
     ret = vsprintf(buffer, format, aptr);
     va_end(aptr);
     return(ret);
 }
 int main()
 {
     int i = 5;
     float f = 27.0;
     char str[50] = "tutoriaspoint.com";
     return(0);
 }
Let us compile and run the above program, this will produce the following result:
5 27.000000 tutoriaspoint.com
Declaration
Following is the declaration for fscanf() function.
                                                                                    143
                                                                            C Standard Library
Parameters
          stream -- This is the pointer to a FILE object that identifies the stream.
          format -- This is the C string that contains one or more of the following items:
           Whitespace character, Non-whitespace character and Format specifiers. A format
           specifier will be as [=%[*][width][modifiers]type=], which is explained
           below:
argument Description
 modifiers        Specifies a size different from int (in the case of d, i and n), unsigned int
                  (in the case of o, u and x) or float (in the case of e, f and g) for the data
                  pointed by the corresponding additional argument: h : short int (for d, i
                  and n), or unsigned short int (for o, u and x) l : long int (for d, i and n),
                  or unsigned long int (for o, u and x), or double (for e, f and g) L : long
                  double (for e, f and g)
   type           A character specifying the type of data to be read and how it is expected
                  to be read. See next table.
                                                                                            144
                                                                            C Standard Library
Return Value
This function returns 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.
Example
The following example shows the usage of fscanf() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         char str1[10], str2[10], str3[10];
         int year;
         FILE * fp;
         rewind(fp);
         fscanf(fp, "%s %s %s %d", str1, str2, str3, &year);
                                                                                           145
                                                                               C Standard Library
fclose(fp);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for scanf() function.
Parameters
             format -- This is the C string that contains one or more of the following items:
argument Description
 modifiers           Specifies a size different from int (in the case of d, i and n), unsigned int
                     (in the case of o, u and x) or float (in the case of e, f and g) for the data
                     pointed by the corresponding additional argument: h : short int (for d, i
                     and n), or unsigned short int (for o, u and x) l : long int (for d, i and n),
                                                                                               146
                                                                        C Standard Library
                or unsigned long int (for o, u and x), or double (for e, f and g) L : long
                double (for e, f and g)
    type        A character specifying the type of data to be read and how it is expected
                to be read. See next table.
Return Value
If successful, the total number of characters written is returned, otherwise a negative
number is returned.
                                                                                       147
                                                                C Standard Library
Example
The following example shows the usage of scanf() function.
#include <stdio.h>
 int main()
 {
     char str1[20], str2[30];
     return(0);
 }
Let us compile and run the above program that will produce the following result in
interactive mode:
Declaration
Following is the declaration for sscanf() function.
Parameters
                                                                              148
                                                                            C Standard Library
          str -- This is the C string that the function processes as its source to retrieve the
           data.
          format -- This is the C string that contains one or more of the following items:
           Whitespace character, Non-whitespace character and Format specifiers
argument Description
 modifiers        Specifies a size different from int (in the case of d, i and n), unsigned int
                  (in the case of o, u and x) or float (in the case of e, f and g) for the data
                  pointed by the corresponding additional argument: h : short int (for d, i
                  and n), or unsigned short int (for o, u and x) l : long int (for d, i and n),
                  or unsigned long int (for o, u and x), or double (for e, f and g) L : long
                  double (for e, f and g)
   type           A character specifying the type of data to be read and how it is expected
                  to be read. See next table.
                                                                                            149
                                                                          C Standard Library
           For each format specifier in the format string that retrieves data, an additional
           argument should be specified. If you want to store the result of a sscanf
           operation on a regular variable you should precede its identifier with the
           reference operator, i.e. an ampersand sign (&), like: int n; sscanf (str,"%d",&n);
Return Value
On success, the function returns the number of variables filled. In the case of an input
failure before any data could be successfully read, EOF is returned.
Example
The following example shows the usage of sscanf() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         int day, year;
         char weekday[20], month[20], dtm[100];
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                         150
                                                                             C Standard Library
Declaration
Following is the declaration for fgetc() function.
Parameters
             stream -- This is the pointer to a FILE object that identifies the stream on which
              the operation is to be performed.
Return Value
This function returns the character read as an unsigned char cast to an int or EOF on end
of file or error.
Example
The following example shows the usage of fgetc() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         int c;
         int n = 0;
         fp = fopen("file.txt","r");
         if(fp == NULL)
         {
              perror("Error in opening file");
              return(-1);
         }
         do
         {
              c = fgetc(fp);
              if( feof(fp) )
              {
                                                                                            151
                                                                             C Standard Library
                break ;
            }
            printf("%c", c);
         }while(1);
         fclose(fp);
         return(0);
 }
Let us assume, we have a text file file.txt, which has the following content. This file will
be used as an input for our example program:
We are in 2012
Now, let us compile and run the above program that will produce the following result:
We are in 2012
Declaration
Following is the declaration for fgets() function.
Parameters
          str -- This is the pointer to an array of chars where the string read is stored.
          stream -- This is the pointer to a FILE object that identifies the stream where
           characters are read from.
Return Value
On success, the function returns the same str parameter. If the End-of-File is
encountered and no characters have been read, the contents of str remain unchanged
and a null pointer is returned.
Example
The following example shows the usage of fgets() function.
                                                                                              152
                                                                        C Standard Library
#include <stdio.h>
 int main()
 {
     FILE *fp;
     char str[60];
     return(0);
 }
Let us assume, we have a text file file.txt, which has the following content. This file will
be used as an input for our example program:
We are in 2012
Now, let us compile and run the above program that will produce the following result:
We are in 2012
Declaration
Following is the declaration for fputc() function.
                                                                                        153
                                                                              C Standard Library
Parameters
            char -- This is the 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.
Example
The following example shows the usage of fputc() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         int ch;
         fp = fopen("file.txt", "w+");
         for( ch = 33 ; ch <= 100; ch++ )
         {
             fputc(ch, fp);
         }
         fclose(fp);
         return(0);
 }
Let us compile and run the above program that will create a file file.txt in the current
directory, which will have following content:
!"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcd
Now let's see the content of the above file using the following program:
 #include <stdio.h>
                                                                                                 154
                                                                             C Standard Library
 int main ()
 {
         FILE *fp;
         int c;
         fp = fopen("file.txt","r");
         while(1)
         {
             c = fgetc(fp);
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", c);
         }
         fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for fputs() function.
Parameters
            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 where the
             string is to be written.
Return Value
This function returns a non-negative value, or else on error it returns EOF.
Example
                                                                                            155
                                                                      C Standard Library
 #include <stdio.h>
 int main ()
 {
     FILE *fp;
fp = fopen("file.txt", "w+");
fclose(fp);
     return(0);
 }
Let us compile and run the above program, this will create a file file.txt with the
following content:
Now let's see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
     FILE *fp;
     int c;
     fp = fopen("file.txt","r");
     while(1)
     {
         c = fgetc(fp);
         if( feof(fp) )
         {
              break ;
         }
         printf("%c", c);
     }
                                                                                    156
                                                                          C Standard Library
         fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for getc() function.
Parameters
          stream -- This is the pointer to a FILE object that identifies the stream on which
           the operation is to be performed.
Return Value
This function returns the character read as an unsigned char cast to an int or EOF on end
of file or error.
Example
The following example shows the usage of getc() function.
#include<stdio.h>
 int main()
 {
         char c;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Enter character: a
                                                                                         157
                                                                      C Standard Library
Character entered: a
int getchar(void)
Description
The C library function int getchar(void) gets a character (an unsigned char) from stdin.
This is equivalent to getc with stdin as its argument.
Declaration
Following is the declaration for getchar() function.
int getchar(void)
Parameters
          NA
Return Value
This function returns the character read as an unsigned char cast to an int or EOF on end
of file or error.
Example
The following example shows the usage of getchar() function.
#include <stdio.h>
 int main ()
 {
         char c;
         printf("Enter character: ");
         c = getchar();
         return(0);
 }
Let us compile and run the above program that will produce the following result:
 Enter character: a
 Character entered: a
                                                                                     158
                                                                             C Standard Library
Declaration
Following is the declaration for gets() function.
Parameters
          str -- This is the pointer to an array of chars where the C string is stored.
Return Value
This function returns str on success, and NULL on error or when end of file occurs, while
no characters have been read.
Example
The following example shows the usage of gets() function.
#include <stdio.h>
 int main()
 {
         char str[50];
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                           159
                                                                             C Standard Library
Declaration
Following is the declaration for putc() function.
Parameters
            char -- This is the character to be written. The character 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
This function returns the character written as an unsigned char cast to an int or EOF on
error.
Example
The following example shows the usage of putc() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         int ch;
         fp = fopen("file.txt", "w");
         for( ch = 33 ; ch <= 100; ch++ )
         {
             putc(ch, fp);
         }
         fclose(fp);
         return(0);
 }
Let us compile and run the above program that will create a file file.txt in the current
directory which will have following content:
!"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcd
                                                                                            160
                                                                              C Standard Library
Now let's see the content of the above file using the following program:
#include <stdio.h>
 int main ()
 {
         FILE *fp;
         int c;
         fp = fopen("file.txt","r");
         while(1)
         {
             c = fgetc(fp);
             if( feof(fp) )
             {
                  break ;
             }
             printf("%c", c);
         }
         fclose(fp);
         return(0);
 }
Declaration
Following is the declaration for putchar() function.
Parameters
            char -- This is the character to be written. This is passed as its int promotion.
Return Value
This function returns the character written as an unsigned char cast to an int or EOF on
error.
                                                                                                 161
                                                                       C Standard Library
Example
The following example shows the usage of putchar() function.
#include <stdio.h>
 int main ()
 {
         char ch;
Let us compile and run the above program that will produce the following result:
ABCDEFGHIJKLMNOPQRSTUVWXYZ
Declaration
Following is the declaration for puts() function.
Parameters
            str -- This is the C string to be written.
Return Value
If successful, non-negative value is returned. On error, the function returns EOF.
Example
The following example shows the usage of puts() function.
 #include <stdio.h>
 #include <string.h>
 int main()
 {
                                                                                     162
                                                                            C Standard Library
         char str1[15];
         char str2[15];
         strcpy(str1, "tutorialspoint");
         strcpy(str2, "compileonline");
         puts(str1);
         puts(str2);
         return(0);
 }
Let us compile and run the above program to produce the following result:
 tutorialspoint
 compileonline
Declaration
Following is the declaration for ungetc() function.
Parameters
          char -- This is the character to be put back. This is passed as its int promotion.
 stream -- This is the pointer to a FILE object that identifies an input stream.
Return Value
If successful, it returns the character that was pushed back otherwise, EOF is returned
and the stream remains unchanged.
Example
The following example shows the usage of ungetc() function.
 #include <stdio.h>
 int main ()
 {
         FILE *fp;
                                                                                             163
                                                                      C Standard Library
     int c;
     char buffer [256];
     fp = fopen("file.txt", "r");
     if( fp == NULL )
     {
         perror("Error in opening file");
         return(-1);
     }
     while(!feof(fp))
     {
         c = getc (fp);
         /* replace ! with + */
         if( c == '!' )
         {
              ungetc ('+', fp);
         }
         else
         {
              ungetc(c, fp);
         }
         fgets(buffer, 255, fp);
         fputs(buffer, stdout);
     }
     return(0);
 }
Let us assume, we have a text file file.txt, which contains the following data. This file
will be used as an input for our example program:
Now let us compile and run the above program that will produce the following result:
                                                                                       164
                                                                          C Standard Library
Declaration
Following is the declaration for perror() function.
Parameters
            str -- This is the C string containing a custom message to be printed before the
             error message itself.
Return Value
This function does not return any value.
Example
The following example shows the usage of perror() function.
#include <stdio.h>
 int main ()
 {
         FILE *fp;
Let us compile and run the above program that will produce the following result because
we are trying to open a file which does not exist:
                                                                                         165
C Standard Library
              166
                                                                           C Standard Library
               13.            C Library ─ <stdlib.h>
Introduction
The stdlib.h header defines four variable types, several macros, and various functions
for performing general functions.
Library Variables
Following are the variable types defined in the header stdlib.h:
1 size_t
This is the unsigned integral type and is the result of the sizeof keyword.
2 wchar_t
3 div_t
   4      ldiv_t
          This is the structure returned by the ldiv function.
Library Macros
Following are the macros defined in the header stdlib.h:
1 NULL
2 EXIT_FAILURE
This is the value for the exit function to return in case of failure.
3 EXIT_SUCCESS
                                                                                         167
                                                                         C Standard Library
This is the value for the exit function to return in case of success.
4 RAND_MAX
5 MB_CUR_MAX
Library Functions
Following are the functions defined in the header stdio.h:
          Converts the string pointed to, by the argument str to a floating-point number
          (type double).
Converts the string pointed to, by the argument str to an integer (type int).
          Converts the string pointed to, by the argument str to a long integer (type
          long int).
          Converts the string pointed to, by the argument str to a floating-point number
          (type double).
          Converts the string pointed to, by the argument str to a long integer (type
          long int).
6 unsigned long int strtoul(const char *str, char **endptr, int base)
          Converts the string pointed to, by the argument str to an unsigned long
          integer (type unsigned long int).
                                                                                          168
                                                                    C Standard Library
     Attempts to resize the memory block pointed to by ptr that was previously
     allocated with a call to malloc or calloc.
11 void abort(void)
     Causes the specified function func to be called when the program terminates
     normally.
     Searches for the environment string pointed to by name and returns the
     associated value to the string.
16   void *bsearch(const void *key, const void *base, size_t nitems, size_t size,
     int (*compar)(const void *, const void *))
17   void qsort(void *base, size_t nitems, size_t size, int (*compar)(const void *,
     const void*))
Sorts an array.
                                                                                     169
                                                                 C Standard Library
18 int abs(int x)
22 int rand(void)
This function seeds the random number generator used by the function rand.
                                                                                   170
                                                                            C Standard Library
Declaration
Following is the declaration for atof() function.
Parameters
          str -- This is the string having the representation of a floating-point number.
Return Value
This function returns the converted floating point number as a double value. If no valid
conversion could be performed, it returns zero (0.0).
Example
The following example shows the usage of atof() function.
 #include <stdio.h>
 #include <stdlib.h>
 #include <string.h>
 int main()
 {
         float val;
         char str[20];
         strcpy(str, "98993489");
         val = atof(str);
         printf("String value = %s, Float value = %f\n", str, val);
         strcpy(str, "tutorialspoint.com");
         val = atof(str);
         printf("String value = %s, Float value = %f\n", str, val);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                             171
                                                                             C Standard Library
Declaration
Following is the declaration for atoi() function.
Parameters
          str -- This is the string representation of an integral number.
Return Value
This function returns the converted integral number as an int value. If no valid
conversion could be performed, it returns zero.
Example
The following example shows the usage of atoi() function.
 #include <stdio.h>
 #include <stdlib.h>
 #include <string.h>
 int main()
 {
         int val;
         char str[20];
         strcpy(str, "98993489");
         val = atoi(str);
         printf("String value = %s, Int value = %d\n", str, val);
         strcpy(str, "tutorialspoint.com");
         val = atoi(str);
         printf("String value = %s, Int value = %d\n", str, val);
         return(0);
 }
                                                                                           172
                                                                            C Standard Library
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for atol() function.
Parameters
          str -- This is the string containing the representation of an integral number.
Return Value
This function returns the converted integral number as a long int. If no valid conversion
could be performed, it returns zero.
Example
The following example shows the usage of atol() function.
 #include <stdio.h>
 #include <stdlib.h>
 #include <string.h>
 int main()
 {
         long val;
         char str[20];
         strcpy(str, "98993489");
         val = atol(str);
         printf("String value = %s, Long value = %ld\n", str, val);
         strcpy(str, "tutorialspoint.com");
         val = atol(str);
         printf("String value = %s, Long value = %ld\n", str, val);
                                                                                            173
                                                                           C Standard Library
         return(0);
 }
Let us compile and run the above program, this will produce the following result:
Declaration
Following is the declaration for strtod() function.
Parameters
          str -- This is the value to be converted to a string.
Return Value
This function returns the converted floating point number as a double value, else zero
value (0.0) is returned.
Example
The following example shows the usage of strtod() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
     char str[30] = "20.30300 This is test";
         char *ptr;
         double ret;
                                                                                          174
                                                                            C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strtol() function.
Parameters
          str -- This is the string containing the representation of an integral number.
          endptr -- This is the reference to an object of type char*, whose value is set by
           the function to the next character in str after the numerical value.
          base -- This is the base, which must be between 2 and 36 inclusive, or be the
           special value 0.
Return Value
This function returns the converted integral number as a long int value, else zero value
is returned.
Example
The following example shows the usage of strtol() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         char str[30] = "2030300 This is test";
         char *ptr;
                                                                                            175
                                                                         C Standard Library
long ret;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
unsigned long int strtoul(const char *str, char **endptr, int base)
Description
The C library function unsigned long int strtoul(const char *str, char **endptr, int
base) function converts the initial part of the string in str to an unsigned long int value
according to the given base, which must be between 2 and 36 inclusive, or be the
special value 0.
Declaration
Following is the declaration for strtoul() function.
unsigned long int strtoul(const char *str, char **endptr, int base)
Parameters
          str -- This is the string containing the representation of an unsigned integral
           number.
          endptr -- This is the reference to an object of type char*, whose value is set by
           the function to the next character in str after the numerical value.
          base -- This is the base, which must be between 2 and 36 inclusive, or be the
           special value 0.
Return Value
This function returns the converted integral number as a long int value. If no valid
conversion could be performed, a zero value is returned.
Example
The following example shows the usage of strtoul() function.
                                                                                        176
                                                                        C Standard Library
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         char str[30] = "2030300 This is test";
         char *ptr;
         long ret;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for calloc() function.
Parameters
          nitems -- This is the number of elements to be allocated.
Return Value
This function returns a pointer to the allocated memory, or NULL if the request fails.
Example
The following example shows the usage of calloc() function.
                                                                                         177
                                                                      C Standard Library
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
      int i, n;
      int *a;
      a = (int*)calloc(n, sizeof(int));
      printf("Enter %d numbers:\n",n);
      for( i=0 ; i < n ; i++ )
      {
          scanf("%d",&a[i]);
      }
      return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                    178
                                                                        C Standard Library
The C library function void free(void *ptr) deallocates the memory previously allocated
by a call to calloc, malloc, or realloc.
Declaration
Following is the declaration for free() function.
Parameters
          ptr -- This is the pointer to a memory block previously allocated with malloc,
           calloc or realloc to be deallocated. If a null pointer is passed as argument, no
           action occurs.
Return Value
This function does not return any value.
Example
The following example shows the usage of free() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         char *str;
         /* Reallocating memory */
         str = (char *) realloc(str, 25);
         strcat(str, ".com");
         printf("String = %s,   Address = %u\n", str, str);
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for malloc() function.
Parameters
          size -- This is the size of the memory block, in bytes.
Return Value
This function returns a pointer to the allocated memory, or NULL if the request fails.
Example
The following example shows the usage of malloc() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         char *str;
         /* Reallocating memory */
         str = (char *) realloc(str, 25);
         strcat(str, ".com");
         printf("String = %s,    Address = %u\n", str, str);
free(str);
return(0);
                                                                                         180
                                                                           C Standard Library
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for realloc() function.
Parameters
          ptr -- This is the pointer to a memory block previously allocated with malloc,
           calloc or realloc to be reallocated. If this is NULL, a new block is allocated and a
           pointer to it is returned by the function.
          size -- This is the new size for the memory block, in bytes. If it is 0 and ptr
           points to an existing block of memory, the memory block pointed by ptr is
           deallocated and a NULL pointer is returned.
Return Value
This function returns a pointer to the newly allocated memory, or NULL if the request
fails.
Example
The following example shows the usage of realloc() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         char *str;
         /* Reallocating memory */
         str = (char *) realloc(str, 25);
         strcat(str, ".com");
         printf("String = %s,   Address = %u\n", str, str);
free(str);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
void abort(void)
Description
The C library function void abort(void) aborts the program execution and comes out
directly from the place of the call.
Declaration
Following is the declaration for abort() function.
void abort(void)
Parameters
          NA
Return Value
This function does not return any value.
Example
The following example shows the usage of abort() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main ()
 {
         FILE *fp;
                                                                                    182
                                                                             C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result when it
tries to open nofile.txt file, which does not exist:
Declaration
Following is the declaration for atexit() function.
Parameters
            func -- This is the function to be called at the termination of the program.
Return Value
This function returns a zero value if the function is registered successfully, otherwise a
non-zero value is returned if it is failed.
Example
The following example shows the usage of atexit() function.
#include <stdio.h>
                                                                                            183
                                                                           C Standard Library
#include <stdlib.h>
 void functionA ()
 {
         printf("This is functionA\n");
 }
 int main ()
 {
         /* register the termination function */
         atexit(functionA );
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for exit() function.
Parameters
          status -- This is the status value returned to the parent process.
Return Value
                                                                                         184
                                                                          C Standard Library
Example
The following example shows the usage of exit() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main ()
 {
         printf("Start of the program....\n");
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for getenv() function.
Parameters
          name -- This is the C string containing the name of the requested variable.
Return Value
This function returns a null-terminated string with the value of the requested
environment variable, or NULL if that environment variable does not exist.
                                                                                         185
                                                                        C Standard Library
Example
The following example shows the usage of getenv() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main ()
 {
         printf("PATH : %s\n", getenv("PATH"));
         printf("HOME : %s\n", getenv("HOME"));
         printf("ROOT : %s\n", getenv("ROOT"));
         return(0);
 }
Let us compile and run the above program that will produce the following result:
 PATH : /sbin:/usr/sbin:/bin:/usr/bin:/usr/local/bin
 HOME : /
 ROOT : (null)
Declaration
Following is the declaration for system() function.
Parameters
          command -- This is the C string containing the name of the requested variable.
Return Value
The value returned is -1 on error, and the return status of the command otherwise.
Example
The following example shows the usage of system() function to list down all the files and
directories in the current directory under unix machine.
                                                                                       186
                                                                      C Standard Library
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
     char command[50];
     return(0);
 }
Let us compile and run the above program that will produce the following result on my
unix machine:
The following example shows the usage of system() function to list down all the files and
directories in the current directory under windows machine.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
     char command[50];
     return(0);
 }
                                                                                     187
                                                                           C Standard Library
Let us compile and run the above program that will produce the following result on my
windows machine:
 a.txt
 amit.doc
 sachin
 saurav
 file.c
void *bsearch(const void *key, const void *base, size_t nitems, size_t
size, int (*compar)(const void *, const void *))
Description
The C library function void *bsearch(const void *key, const void *base, size_t nitems,
size_t size, int (*compar)(const void *, const void *)) function searches an array of
nitems objects, the initial member of which is pointed to by base, for a member that
matches the object pointed to, by key. The size of each member of the array is specified
by size.
The contents of the array should be in ascending sorted order according to the
comparison function referenced by compar.
Declaration
Following is the declaration for bsearch() function.
 void *bsearch(const void *key, const void *base, size_t nitems, size_t size,
 int (*compar)(const void *, const void *))
Parameters
        key -- This is the pointer to the object that serves as key for the search, type-
         casted as a void*.
        base -- This is the pointer to the first object of the array where the search is
         performed, type-casted as a void*.
Return Value
This function returns a pointer to an entry in the array that matches the search key. If
key is not found, a NULL pointer is returned.
Example
The following example shows the usage of bsearch() function.
 #include <stdio.h>
                                                                                         188
                                                                       C Standard Library
#include <stdlib.h>
 int main ()
 {
     int *item;
     int key = 32;
     return(0);
 }
Let us compile and run the above program that will produce the following result:
Found item = 32
                                                                                         189
                                                                               C Standard Library
Declaration
Following is the declaration for qsort() function.
 void qsort(void *base, size_t nitems, size_t size, int (*compar)(const void *,
 const void*))
Parameters
            base -- This is the pointer to the first element of the array to be sorted.
Return Value
This function does not return any value.
Example
The following example shows the usage of qsort() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         int n;
     return(0);
 }
Let us compile and run the above program that will produce the following result:
int abs(int x)
Description
The C library function int abs(int x) returns the absolute value of int x.
Declaration
Following is the declaration for abs() function.
int abs(int x)
Parameters
            x -- This is the integral value.
Return Value
This function returns the absolute value of x.
Example
The following example shows the usage of abs() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main ()
 {
         int a, b;
         a = abs(5);
         printf("value of a = %d\n", a);
         b = abs(-10);
                                                                                      191
                                                                      C Standard Library
         return(0);
 }
Let us compile and run the above program, this will produce the following result:
 value of a = 5
 value of b = 10
Declaration
Following is the declaration for div() function.
Parameters
          numer -- This is the numerator.
Return Value
This function returns the value in a structure defined in <cstdlib>, which has two
members. For div_t: int quot; int rem;
Example
The following example shows the usage of div() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         div_t output;
                                                                                    192
                                                                      C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for labs() function.
Parameters
          x -- This is the integral value.
Return Value
This function returns the absolute value of x.
Example
The following example shows the usage of labs() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main ()
 {
         long int a,b;
         a = labs(65987L);
         printf("Value of a = %ld\n", a);
                                                                                    193
                                                                      C Standard Library
         b = labs(-1005090L);
         printf("Value of b = %ld\n", b);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
 Value of a = 65987
 Value of b = 1005090
Declaration
Following is the declaration for ldiv() function.
Parameters
          numer -- This is the numerator.
Return Value
This function returns the value in a structure defined in <cstdlib>, which has two
members. For ldiv_t: long quot; long rem;
Example
The following example shows the usage of ldiv() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main ()
 {
         ldiv_t output;
                                                                                    194
                                                                      C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
 Quotient = 3
 Remainder = 10000
int rand(void)
Description
The C library function int rand(void) returns a pseudo-random number in the range of
0 to RAND_MAX.
RAND_MAX is a constant whose default value may vary between implementations but it
is granted to be at least 32767.
Declaration
Following is the declaration for rand() function.
int rand(void)
Parameters
          NA
Return Value
This function returns an integer value between 0 and RAND_MAX.
Example
The following example shows the usage of rand() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         int i, n;
         time_t t;
n = 5;
                                                                                    195
                                                                      C Standard Library
      return(0);
 }
Let us compile and run the above program that will produce the following result:
 38
 45
 29
 29
 47
Declaration
Following is the declaration for srand() function.
Parameters
            seed -- This is an integer value to be used as seed by the pseudo-random
             number generator algorithm.
Return Value
This function does not return any value.
Example
The following example shows the usage of srand() function.
 #include <stdio.h>
 #include <stdlib.h>
 #include <time.h>
                                                                                    196
                                                                                C Standard Library
 int main()
 {
         int i, n;
         time_t t;
n = 5;
      return(0);
 }
Let us compile and run the above program that will produce the following result:
 38
 45
 29
 29
 47
Declaration
Following is the declaration for mblen() function.
Parameters
            str -- This is the pointer to the first byte of a multibyte character.
                                                                                              197
                                                                       C Standard Library
Return Value
The mblen() function returns the number of bytes passed from the multi-byte sequence
starting at str, if a non-null wide character was recognized. It returns 0, if a null wide
character was recognized. It returns -1, if an invalid multi-byte sequence was
encountered or if it could not parse a complete multi-byte character.
Example
The following example shows the usage of mblen() function.
 #include <stdio.h>
 #include <stdlib.h>
 #include <string.h>
 int main()
 {
     int len;
     char *pmbnull   = NULL;
     char *pmb = (char *)malloc( MB_CUR_MAX );
     wchar_t *pwc = L"Hi";
     wchar_t *pwcs = (wchar_t *)malloc( sizeof( wchar_t ));
pmb = NULL;
     return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                      198
                                                                                C Standard Library
Declaration
Following is the declaration for mbstowcs() function.
Parameters
          pwcs -- This is the pointer to an array of wchar_t elements that is long enough to
           store a wide string max characters long.
Return Value
This function returns the number of characters translated, excluding the ending null-
character. If an invalid multi-byte character is encountered, a -1 value is returned.
Example
The following example shows the usage of mbstowcs() function.
 #include<stdio.h>
 #include<stdlib.h>
 #include<string.h>
 int main()
 {
         int len;
         char *pmbnull   = NULL;
         char *pmb = (char *)malloc( MB_CUR_MAX );
         wchar_t *pwc = L"Hi";
         wchar_t *pwcs = (wchar_t *)malloc( sizeof( wchar_t ));
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for mbtowc() function.
Parameters
          pwc -- This is the pointer to an object of type wchar_t.
Return Value
          If str is not NULL, the mbtowc() function returns the number of consumed bytes
           starting at str, or 0 if s points to a null byte, or -1 upon failure.
          If str is NULL, the mbtowc() function returns non-zero if the encoding has non-
           trivial shift state, or zero if the encoding is stateless.
                                                                                               200
                                                                   C Standard Library
Example
The following example shows the usage of mbtowc() function.
 #include <stdio.h>
 #include <stdlib.h>
 #include <string.h>
 int main()
 {
       char *str = "This is tutorialspoint.com";
       wchar_t mb[100];
       int len;
wprintf(L"%ls \n", mb );
       return(0);
 }
Let us compile and run the above program that will produce the following result which
will be in multi-byte, a kind of binary output.
???
Declaration
Following is the declaration for wcstombs() function.
Parameters
                                                                                 201
                                                                             C Standard Library
 str -- This is the pointer to an array of char elements at least n bytes long.
Return Value
This function returns the number of bytes (not characters) converted and written to str,
excluding the ending null-character. If an invalid multibyte character is encountered, -1
value is returned.
Example
The following example shows the usage of wcstombs() function.
 #include <stdio.h>
 #include <stdlib.h>
#define BUFFER_SIZE 50
 int main()
 {
         size_t ret;
         char *MB = (char *)malloc( BUFFER_SIZE );
         wchar_t *WC = L"http://www.tutorialspoint.com";
Let us compile and run the above program that will produce the following result:
 Characters converted = 29
 Multibyte character = http://www.tutorialspoint.com
                                                                                            202
                                                                            C Standard Library
Declaration
Following is the declaration for wctomb() function.
Parameters
          str -- This is the pointer to an array large enough to hold a multibyte character,
Return Value
          If str is not NULL, the wctomb() function returns the number of bytes that have
           been written to the byte array at str. If wchar cannot be represented as a
           multibyte sequence, -1 is returned.
          If str is NULL, the wctomb() function returns non-zero if the encoding has non-
           trivial shift state, or zero if the encoding is stateless.
Example
The following example shows the usage of wctomb() function.
 #include <stdio.h>
 #include <stdlib.h>
 int main()
 {
         int i;
         wchar_t wc = L'a';
         char *pmbnull = NULL;
         char *pmb = (char *)malloc(sizeof( char ));
return(0);
                                                                                           203
                                                                      C Standard Library
Let us compile and run the above program that will produce the following result:
                                                                                    204
                                                                       C Standard Library
               14.           C Library ─ <string.h>
Introduction
The string.h header defines one variable type, one macro, and various functions for
manipulating arrays of characters.
Library Variables
Following is the variable type defined in the header string.h:
1 size_t
This is the unsigned integral type and is the result of the sizeof keyword.
Library Macros
Following is the macro defined in the header string.h:
1 NULL
Library Functions
Following are the functions defined in the header string.h:
          Searches for the first occurrence of the character c (an unsigned char) in the
          first n bytes of the string pointed to, by the argument str.
                                                                                        205
                                                                   C Standard Library
     Copies the character c (an unsigned char) to the first n characters of the
     string pointed to, by the argument str.
     Appends the string pointed to, by src to the end of the string pointed to
     by dest.
     Appends the string pointed to, by src to the end of the string pointed to,
     by destup to n characters long.
     Searches for the first occurrence of the character c (an unsigned char) in the
     string pointed to, by the argument str.
Compares the string pointed to, by str1 to the string pointed to by str2.
Calculates the length of the initial segment of str1 which consists entirely of
                                                                                 206
                                                                          C Standard Library
          Searches an internal array for the error number errnum and returns a pointer
          to an error message string.
          Computes the length of the string str up to but not including the terminating
          null character.
          Finds the first character in the string str1 that matches any character specified
          in str2.
          Searches for the last occurrence of the character c (an unsigned char) in the
          string pointed to by the argument str.
          Calculates the length of the initial segment of str1 which consists entirely of
          characters in str2.
          Finds the first occurrence of the entire string needle (not including the
          terminating null character) which appears in the string haystack.
          Transforms the first n characters of the string src into corrent locale and
          places them in the string dest.
                                                                                         207
                                                                           C Standard Library
Declaration
Following is the declaration for memchr() function.
Parameters
          str -- This is the pointer to the block of memory where the search is performed.
          c -- This is the value to be passed as an int, but the function performs a byte per
           byte search using the unsigned char conversion of this value.
Return Value
This function returns a pointer to the matching byte or NULL if the character does not
occur in the given memory area.
Example
The following example shows the usage of memchr() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         const char str[] = "http://www.tutorialspoint.com";
         const char ch = '.';
         char *ret;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for memcmp() function.
Parameters
            str1 -- This is the pointer to a block of memory.
Return Value
            if Return value is < 0 then it indicates str1 is less than str2.
Example
The following example shows the usage of memcmp() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         char str1[15];
         char str2[15];
         int ret;
         if(ret > 0)
         {
             printf("str2 is less than str1");
         }
         else if(ret < 0)
         {
             printf("str1 is less than str2");
         }
                                                                                              209
                                                                             C Standard Library
         else
         {
             printf("str1 is equal to str2");
         }
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Description
The C library function void *memcpy(void *str1, const void *str2,                         size_t
n) copies n characters from memory area str2 to memory area str1.
Declaration
Following is the declaration for memcpy() function.
Parameters
            str1 -- This is pointer to the destination array where the content is to be copied,
             type-casted to a pointer of type void*.
Return Value
This function returns a pointer to destination, which is str1.
Example
The following example shows the usage of memcpy() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         const char src[50] = "http://www.tutorialspoint.com";
         char dest[50];
                                                                                             210
                                                                       C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for memmove() function.
Parameters
          str1 -- This is a pointer to the destination array where the content is to be
           copied, type-casted to a pointer of type void*.
          str2 -- This is a pointer to the source of data to be copied, type-casted to a
           pointer of type void*.
          n -- This is the number of bytes to be copied.
Return Value
This function returns a pointer to the destination, which is str1.
Example
The following example shows the usage of memmove() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         const char dest[] = "oldstring";
         const char src[]   = "newstring";
                                                                                     211
                                                                              C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for memset() function.
Parameters
          str -- This is a pointer to the block of memory to fill.
          c -- This is the value to be set. The value is passed as an int, but the function fills
           the block of memory using the unsigned char conversion of this value.
Return Value
This function returns a pointer to the memory area str.
Example
The following example shows the usage of memset() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         char str[50];
                                                                                              212
                                                                           C Standard Library
         memset(str,'$',7);
         puts(str);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strcat() function.
Parameters
          dest -- This is pointer to the destination array, which should contain a C string,
           and should be large enough to contain the concatenated resulting string.
          src -- This is the string to be appended. This should not overlap the destination.
Return Value
This function returns a pointer to the resulting string dest.
Example
The following example shows the usage of strcat() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         char src[50], dest[50];
                                                                                           213
                                                                          C Standard Library
strcat(dest, src);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strncat() function.
Parameters
          dest -- This is pointer to the destination array, which should contain a C string,
           and should be large enough to contain the concatenated resulting string which
           includes the additional null-character.
Return Value
This function returns a pointer to the resulting string dest.
Example
The following example shows the usage of strncat() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
                                                                                         214
                                                                        C Standard Library
 {
         char src[50], dest[50];
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strchr() function.
Parameters
          str -- This is the C string to be scanned.
Return Value
This returns a pointer to the first occurrence of the character c in the string str, or NULL
if the character is not found.
Example
The following example shows the usage of strchr() function.
                                                                                        215
                                                                              C Standard Library
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         const char str[] = "http://www.tutorialspoint.com";
         const char ch = '.';
         char *ret;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strcmp() function.
Parameters
          str1 -- This is the first string to be compared.
Return Value
This function return values that are as follows:
Example
                                                                                            216
                                                                      C Standard Library
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
     char str1[15];
     char str2[15];
     int ret;
     strcpy(str1, "abcdef");
     strcpy(str2, "ABCDEF");
     if(ret < 0)
     {
         printf("str1 is less than str2");
     }
     else if(ret > 0)
     {
         printf("str2 is less than str1");
     }
     else
     {
         printf("str1 is equal to str2");
     }
     return(0);
 }
Let us compile and run the above program that will produce the following result:
The C library function int strncmp(const char *str1, const char *str2, size_t
n) compares at most the first n bytes of str1 and str2.
Declaration
Following is the declaration for strncmp() function.
Parameters
            str1 -- This is the first string to be compared.
Return Value
This function return values that are as follows:
Example
The following example shows the usage of strncmp() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         char str1[15];
         char str2[15];
         int ret;
         strcpy(str1, "abcdef");
         strcpy(str2, "ABCDEF");
         if(ret < 0)
         {
             printf("str1 is less than str2");
         }
                                                                                              218
                                                                                C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strcoll() function.
Parameters
            str1 -- This is the first string to be compared.
Return Value
This function return values that are as follows:
Example
The following example shows the usage of strcoll() function.
                                                                                              219
                                                                      C Standard Library
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
     char str1[15];
     char str2[15];
     int ret;
     strcpy(str1, "abc");
     strcpy(str2, "ABC");
     if(ret > 0)
     {
         printf("str1 is less than str2");
     }
     else if(ret < 0)
     {
         printf("str2 is less than str1");
     }
     else
     {
         printf("str1 is equal to str2");
     }
     return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strcpy() function.
Parameters
          dest -- This is the pointer to the destination array where the content is to be
           copied.
          src -- This is the string to be copied.
Return Value
This returns a pointer to the destination string dest.
Example
The following example shows the usage of strcpy() function.
 #include <stdio.h>
 #include <string.h>
 int main()
 {
         char src[40];
         char dest[100];
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                      221
                                                                               C Standard Library
Declaration
Following is the declaration for strncpy() function.
Parameters
          dest -- This is the pointer to the destination array where the content is to be copied.
Return Value
This function returns the final copy of the copied string.
Example
The following example shows the usage of strncpy() function. Here we have used
function memset() to clear the memory location.
 #include <stdio.h>
 #include <string.h>
 int main()
 {
         char src[40];
         char dest[12];
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                               222
                                                                              C Standard Library
The C library function size_t strcspn(const char *str1, const char *str2) calculates
the length of the initial segment of str1, which consists entirely of characters not
in str2.
Declaration
Following is the declaration for strcspn() function.
Parameters
          str1 -- This is the main C string to be scanned.
Return Value
This function returns the number of characters in the initial segment of string str1, which
are not in the string str2.
Example
The following example shows the usage of strcspn() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         int len;
         const char str1[] = "ABCDEF4960910";
         const char str2[] = "013";
         return(0);
 }
Let us compile and run the above program that will produce the following result:
The C library function char *strerror(int errnum) searches an internal array for the
error number errnum and returns a pointer to an error message string. The error strings
produced by strerror depend on the developing platform and compiler.
Declaration
Following is the declaration for strerror() function.
Parameters
            errnum -- This is the error number, usually errno.
Return Value
This function returns a pointer to the error string describing error errnum.
Example
The following example shows the usage of strerror() function.
 #include <stdio.h>
 #include <string.h>
 #include <errno.h>
 int main ()
 {
         FILE *fp;
         fp = fopen("file.txt","r");
         if( fp == NULL )
         {
             printf("Error: %s\n", strerror(errno));
         }
     return(0);
 }
Let us compile and run the above program that will produce the following result because
we are trying to open a file which does not exist:
                                                                                      224
                                                                      C Standard Library
The C library function size_t strlen(const char *str) computes the length of the
string str up to, but not including the terminating null character.
Declaration
Following is the declaration for strlen() function.
Parameters
          str -- This is the string whose length is to be found.
Return Value
This function returns the length of string.
Example
The following example shows the usage of strlen() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         char str[50];
         int len;
         len = strlen(str);
         printf("Length of |%s| is |%d|\n", str, len);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                    225
                                                                                C Standard Library
The C library function char *strpbrk(const char *str1, const char *str2) finds the
first character in the string str1 that matches any character specified in str2. This does
not include the terminating null-characters.
Declaration
Following is the declaration for strpbrk() function.
Parameters
            str1 -- This is the C string to be scanned.
Return Value
This function returns a pointer to the character in str1 that matches one of the
characters in str2, or NULL if no such character is found.
Example
The following example shows the usage of strpbrk() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         const char str1[] = "abcde2fghi3jk4l";
         const char str2[] = "34";
         char *ret;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                              226
                                                                             C Standard Library
Declaration
Following is the declaration for strrchr() function.
Parameters
          str -- This is the C string.
Return Value
This function returns a pointer to the last occurrence of character in str. If the value is
not found, the function returns a null pointer.
Example
The following example shows the usage of strrchr() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         int len;
         const char str[] = "http://www.tutorialspoint.com";
         const char ch = '.';
         char *ret;
         return(0);
 }
                                                                                             227
                                                                              C Standard Library
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strspn() function.
Parameters
          str1 -- This is the main C string to be scanned.
 str2 -- This is the string containing the list of characters to match in str1.
Return Value
This function returns the number of characters in the initial segment of str1 which
consist only of characters from str2.
Example
The following example shows the usage of strspn() function.
 #include <stdio.h>
 #include <string.h>
 int main ()
 {
         int len;
         const char str1[] = "ABCDEFG019874";
         const char str2[] = "ABCD";
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                            228
                                                                           C Standard Library
Declaration
Following is the declaration for strstr() function.
Parameters
          haystack -- This is the main C string to be scanned.
Return Value
This function returns a pointer to the first occurrence in haystack of any of the entire
sequence of characters specified in needle, or a null pointer if the sequence is not
present in haystack.
Example
The following example shows the usage of strstr() function.
 #include <stdio.h>
 #include <string.h>
 int main()
 {
         const char haystack[20] = "TutorialsPoint";
         const char needle[10] = "Point";
         char *ret;
         return(0);
 }
                                                                                         229
                                                                          C Standard Library
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for strtok() function.
Parameters
            str -- The contents of this string are modified and broken into smaller strings
             (tokens).
            delim -- This is the C string containing the delimiters. These may vary from one
             call to another.
Return Value
This function returns a pointer to the last token found in the string. A null pointer is
returned if there are no tokens left to retrieve.
Example
The following example shows the usage of strtok() function.
 #include <string.h>
 #include <stdio.h>
 int main()
 {
         const char str[80] = "This is - www.tutorialspoint.com - website";
         const char s[2] = "-";
         char *token;
         return(0);
 }
Let us compile and run the above program that will produce the following result:
 This is
 www.tutorialspoint.com
 website
Declaration
Following is the declaration for strxfrm() function.
Parameters
            dest -- This is the pointer to the destination array where the content is to be
             copied. It can be a null pointer if the argument for n is zero.
Return Value
This function returns the length of the transformed string, not including the terminating
null-character.
Example
The following example shows the usage of strxfrm() function.
 #include <stdio.h>
 #include <string.h>
                                                                                                231
                                                                      C Standard Library
 int main()
 {
     char dest[20];
     char src[20];
     int len;
     return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                    232
                                                                       C Standard Library
                15.            C Library ─ <time.h>
Introduction
The time.h header defines four variable types, two macro and various functions for
manipulating date and time.
Library Variables
Following are the variable types defined in the header time.h:
1 size_t
This is the unsigned integral type and is the result of the sizeof keyword.
2 clock_t
3 time_t is
4 struct tm
 struct tm {
      int tm_sec;          /* seconds,     range 0 to 59              */
      int tm_min;          /* minutes, range 0 to 59                  */
      int tm_hour;         /* hours, range 0 to 23                    */
      int tm_mday;         /* day of the month, range 1 to 31         */
      int tm_mon;          /* month, range 0 to 11                    */
      int tm_year;         /* The number of years since 1900          */
      int tm_wday;         /* day of the week, range 0 to 6           */
      int tm_yday;         /* day in the year, range 0 to 365         */
      int tm_isdst;        /* daylight saving time                    */
 };
                                                                                        233
                                                                    C Standard Library
Library Macros
Following are the macros defined in the header time.h:
1 NULL
2 CLOCKS_PER_SEC
Library Functions
Following are the functions defined in the header time.h:
         clock_t clock(void)
   2     Returns the processor clock time used since the beginning              of   an
         implementation defined era (normally the beginning of the program).
                                                                                     234
                                                                       C Standard Library
          size_t strftime(char *str, size_t maxsize, const char *format, const struct tm
          *timeptr)
      8
          Formats the time represented in the structure timeptr according to the
          formatting rules defined in format and stored into str.
Declaration
Following is the declaration for asctime() function.
Parameters
The timeptr is a pointer to tm structure that contains a calendar time broken down into
its components as shown below:
 struct tm {
      int tm_sec;          /* seconds,     range 0 to 59              */
      int tm_min;          /* minutes, range 0 to 59                  */
      int tm_hour;         /* hours, range 0 to 23                    */
      int tm_mday;         /* day of the month, range 1 to 31         */
      int tm_mon;          /* month, range 0 to 11                    */
      int tm_year;         /* The number of years since 1900          */
      int tm_wday;         /* day of the week, range 0 to 6           */
      int tm_yday;         /* day in the year, range 0 to 365         */
      int tm_isdst;        /* daylight saving time                    */
 };
Return Value
This function returns a C string containing the date and time information in a human-
readable     format Www       Mmm      dd     hh:mm:ss      yyyy, where Www is    the
weekday, Mmm the month in letters, dd the day of the month, hh:mm:ss the time,
and yyyy the year.
                                                                                     235
                                                                      C Standard Library
Example
The following example shows the usage of asctime() function.
 #include <stdio.h>
 #include <string.h>
 #include <time.h>
 int main()
 {
     struct tm t;
     t.tm_sec       = 10;
     t.tm_min       = 10;
     t.tm_hour      = 6;
     t.tm_mday      = 25;
     t.tm_mon       = 2;
     t.tm_year      = 89;
     t.tm_wday      = 6;
puts(asctime(&t));
     return(0);
 }
Let us compile and run the above program that will produce the following result:
clock_t clock(void)
Description
The C library function clock_t clock(void) returns the number of clock ticks elapsed
since the program was launched. To get the number of seconds used by the CPU, you
will need to divide by CLOCKS_PER_SEC.
On a 32 bit system where CLOCKS_PER_SEC equals 1000000 this function will return the
same value approximately every 72 minutes.
Declaration
Following is the declaration for clock() function.
clock_t clock(void)
                                                                                    236
                                                                        C Standard Library
Parameters
            NA
Return Value
This function returns the number of clock ticks elapsed since the start of the program.
On failure, the function returns a value of -1.
Example
The following example shows the usage of clock() function.
 #include <time.h>
 #include <stdio.h>
 int main()
 {
         clock_t start_t, end_t, total_t;
         int i;
         start_t = clock();
         printf("Starting of the program, start_t = %ld\n", start_t);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                      237
                                                                            C Standard Library
The returned string has the following format: Www Mmm dd hh:mm:ss
yyyy,where Www is the weekday, Mmm the month in letters, dd the day of the
month, hh:mm:ss the time, and yyyy the year.
Declaration
Following is the declaration for ctime() function.
Parameters
          timer -- This is the pointer to a time_t object that contains a calendar time.
Return Value
This function returns a C string containing the date and time information in a human-
readable format.
Example
The following example shows the usage of ctime() function.
 #include <stdio.h>
 #include <time.h>
 int main ()
 {
         time_t curtime;
time(&curtime);
         return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                            238
                                                                       C Standard Library
Declaration
Following is the declaration for difftime() function.
Parameters
          time1 -- This is the time_t object for end time.
Return Value
This function returns the difference of two times (time2 - time1) as a double value.
Example
The following example shows the usage of difftime() function.
 #include <stdio.h>
 #include <time.h>
 int main ()
 {
         time_t start_t, end_t;
         double diff_t;
         time(&end_t);
         diff_t = difftime(end_t, start_t);
                                                                                       239
                                                                           C Standard Library
         return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for gmtime() function.
Parameters
          timeptr -- This is the pointer to a time_t value representing a calendar time.
Return Value
This function returns pointer to a tm structure with the time information filled in. Below
is the detail of timeptr structure:
 struct tm {
         int tm_sec;          /* seconds,     range 0 to 59               */
         int tm_min;          /* minutes, range 0 to 59                   */
         int tm_hour;         /* hours, range 0 to 23                     */
         int tm_mday;         /* day of the month, range 1 to 31          */
         int tm_mon;          /* month, range 0 to 11                     */
         int tm_year;         /* The number of years since 1900           */
         int tm_wday;         /* day of the week, range 0 to 6            */
         int tm_yday;         /* day in the year, range 0 to 365          */
         int tm_isdst;        /* daylight saving time                     */
 };
Example
                                                                                            240
                                                                      C Standard Library
 #include <stdio.h>
 #include <time.h>
 int main ()
 {
     time_t rawtime;
     struct tm *info;
     time(&rawtime);
     /* Get GMT time */
     info = gmtime(&rawtime );
     return(0);
 }
Let us compile and run the above program that will produce the following result:
Declaration
                                                                                    241
                                                                           C Standard Library
Parameters
          timer -- This is the pointer to a time_t value representing a calendar time.
Return Value
This function returns a pointer to a tm structure with the time information filled in.
Following is the tm structure information:
 struct tm {
         int tm_sec;          /* seconds,     range 0 to 59               */
         int tm_min;          /* minutes, range 0 to 59                   */
         int tm_hour;         /* hours, range 0 to 23                     */
         int tm_mday;         /* day of the month, range 1 to 31          */
         int tm_mon;          /* month, range 0 to 11                     */
         int tm_year;         /* The number of years since 1900           */
         int tm_wday;         /* day of the week, range 0 to 6            */
         int tm_yday;         /* day in the year, range 0 to 365          */
         int tm_isdst;        /* daylight saving time                     */
 };
Example
The following example shows the usage of localtime() function.
 #include <stdio.h>
 #include <time.h>
 int main ()
 {
         time_t rawtime;
         struct tm *info;
         char buffer[80];
time( &rawtime );
         return(0);
                                                                                          242
                                                                       C Standard Library
Let us compile and run the above program that will produce the following result:
Declaration
Following is the declaration for mktime() function.
Parameters
          timeptr -- This is the pointer to a time_t value representing a calendar time,
           broken down into its components. Below is the detail of timeptr structure
 struct tm {
         int tm_sec;         /* seconds,    range 0 to 59             */
         int tm_min;         /* minutes, range 0 to 59                */
         int tm_hour;        /* hours, range 0 to 23                  */
         int tm_mday;        /* day of the month, range 1 to 31       */
         int tm_mon;         /* month, range 0 to 11                  */
         int tm_year;        /* The number of years since 1900        */
         int tm_wday;        /* day of the week, range 0 to 6         */
         int tm_yday;        /* day in the year, range 0 to 365       */
         int tm_isdst;       /* daylight saving time                  */
 };
Return Value
This function returns a time_t value corresponding to the calendar time passed as
argument. On error, a -1 value is returned.
Example
                                                                                     243
                                                                      C Standard Library
 #include <stdio.h>
 #include <time.h>
 int main ()
 {
     int ret;
     struct tm info;
     char buffer[80];
     ret = mktime(&info);
     if( ret == -1 )
     {
            printf("Error: unable to make time using mktime\n");
     }
     else
     {
         strftime(buffer, sizeof(buffer), "%c", &info );
         printf(buffer);
     }
     return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                    244
                                                                       C Standard Library
Declaration
Following is the declaration for strftime() function.
 size_t strftime(char *str, size_t maxsize, const char *format, const struct tm
 *timeptr)
Parameters
      str -- This is the pointer to the destination array where the resulting C string is
       copied.
      maxsize -- This is the maximum number of characters to be copied to str.
                                                                                      245
                                                                      C Standard Library
%M Minute (00-59) 55
%p AM or PM designation PM
%S Second (00-61) 02
%Y Year 2012
%% A % sign %
struct tm {
     int tm_sec;         /* seconds,    range 0 to 59            */
     int tm_min;         /* minutes, range 0 to 59               */
     int tm_hour;        /* hours, range 0 to 23                 */
     int tm_mday;        /* day of the month, range 1 to 31      */
     int tm_mon;         /* month, range 0 to 11                 */
     int tm_year;        /* The number of years since 1900       */
     int tm_wday;        /* day of the week, range 0 to 6        */
     int tm_yday;        /* day in the year, range 0 to 365      */
                                                                                    246
                                                                       C Standard Library
Return Value
If the resulting C string fits in less than size characters (which includes the terminating
null-character), the total number of characters copied to str (not including the
terminating null-character) is returned otherwise, it returns zero.
Example
The following example shows the usage of strftime() function.
 #include <stdio.h>
 #include <time.h>
 int main ()
 {
      time_t rawtime;
      struct tm *info;
      char buffer[80];
time( &rawtime );
      return(0);
 }
Let us compile and run the above program that will produce the following result:
                                                                                       247
                                                                      C Standard Library
Declaration
Following is the declaration for time() function.
Parameters
        seconds -- This is the pointer to an object of type time_t, where the seconds
         value will be stored.
Return Value
The current calendar time as a time_t object.
Example
The following example shows the usage of time() function.
 #include <stdio.h>
 #include <time.h>
 int main ()
 {
     time_t seconds;
     seconds = time(NULL);
     printf("Hours since January 1, 1970 = %ld\n", seconds/3600);
     return(0);
 }
Let us compile and run the above program that will produce the following result:
248