Given a string str, the task is to check if this string is null or not, in Java.
Examples:
Input: str = null Output: True Input: str = "GFG" Output: False
Approach:
- Get the String to be checked in str
- We can simply compare the string with Null using == relational operator.
Syntax:if(str == null)
- 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 Null in Java  class GFG {      // Function to check if the String is Null    public static boolean isStringNull(String str)    {          // Compare the string with null        // using == relational operator        // and return the result        if (str == null)            return true;        else            return false;    }      // Driver code    public static void main(String[] args)    {        String str1 = "Lazyroar";        String str2 = null;          System.out.println("Is string [" + str1                           + "] null? "                           + isStringNull(str1));        System.out.println("Is string [" + str2                           + "] null? "                           + isStringNull(str2));    }} |
Is string [Lazyroar] null? false Is string [null] null? true
