C program to trim leading white spaces from String
Given string str, the task is to write C program to remove leading space from the given string.
Examples :
Input: str = ” geeksforgeeks”
Output: geeksforgeeksInput: str = “gfg”
Output: gfg
Approach: The idea is to count the leading spaces in the given string and then from that count index copy the characters from that index to the front of the string. Below are the steps:
- Initialize count = 0 to count the number of leading spaces.
- Iterate through given string and find the index(say idx) at which the leading space character ends.
- Iterate through all the characters from that index idx and copy each character from this index to the end to the front index.
- Finally, put ‘\0’ at the last index of the new string to terminate the string.
Below is the implementation of the above approach:
C
// GeeksforGeeks // C program to trim leading whitespaces #include <stdio.h> void removeLeading( char *str, char *str1) { int idx = 0, j, k = 0; // Iterate String until last // leading space character while (str[idx] == ' ' || str[idx] == '\t' || str[idx] == '\n' ) { idx++; } // Run a for loop from index until the original // string ends and copy the content of str to str1 for (j = idx; str[j] != '\0' ; j++) { str1[k] = str[j]; k++; } // Insert a string terminating character // at the end of new string str1[k] = '\0' ; // Print the string with no whitespaces printf ( "%s" , str1); } // Driver Code int main() { // Given string char str[] = " geeksforgeeks" ; char str1[100]; // Function call removeLeading(str, str1); return 0; } // Code contributed by vpsop |
Output:
geeksforgeeks
Time Complexity: O(N)
Auxiliary Space: O(N)
Please Login to comment...