How To Convert Uppercase To Lowercase In C

In C programming, One common task is converting uppercase letters to lowercase letters represented by different ASCII values. Converting uppercase letters to lowercase is a common operation used in text processing, input validation, and formatting tasks.

It allows for consistent presentation of text and ensures that comparisons or operations involving letters are case-insensitive. Fortunately, C provides a few built-in functions that make this task relatively simple.

In this blog, we will explore different approaches and sample problems to convert uppercase to lowercase in C. So, let’s start the journey and gain some knowledge.

Why is converting uppercase to lowercase In C is needed?

There are some reasons of converting uppercase to lowercase in c is needed are:

  • Consistency: Converting uppercase to lowercase can help ensure consistency in data or text processing.
  • User Interface: Converting input to lowercase can improve the user experience in applications where input is case-insensitive.
  • Portability: C is a case-sensitive language, and the behavior of string comparison and manipulation functions may vary depending on the platform or compiler. Converting input to a consistent case can help make the code more portable and reduce the risk.

How To Convert a Uppercase To Lowercase In C

Here are six different approaches to convert uppercase to lowercase in C with detailed solution steps, code, and output for each approach:

  1. Using ASCII Manipulation
  2. Using C Standard Library
  3. Using Bit Manipulation
  4. Using a Lookup Table
  5. Using a Switch Statement
  6. Using Pointer Arithmetic

Let’s dive in more with examples to each approach.

Approach 1: Using ASCII Manipulation

This approach involves the subtle manipulation of the ASCII values of the characters comprising a given string, resulting in the conversion of uppercase characters to their lowercase. It checks if each character is uppercase by comparing its ASCII value and adds a fixed value (32) to convert it to lowercase.

Pros:

  • Simple and straightforward approach.
  • Does not require any additional libraries or lookup tables.
  • Fast and efficient as it only involves simple arithmetic operations.

Cons:

  • Assumes that the input string contains only ASCII characters.
  • May not work correctly for non-English characters or in systems with different character encoding schemes.
  • Modifies the original string in place, which may not be desirable in some cases.

Code:

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

void toLowerCase(char str[]) {
    int i = 0;
    while (str[i]) {
        if (str[i] >= 'A' && str[i] <= 'Z') {
            str[i] += 32;
        }
        i++;
    }
}

int main() {
    char str[100];
    printf("Enter a string: ");
    fgets(str, 100, stdin);
    str[strcspn(str, "\n")] = '\0'; // Remove the newline character from fgets
    toLowerCase(str);
    printf("Lowercase string: %s\n", str);
    return 0;
}

Output:

Enter a string: HELLO
Lowercase string: hello

Code Explanation:

  1. Iterate through each character in the input string using a for loop.
  2. Check if the character is uppercase by comparing its ASCII value with the ASCII values of uppercase letters (‘A’ to ‘Z’).
  3. If the character is uppercase, add 32 to its ASCII value using the += operator to convert it to lowercase.

Approach 2: Using C Standard Library

This approach  employs the tolower() function, which happens to be a member of the ctype.h library. Notably, this library is an integral part of the C standard library.This function serves to take an integer representing an ASCII value and morphs it into its lowercase ASCII counterpart, but only if the original character was an uppercase letter

Pros:

  • Standard and portable across different platforms and compilers.
  • Handles non-ASCII characters correctly.
  • Easy to use and understand.

Cons:

  • Requires including an additional library (ctype.h).
  • May not be the most efficient approach in terms of performance for large strings.
  • Not suitable for environments where standard library functions are not available.

Code:

#include <ctype.h>
#include <stdio.h>

void toLowerCase(char *str) {
    for(int i = 0; str[i]; i++) {
        str[i] = tolower(str[i]); // Use tolower() function from ctype.h to convert to lowercase
    }
}

int main() {
    char str[100];
    printf("Enter a string: ");
    scanf("%s", str);
    toLowerCase(str);
    printf("Lowercase string: %s\n", str);
    return 0;
}

Output:

Enter a string: HELLO
Lowercase string: hello

Code Explanation:

  1. Loop through each character in the string.
  2. Use the tolower() function from ctype.h to convert the character to lowercase.

Approach 3: Using Bit Manipulation

In order to execute a cunning approach for the conversion of uppercase characters to their lowercase counterparts, one must engage in the subtle art of bit manipulation. It sets the 6th bit of each character to 1, which corresponds to converting uppercase letters to lowercase in ASCII.

Pros:

  • Can be a more efficient approach in terms of performance for large strings.
  • Does not require any additional libraries or functions.
  • Can be useful in low-level programming or embedded systems where bitwise operations are common.

Cons:

  • Not as intuitive or readable as other approaches.
  • Limited to ASCII characters only.
  • May not work correctly with non-ASCII characters.

Code:

#include <stdio.h>

void toLowerCase(char *str) {
    for(int i = 0; str[i]; i++) {
        str[i] |= 32; // Set the 6th bit to 1 to convert to lowercase
    }
}

int main() {
    char str[] = "HELLO WORLD";
    printf("Original string: %s\n", str);
    toLowerCase(str);
    printf("Lowercase string: %s\n", str);
    return 0;
}

Output:

Original string: HELLO WORLD
Lowercase string: hello world

Code Explanation:

  1. Loop through each character in the string.
  2. Use bitwise OR (|) operation with the value 32 (binary 00100000) to set the 6th bit to 1.
  3. This operation effectively converts uppercase letters to lowercase in ASCII, as the difference between the ASCII values of uppercase and lowercase letters is 32 in decimal or 00100000 in binary.
  4. Note that this approach assumes that the characters in the string are encoded in ASCII, which may not be the case for all character encodings.

Approach 4: Using a Lookup Table

An intriguing approach involves the utilization of a lookup table that meticulously maps uppercase letters to their corresponding lowercase letters. The table itself can be implemented in a myriad of ways, where each uppercase letter is meticulously associated with its corresponding lowercase This approach provides a direct and efficient mapping of uppercase to lowercase letters.

Pros:

  • Provides a direct and efficient mapping of uppercase to lowercase letters.
  • Can handle different character encodings and non-ASCII characters.
  • Can be easily extended or modified to support custom mappings.

Cons:

  • Requires additional memory to store the lookup table.
  • May require additional code to handle edge cases or special characters.
  • Requires manual creation and maintenance of the lookup table.

Code:

#include <stdio.h>

void toLowerCase(char *str) {
    // Define a lookup table for uppercase to lowercase mapping
    char lookupTable[26] = {
        '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'
    };
    for(int i = 0; str[i]; i++) {
        if(str[i] >= 'A' && str[i] <= 'Z') { // Check if character is uppercase
            str[i] = lookupTable[str[i] - 'A']; // Use lookup table to convert to lowercase
        }
    }
}

int main() {
    char str[100];
    printf("Enter a string: ");
    scanf("%s", str);
    toLowerCase(str);
    printf("The converted string is: %s\n", str);
    return 0;
}

Output:

Enter a string: HELLO
The converted string is: hello

Code Explanation:

  1. Define a lookup table that maps each uppercase letter to its corresponding lowercase letter.
  2. Loop through each character in the string.
  3. Check if the character is an uppercase letter.
  4. If the character is uppercase, use the lookup table to convert it to lowercase by subtracting the ASCII value of ‘A’ and using the result as an index to access the corresponding lowercase letter from the lookup table.

Approach 5: Using a Switch Statement

This approach involves using a switch statement to convert uppercase letters to lowercase. The switch statement checks the value of each character and maps uppercase letters to their corresponding lowercase letters using case labels.

Pros:

  • Provides a readable and structured way to map uppercase to lowercase letters.
  • Can handle different character encodings and non-ASCII characters.
  • Can be easily extended or modified to support custom mappings.

Cons:

  • Requires additional code for handling edge cases or special characters.
  • May have slightly lower performance compared to other approaches due to the overhead of the switch statement.
  • Requires manual creation and maintenance of the case labels.

Code:

#include <stdio.h>

void toLowerCase(char *str) {
    while (*str) {
        switch(*str) {
            case 'A': *str = 'a'; break;
            case 'B': *str = 'b'; break;
            case 'C': *str = 'c'; break;
            case 'D': *str = 'd'; break;
            case 'E': *str = 'e'; break;
            case 'F': *str = 'f'; break;
            case 'G': *str = 'g'; break;
            case 'H': *str = 'h'; break;
            case 'I': *str = 'i'; break;
            case 'J': *str = 'j'; break;
            case 'K': *str = 'k'; break;
            case 'L': *str = 'l'; break;
            case 'M': *str = 'm'; break;
            case 'N': *str = 'n'; break;
            case 'O': *str = 'o'; break;
            case 'P': *str = 'p'; break;
            case 'Q': *str = 'q'; break;
            case 'R': *str = 'r'; break;
            case 'S': *str = 's'; break;
            case 'T': *str = 't'; break;
            case 'U': *str = 'u'; break;
            case 'V': *str = 'v'; break;
            case 'W': *str = 'w'; break;
            case 'X': *str = 'x'; break;
            case 'Y': *str = 'y'; break;
            case 'Z': *str = 'z'; break;
        }
        str++; // Move to next character using pointer arithmetic
    }
}

int main() {
    char str[100];
    printf("Enter a string: ");
    scanf("%s", str);
    toLowerCase(str);
    printf("Lowercase string: %s", str);
    return 0;
}

Output:

Enter a string: HELLO
Lowercase string: hello

Code Explanation:

  1. Use a switch statement to check the value of each character in the string.
  2. For uppercase letters (‘A’ to ‘Z’), add 32 to the ASCII value to convert them to lowercase letters (‘a’ to ‘z’).
  3. For other characters, do nothing and move on to the next character.

Approach 6:Using Pointer Arithmetic

This approach involves the application of pointer arithmetic. By utilizing this approach, one is able to iterate through the characters in the string and effectuate the conversion of uppercase letters to lowercase by engaging in the manipulation of the ASCII values.

Pros:

  • Can provide efficient and memory-friendly conversion of uppercase to lowercase letters.
  • Does not require additional memory for lookup tables or temporary arrays.
  • Can be used in situations where memory usage is a concern.

Cons:

  • Requires careful handling of pointers to avoid memory-related bugs.
  • May have lower readability and ease of understanding compared to other approaches.
  • May not be as portable or flexible as other approaches in handling different character encodings or special cases.

Code:

#include <stdio.h>

void toLowerCase(char *str) {
    while (*str) {
        if (*str >= 'A' && *str <= 'Z') { // Check if character is uppercase
            *str += 32; // Convert to lowercase by adding 32 to ASCII value
        }
        str++; // Move to next character using pointer arithmetic
    }
}

int main() {
    char str[100];
    printf("Enter a string: ");
    scanf("%s", str);
    toLowerCase(str);
    printf("Lowercase string: %s", str);
    return 0;
}

Output:

Enter a string: HELLO
Lowercase string: hello

 Code explanation:

  1. Use a while loop and a pointer to iterate through the characters in the string.
  2. Check if the character is an uppercase letter.
  3. If the character is uppercase, convert it to lowercase by adding 32 to its ASCII value using pointer arithmetic.
  4. Move to the next character by incrementing the pointer.
  5. Repeat the above steps for each character in the string until the null terminator is encountered, indicating the end of the string

Best Approach To Convert Uppercase To Lowercase In C

The best qualities of using ASCII Manipulation approach to convert uppercase to lowercase are:

  • Simple and easy to understand: This approach involves simple ASCII manipulation to convert uppercase characters to lowercase. It’s easy to understand and implement, making it a popular choice for many programming tasks.
  • Fast and efficient: Since the approach only involves simple arithmetic operations, it is fast and efficient. It does not require any additional libraries or lookup tables, which further improves its efficiency.
  • Works for most ASCII characters: This approach works for most ASCII characters, making it a reliable choice for many programming tasks.

Sample Problems To Convert Uppercase To Lowercase in C

Sample Problem 1:

Scenario: You are developing a mobile application that requires user input for a username and password. The username input may contain uppercase letters, and you need to convert them to lowercase for case-insensitive comparison.

Solution steps:

  1. Accept the username input from the user.
  2. Loop through each character in the username string.
  3. For each character, check if it is an uppercase letter (ASCII value between 65 and 90).
  4. If it is an uppercase letter, convert it to lowercase by adding 32 to its ASCII value.
  5. Update the username string with the converted lowercase character.
  6. Repeat steps 3-5 for each character in the string.
  7. Display the converted username string.

Code:

#include <stdio.h>

void convertToLowercase(char *str) {
    for (int i = 0; str[i]; i++) {
        if (str[i] >= 'A' && str[i] <= 'Z') { // Check if character is uppercase
            str[i] += 32; // Convert to lowercase by adding 32 to ASCII value
        }
    }
}

int main() {
    char username[50];
    printf("Enter username: ");
    scanf("%s", username);
    
    convertToLowercase(username);
    printf("Converted username: %s\n", username);
    
    return 0;
}

Output:

Enter username: MYUSERNAME
Converted username: myusername

Sample Problem 2:

Scenario: You are building a text editor application that allows users to input text on a laptop. The text input may contain uppercase letters that need to be converted to lowercase for proper display and formatting.

Solution steps:

  1. Include the <ctype.h> header, which provides functions for character handling, in your C program.
  2. Declare a character array to store the input text from the user.
  3. Use a loop to iterate through each character in the input text.
  4. Call the tolower() function from the C Standard Library, passing the current character as an argument.
  5. Assign the lowercase version of the character back to the same position in the character array.
  6. Repeat the above steps for each character in the input text.
  7. Print the converted text to the console or display it in your text editor.

Code:

#include <stdio.h>
#include <ctype.h>

int main() {
    char inputText[100]; // Step 2: Declare a character array to store input text
    printf("Enter text with uppercase letters: ");
    gets(inputText); // Step 3: Get input text from user

    for (int i = 0; inputText[i]; i++) { // Step 3: Iterate through each character
        inputText[i] = tolower(inputText[i]); // Step 4: Convert uppercase to lowercase
    }

    printf("Converted text: %s\n", inputText); // Step 7: Print converted text

    return 0;
}

Output:

Enter text with uppercase letters: HELLO WORLD
Converted text: hello world

Sample Problem 3:

Scenario: You are manufacturing cycles and need to print the serial numbers on the cycles’ frames. The serial numbers may contain uppercase letters that need to be converted to lowercase for consistency..

Solution steps:

  1. Generate the serial number for each cycle.
  2. Loop through each character in the serial number string.
  3. For each character, check if it is an uppercase letter (ASCII value between 65 and 90).
  4. If it is an uppercase letter, convert it to lowercase by setting the most significant bit (MSB) of the character to 0 using a bitwise OR operation with 32.
  5. 5. Update the serial number string with the converted lowercase character.
  6. Repeat steps 3-5 for each character in the string.
  7. Print the updated serial number string on the cycle frame.

Code:

#include <stdio.h>

void convertToLowercase(char *str) {
    for (int i = 0; str[i]; i++) {
        if (str[i] >= 'A' && str[i] <= 'Z') { // Check if character is uppercase
            str[i] |= 32; // Convert to lowercase using bitwise OR with 32
        }
    }
}

int main() {
    char serialNumber[10] = "ABCD1234"; // Example serial number
    
    printf("Original serial number: %s\n", serialNumber);
    
    convertToLowercase(serialNumber);
    printf("Converted serial number: %s\n", serialNumber);
    
    // Print the updated serial number on the cycle frame
    
    return 0;
}

Output:

Original serial number: ABCD1234
Converted serial number: abcd1234

Sample Problem 4:

Scenario: You are manufacturing earphones and need to print the model numbers on the packaging. The model numbers may contain uppercase letters that need to be converted to lowercase for consistency.

Solution steps:

  1. Create a lookup table that maps uppercase letters to their corresponding lowercase letters.
  2. Generate the model number for each earphone.
  3. Loop through each character in the model number string.
  4. For each character, check if it is an uppercase letter.
  5. If it is an uppercase letter, use the lookup table to convert it to lowercase.
  6. Update the model number string with the converted lowercase character.
  7. Repeat steps 4-6 for each character in the string.
  8. Print the updated model number on the packaging.

Code:

#include <stdio.h>

void convertToLowercase(char *str) {
    char lookupTable[26] = {'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'};
    
    for (int i = 0; str[i]; i++) {
        if (str[i] >= 'A' && str[i] <= 'Z') { // Check if character is uppercase
            str[i] = lookupTable[str[i] - 'A']; // Convert to lowercase using lookup table
        }
    }
}

int main() {
    char modelNumber[10] = "MODEL123"; // Example model number
    
    printf("Original model number: %s\n", modelNumber);
    
    convertToLowercase(modelNumber);
    printf("Converted model number: %s\n", modelNumber);
    
    // Print the updated model number on the packaging
    
    return 0;
}

Output:

Original model number: MODEL123
Converted model number: model123

Sample Problem 5:

Scenario: You are manufacturing planes and need to print the registration numbers on the wings. The registration numbers may contain uppercase letters that need to be converted to lowercase for consistency.

Solution steps:

  1. Generate the registration number for each plane.
  2. Loop through each character in the registration number string.
  3. For each character, check if it is an uppercase letter.
  4. If it is an uppercase letter, use a switch statement to convert it to lowercase.
  5. Update the registration number string with the converted lowercase character.
  6. Repeat steps 3-5 for each character in the string.
  7. Print the updated registration number on the wings.

Code:

#include <stdio.h>

void convertToLowercase(char *str) {
    for (int i = 0; str[i]; i++) {
        if (str[i] >= 'A' && str[i] <= 'Z') { // Check if character is uppercase
            switch (str[i]) { // Convert to lowercase using switch statement
                case 'A': str[i] = 'a'; break;
                case 'B': str[i] = 'b'; break;
                case 'C': str[i] = 'c'; break;
                case 'D': str[i] = 'd'; break;
                case 'E': str[i] = 'e'; break;
                // Add cases for all uppercase letters
                case 'F': str[i] = 'f'; break;
                case 'G': str[i] = 'g'; break;
                case 'H': str[i] = 'h'; break;
                case 'I': str[i] = 'i'; break;
                case 'J': str[i] = 'j'; break;
                case 'K': str[i] = 'k'; break;
                case 'L': str[i] = 'l'; break;
                case 'M': str[i] = 'm'; break;
                case 'N': str[i] = 'n'; break;
                case 'O': str[i] = 'o'; break;
                case 'P': str[i] = 'p'; break;
                case 'Q': str[i] = 'q'; break;
                case 'R': str[i] = 'r'; break;
                case 'S': str[i] = 's'; break;
                case 'T': str[i] = 't'; break;
                case 'U': str[i] = 'u'; break;
                case 'V': str[i] = 'v'; break;
                case 'W': str[i] = 'w'; break;
                case 'X': str[i] = 'x'; break;
                case 'Y': str[i] = 'y'; break;
                case 'Z': str[i] = 'z'; break;
            }
        }
    }
}

int main() {
    char registrationNumber[10] = "REG12345"; // Example registration number
    
    printf("Original registration number: %s\n", registrationNumber);
    
    convertToLowercase(registrationNumber);
    printf("Converted registration number: %s\n", registrationNumber);
    
    // Print the updated registration number on the wings
    
    return 0;
}                    

Output:

Original registration number: REG12345
Converted registration number: reg12345

Sample Problem 6:

Scenario: You are developing software that takes user input for usernames and passwords. The usernames may contain uppercase letters that need to be converted to lowercase for case-insensitive comparison.

Solution steps:

  1. Read the username input from the user.
  2. Use pointer arithmetic to loop through each character in the username string.
  3. For each character, check if it is an uppercase letter.
  4. If it is an uppercase letter, add 32 to the ASCII value to convert it to lowercase.
  5. Update the username string with the converted lowercase character.
  6. Repeat steps 3-5 for each character in the string.
  7. Perform the necessary processing with the converted username (e.g., comparison with lowercase passwords).

Code:

#include <stdio.h>

void convertToLowercase(char *str) {
    for (int i = 0; str[i]; i++) {
        if (str[i] >= 'A' && str[i] <= 'Z') { // Check if character is uppercase
            *(str + i) += 32; // Convert to lowercase using pointer arithmetic
        }
    }
}

int main() {
    char username[20]; // Example username input
    
    printf("Enter username: ");
    scanf("%s", username);
    
    printf("Original username: %s\n", username);
    
    convertToLowercase(username);
    printf("Converted username: %s\n", username);
    
    // Perform necessary processing with the converted username
    
    return 0;
}

Output:

Enter username: USERNAME123
Original username: USERNAME123
Converted username: username123

Conclusion

Converting uppercase to lowercase in C is a common task used in text processing and formatting. In this blog, we explored six different approaches, including ASCII manipulation, C Standard Library, bit manipulation, lookup tables, switch statements, and pointer arithmetic, along with real-life scenario-based sample problems and solutions.

With this knowledge, you are well-equipped to perform uppercase to lowercase conversion in C effectively and efficiently in your programming projects.