Java - NullPointerException 원인, 해결 방법

Java에서 NullPointerException은 변수나 객체에 접근할 때, 값이 null로 설정되어있어서 접근할 수 없을 때 발생하는 예외입니다.

1. 문제 발생 원인

예를 들어, 아래 예제에서 String 객체는 null로 설정되어있고, str.length()으로 문자열의 길이를 가져오려고 하고 있습니다.

하지만, str 변수는 null 값이 할당되어있기 때문에 객체가 존재하지 않습니다. 따라서 이 변수를 사용할 수 없고, 접근하려고 시도하면 null이라서 접근할 수 없다는 의미로 NullPointerException 예외가 발생됩니다.

String str = null;
int length = str.length();

Output:

Exception in thread "main" java.lang.NullPointerException: Cannot invoke "String.length()" because "str" is null
	at Example.main(Example.java:6)

2. 해결 방법 : null check

어떤 변수가 null의 값을 갖을 수 있다면, 객체를 사용하기 전에 null 체크를 해야합니다.

아래와 같이 if문으로 null check를 하고, 객체가 null이 아닐 때만 때만 사용하도록 하면 NullPointerException가 발생하지 않습니다. 또한 객체가 null일 때에 대한 예외처리를 할 수 있습니다.

public class Example {

    public static void main(String[] args) {

        String str = null;
        int length = -1;
        if (str != null) {
            length = str.length();
        } else {
            System.out.println("str is null");
            length = 0;
        }
        System.out.println("length: " + length);
    }
}

Output:

str is null
length: 0

3. 해결 방법 : try-catch 예외 처리

다른 방법으로 try-catch 구문을 사용하여, null인 객체에 접근하면서 NullPointerException가 발생했을 때, 예외처리를 할 수 있습니다.

public class Example {

    public static void main(String[] args) {

        String str = null;
        int length = -1;
        try {
            length = str.length();
        } catch (NullPointerException e) {
            System.out.println("str is null");
            length = 0;
        }
        System.out.println("length: " + length);
    }
}

Output:

str is null
length: 0
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha