C-Sharp | Java | Python | Swift | GO | WPF | Ruby | Scala | F# | JavaScript | SQL | PHP | Angular | HTML
Q. Program to remove all the white spaces from a string.In this program, our task is to remove all the white-spaces from the string. For this purpose, we need to traverse the string and check if any character of the string is matched with a white-space character or not. If so, Use any built-in method like replace() with a blank. In C, we do not have any built-in method to replace. Therefore, We need to run the for loop to traverse the string and see if there is any white-space character or not. If so, then start the inner loop (j) from ith character to len and keep replacing each element with its next adjacent element. Decrease the length of the string by 1 on the termination of this loop. Repeat this process until all the white-spaces of the string are removed. Algorithm
SolutionPythonstr1 = "Remove white spaces"; #Using in-built function in python #Here, we are replacing space character with blank str1 = str1.replace(" ",""); print("String after removing all the white spaces : " + str1); Output: String after removing all the white spaces : Removewhitespaces C#include <stdio.h> int main() { int i, len = 0,j; char str[] = "Remove white spaces"; //Calculating length of the array len = sizeof(str)/sizeof(str[0]); //Checks for space character in array if its there then ignores it and swap str[i] to str[i+1]; for(i = 0; i < len; i++){ if(str[i] == ' '){ for(j=i;j<len;j++) { str[j]=str[j+1]; } len--; } } printf("String after removing all the white spaces : %s", str); return 0; } Output: String after removing all the white spaces : Removewhitespaces JAVApublic class removeWhiteSpace { public static void main(String[] args) { String str1="Remove white spaces"; //Removes the white spaces using regex str1 = str1.replaceAll("\\s+", ""); System.out.println("String after removing all the white spaces : " + str1); } } Output: String after removing all the white spaces : Removewhitespaces C#using System; public class Program { public static void Main() { string str1="Remove white spaces"; //Removes the white spaces using regex str1 = str1.Replace(" ",String.Empty); Console.WriteLine("String after removing all the white spaces : " + str1); } } Output: String after removing all the white spaces : Removewhitespaces PHP<!DOCTYPE html> <html> <body> <?php $str1 = "Remove white spaces"; //Replaces every space character with blank $str1 = str_replace(' ','',$str1); echo "String after removing all the white spaces : $str1"; ?> </body> </html> |