Image Loading... Image Loading...
Click Here to Visit Our Sponsor

Home
News
Cartoon

Books
Reviews

SimTel
Compress
Database
Delphi
Desktop
Diskutl
Fileutl
Graphics
Inet
Mmedia
Prog
Scrsave
Util

C/C++
CodeBase!
Libraries
Tutorials
WebLinks

Pascal
Libraries
WebLinks



Home / C Tutorials
The C language
Strings in C
by Marshall Brain
Thursday, May 27, 1999

Published with kind permission of DevCentral
Copyright © 1998 Interface Technologies, Inc. All Rights Reserved.


Strings in C are intertwined with pointers to a large extent. You must become familiar with the pointer concepts covered in tutorial 9 through tutorial 12 to use C strings effectively. Once you get used to them, however, you can often perform string manipulations more efficiently than you can in Pascal.

A string in C is simply an array of characters. The following line declares an array that can hold a string of up to 99 characters.


 char str[100]; 

It holds characters as you would expect: str[0] is the first character of the string, str[1] is the second character, and so on. But why is a 100-element array unable to hold up to 100 characters? Because C uses null-terminated strings, which means that the end of any string is marked by the ASCII value 0 (the null character), which is also represented in C as '\0'.

Null termination is very different from the way Pascal compilers handle strings. In Pascal, each string consists of an array of characters, with a length byte that keeps count of the number of characters stored in the array. This structure gives Pascal a definite advantage when you ask for the length of a string. Pascal can simply return the length byte, whereas C has to count the characters until it finds '\0'. This fact makes C much slower than Pascal in certain cases, but in others it makes it somewhat faster, as we will see in the examples below.

Because C provides no explicit support for strings in the language itself, all of the string-handling functions are implemented in libraries. The string I/0 operations (gets, puts, and so on) are implemented in <stdio.h>, and a set of fairly simple string manipulation functions are implemented in <string.h> (on some systems, <strings.h> ).

The fact that strings are not native to C forces you to create some fairly roundabout code. For example, suppose you want to assign one string to another string; that is, you want to copy the contents of one string to another. In Pascal, this task is easy:


 program samp;  
 var    
     s1,s2:string;  
 begin    
     s1:='hello';   
     s2:=s1;  
 end. 

In C, as we saw in tutorial 12, you cannot simply assign one array to another. You have to copy it element by element. The string library (<string.h> or <strings.h> ) contains a function called strcpy for this task. The following code shows how to use strcpy to achieve the same results in C as in the Pascal code above:


 #include <string.h> 
 void main()  
 {    
     char s1[100],s2[100];     
     strcpy(s1,"hello");    
     strcpy(s2,s1);  
 } 

strcpy is used whenever a string is initialized in C. Another major difference between Pascal and C is the way they handle string comparisons. In Pascal, unlike in C, string compares are built into the language. In C, you use the strcmp function in the string library, which compares two strings and returns an integer that indicates the result of the comparison. Zero means the two strings are equal, a negative value means that s1is less than s2, and a positive value means s1 is greater than s2. In Pascal, the code looks like this:


 program samp;  
 var    
     s1,s2:string;  
 begin    
     readln(s1);    
     readln(s2);    
     if s1=s2 then      
         writeln('equal')    
     else if (s1<s2) then      
         writeln('s1 less than s2')    
     else      
         writeln('s1 greater than s2');  
 end.

Here is the same code in C:


 #include <stdio.h>  
 #include <string.h> 
 
 void main()  
 {    
     char s1[100],s2[100]; 
     gets(s1);    
     gets(s2);    
     if (strcmp(s1,s2)==0)       
         printf("equal\n");    
     else if (strcmp(s1,s2)<0)      
         printf("s1 less than s2\n");    
     else      
         printf("s1 greater than s2\n");  
 }  

Other common functions in the string library include strlen , which returns the length of a string, and strcatwhich concatenates two strings. The string library contains a number of other functions, which you can peruse by reading the man page. Note that many of the standard Pascal capabilities, such as copy, delete, pos, and so on, are missing.

To get you started building string functions, and to help you understand other programmers' codes-everyone seems to have his or her own set of string functions for special purposes in a program-we will look at two examples, strlen and strcpy. Following is a strictly Pascal-like version of strlen:


 int strlen(char s[])  
 {    
     int x; 
     x=0;    
     while (s[x] != '\0') 
          x=x+1;    
     return(x);  
 }

Most C programmers shun this approach because it seems inefficient. Instead, they often use a pointer-based approach:


 int strlen(char *s)  
 {    
     int x=0; 
     while (*s != '\0')    
     {      
         x++;      
         s++;    
     }    
     return(x);  
 } 

You can abbreviate this code to the following:


 int strlen(char *s)  
 {    
     int x=0; 
     while (*s++)      
         x++;    
     return(x);  
 } 

I imagine a true C expert could make this code even shorter.

When I compile these three pieces of code on a MicroVAX with gcc, using no optimization, and run each 20,000 times on a 120-character string, the first piece of code yields a time of 12.3 seconds, the second 12.3 seconds, and the third 12.9 seconds. What does this mean? To me, it means that you should write the code in whatever way is easiest for you to understand. Pointers generally yield faster code, but the strlen code above shows that that is not always the case.

We can go through the same evolution with strcpy:


 strcpy(char s1[],char s2[])  
 {    
     int x; 
     for (x=0; x<=strlen(s2); x++)      
         s1[x]=s2[x];  
 } 

Note here that <= is important in the for loop because the code then copies the '\0'. Be sure to copy '\0'. Major bugs occur later on if you leave it out, because the string has no end and therefore an unknown length. Note also that this code is very inefficient, because strlen gets called every time through the for loop. To solve this problem, you could use the following code:


 strcpy(char s1[],char s2[])  
 {    
     int x,len; 
     len=strlen(s2);    
     for (x=0; x<=len; x++)      
         s1[x]=s2[x];  
 } 

The pointer version is similar.


 strcpy(char *s1,char *s2)  
 {    
     while (*s2 != '\0')    
     {      
         *s1 = *s2;      
         s1++;      
         s2++;    
     }  
 } 

You can compress this code further:


 strcpy(char *s1,char *s2)  
 {    
     while (*s2)      
         *s1++ = *s2++;  
 } 

If you wish, you can even say while (*s1++ = *s2++);. The first version of strcpy takes 415 seconds to copy a 120-character string 10,000 times, the second version takes 14.5 seconds, the third version 9.8 seconds, and the fourth 10.3 seconds. As you can see, pointers provide a significant performance boost here.

The prototype for the strcpy function in the string library indicates that it is designed to return a pointer to a string:


 char *strcpy(char *s1,char *s2) 

Most of the string functions return a string pointer as a result, and strcpy returns the value of s1 as its result.

Using pointers with strings can sometimes result in definite improvements in speed and you can take advantage of these if you think about them a little. For example, suppose you want to remove the leading blanks from a string. To do this in Pascal, you might use the delete function in one of two ways, the most obvious way being the following:


 program samp;  
 var    
     s:string;  
 begin    
     readln(s);    
     while (s[1] <> ' ') and (length(s)>0) do      
         delete(s,1,1);    
     writeln(s);  
 end; 

This is inefficient because it moves the whole array of characters in the string over one position for each blank found at the beginning of the string. A better way follows:


 program samp;  
 var    
     s:string;    
     x:integer;  
 begin    
     readln(s);    
     x:=0;    
     while (s[x+1] <> ' ') and (x<length(s)) do      
         x:=x+1;    
     delete(s,1,x);    
     writeln(s);  
 end; 

With this technique, each of the letters moves only once. In C, you can avoid the movement altogether:


 #include <stdio.h>  
 #include <string.h>   
  
 void main()  
 {    
     char s[100],*p; 
     gets(s);    
     p=s;    
     while (*p==' ')      
         p++;    
     printf("%s\n",p);  
 } 

This is much faster than the Pascal technique, especially for long strings.

You will pick up many other tricks with strings as you go along and read other code. Practice is the key.

A Special Note on String Constants

Suppose you create the following two code fragments and run them:


 Fragment 1 
  
 {    
     char *s;  
     
     s="hello";    
     printf("%s\n",s);  
 } 
 
 Fragment 2 
 
 {    
     char s[100]; 
    
     strcpy(s,"hello");    
     printf("%s\n",s);  
 } 

These two fragments produce the same output, but their internal behavior is quite different. In fragment 2, you cannot say s="hello"; . To understand the differences, you have to understand how the string constant table works in C.

When your program is compiled, the compiler forms the object code file, which contains your machine code and a table of all the string constants declared in the program. In fragment 1, the statement s="hello"; causes s to point to the address of the string hello in the string constant table. Since this string is in the string constant table, and therefore technically a part of the executable code, you cannot modify it. You can only point to it and use it in a read-only manner.

In fragment 2, the string hello also exists in the constant table, so you can copy it into the array of characters named s. Since s is not a pointer, the statement s="hello"; will not work in fragment 2. It will not even compile.

A Special Note on Using Strings with malloc

Suppose you write the following program:


 void main()  
 {    
     char *s; 
    
     s=(char *) malloc (100);    
     s="hello";    
     free(s);  
 } 

It compiles properly, but gives a segmentation fault at the free line when you run it. The malloc line allocates a block 100 bytes long and points s at it, but now the s="hello"; line is a problem. It is syntactically correct because s is a pointer; however, when s="hello"; is executed, s points to the string in the string constant table and the allocated block is orphaned. Since s is pointing into the string constant table, the string cannot be changed; free fails because it cannot deallocate a block in an executable region.

The correct code follows:


 void main()  
 {    
     char *s; 

     s=(char *) malloc (100);    
     strcpy(s,"hello");    
     free(s);  
 }

C Error to Avoid

Losing the \0 character, which is easy if you aren't careful, and can lead to some very subtle bugs. Make sure you copy \0 when you copy strings. If you create a new string, make sure you put \0 in it. And if you copy one string to another, make sure the receiving string is big enough to hold the source string, including \0. Finally, if you point a character pointer to some characters, make sure they end with \0.

Exercises

  • Create a program that reads in a string containing a first name followed by a blank followed by a last name. Write functions to remove any leading or trailing blanks. Write another function that returns the last name.
  • Write a function that converts a string to uppercase.
  • Write a function that gets the first word from a string and returns the remainder of the string.


This Article
Introduction
A simple program
Branching/looping
Arrays
C Details
Functions
Libraries/makefiles
Text files
Pointers
Parameters
Dynamic structures
Pointers and arrays
Strings
Operator precedence
The command line
Binary files

NetLinks
DevCentral
DJGPP C Compiler
GNU C++ Compiler
Tendra C Compiler

Next:  Operator Precedence in C

   
Image Loading...