Open In App

Program to check if a String in Java contains only whitespaces

Improve
Improve
Improve
Like Article
Like
Save Article
Save
Share
Report issue
Report

Given a string str, the task is to check if this string contains only whitespaces or some text, in Java.

Examples:

Input: str = "              " 
Output: True

Input: str = "GFG"
Output: False

Approach:

  • Get the String to be checked in str
  • We can use the trim() method of String class to remove the leading whitespaces in the string.
    Syntax:

    str.trim()
    
  • Then we can use the isEmpty() method of String class to check if the resultant string is empty or not. If the string contained only whitespaces, then this method will return true
    Syntax:

    str.isEmpty()
    
  • Combine the use of both methods using Method Chaining.
    str.trim().isEmpty();
    
  • Print true if the above condition is true. Else print false.

Below is the implementation of the above approach:




// Java Program to check if
// the String is not all whitespaces
  
class GFG {
  
    // Function to check if the String is all whitespaces
    public static boolean isStringAllWhiteSpace(String str)
    {
  
        // Remove the leading whitespaces using trim()
        // and then check if this string is empty
        if (str.trim().isEmpty())
            return true;
        else
            return false;
    }
  
    // Driver code
    public static void main(String[] args)
    {
        String str1 = "GeeksforGeeks";
        String str2 = "              ";
  
        System.out.println("Is string [" + str1
                           + "] only whitespaces? "
                           + isStringAllWhiteSpace(str1));
        System.out.println("Is string [" + str2
                           + "] only whitespaces? "
                           + isStringAllWhiteSpace(str2));
    }
}


Output:

Is string [GeeksforGeeks] only whitespaces? false
Is string [              ] only whitespaces? true


Last Updated : 22 Jan, 2020
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads