Curriculum
Course: C basic
Login

Curriculum

C basic

C Introduction

0/1

C Get Started

0/1

C Comments

0/1

C Constants

0/1

C Operators

0/1

C Break and Continue

0/1

C User Input

0/1

C Memory Address

0/1

C Structures

0/1
Text lesson

String Functions

String Functions

To utilize these functions for string manipulation, including operations like copying, concatenating, comparing, and searching within strings, it’s necessary to include the <string.h> header file in your program.

#include <string.h>

String Length

As an illustration, to determine the length of a string, you can employ the strlen( ) function.

Example

char alphabet[] = “ABCDEFGHIJKLMNOPQRSTUVWXYZ”;
printf(“%d”, strlen(alphabet));

In the Strings chapter, we employed sizeof to obtain the size of a string or array. It’s important to note that sizeof and strlen behave differently, as sizeof includes the null terminator (\0) character when counting, unlike strlen.

Example

char alphabet[] = “ABCDEFGHIJKLMNOPQRSTUVWXYZ”;
printf(“%d”, strlen(alphabet));   // 26
printf(“%d”, sizeof(alphabet));   // 27

It’s crucial to understand that sizeof always returns the memory size in bytes, not the actual length of the string.

Example

char alphabet[50] = “ABCDEFGHIJKLMNOPQRSTUVWXYZ”;
printf(“%d”, strlen(alphabet));   // 26
printf(“%d”, sizeof(alphabet));   // 50

Concatenate Strings

To merge (combine) two strings, the strcat() function can be utilized.

Example

char str1[20] = “Hello “;
char str2[] = “World!”;

// Concatenate str2 to str1 (result is stored in str1)
strcat(str1, str2);

// Print str1
printf(“%s”, str1);

 

Ensure that the capacity of str1 is adequate to contain the combined result of the two strings (in our example, 20 characters).

Copy Strings

To transfer the value of one string to another, you can employ the strcpy( ) function.

Example

char str1[20] = “Hello World!”;
char str2[20];

// Copy str1 to str2
strcpy(str2, str1);

// Print str2
printf(“%s”, str2);

 

Ensure that the capacity of str2 is sufficient to accommodate the copied string (in our example, 20 characters).

Compare Strings

You can employ the strcmp() function to compare two strings.

It yields 0 if the strings are identical; otherwise, it returns a non-zero value

Example

char str1[] = “Hello”;
char str2[] = “Hello”;
char str3[] = “Hi”;

// Compare str1 and str2, and print the result
printf(“%d\n”, strcmp(str1, str2));  // Returns 0 (the strings are equal)

// Compare str1 and str3, and print the result
printf(“%d\n”, strcmp(str1, str3));  // Returns -4 (the strings are not equal)