equals(null) will always be false. The program uses the equals() method to compare an object with null . This comparison will always return false, since the object is not null .
isEmpty(<string>) Checks if the <string> value is an empty string containing no characters or whitespace. Returns true if the string is null or empty.
In String, the == operator is used to comparing the reference of the given strings, depending on if they are referring to the same objects. When you compare two strings using == operator, it will return true if the string variables are pointing toward the same java object. Otherwise, it will return false .
Typically, you'll check for null using the triple equality operator ( === or !== ), also known as the strict equality operator, to be sure that the value in question is definitely not null: object !== null . That code checks that the variable object does not have the value null .
if (myString != null && !myString.isEmpty()) {
  // doSomething
}
As further comment, you should be aware of this term in the equals contract:
From Object.equals(Object):
For any non-null reference value
x,x.equals(null)shouldreturn false.
The way to compare with null is to use x == null and x != null.
Moreover, x.field and x.method() throws NullPointerException if x == null.
If myString is null, then calling myString.equals(null) or myString.equals("") will fail with a NullPointerException. You cannot call any instance methods on a null variable.
Check for null first like this:
if (myString != null && !myString.equals("")) {
    //do something
}
This makes use of short-circuit evaluation to not attempt the .equals if myString fails the null check.
Apache commons StringUtils.isNotEmpty is the best way to go.
If myString is in fact null, then any call to the reference will fail with a Null Pointer Exception (NPE). Since java 6, use #isEmpty instead of length check (in any case NEVER create a new empty String with the check).
if (myString != null &&  !myString.isEmpty()){
    doSomething();
}
Incidentally if comparing with String literals as you do, would reverse the statement so as not to have to have a null check, i.e,
if ("some string to check".equals(myString)){
  doSomething();
} 
instead of :
if (myString != null &&  myString.equals("some string to check")){
    doSomething();
}
WORKING !!!!
 if (myString != null && !myString.isEmpty()) {
        return true;
    }
    else {
        return false;
    }
Updated
For Kotlin we check if the string is null or not by following
return myString.isNullOrEmpty() // Returns `true` if this nullable String is either `null` or empty, false otherwise
return myString.isEmpty() // Returns `true` if this char sequence is empty (contains no characters), false otherwise
You need to check that the myString object is null:
if (myString != null) {
    doSomething
}
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With