Java에서 인터페이스는 클래스가 준수해야 하는 계약 역할을 합니다. 인터페이스는 (메서드 시그니처를 통해) 무엇을 할 수 있는지에 대한 지식만 제공하고 수행 방법을 숨기므로(구현을 클래스에 맡김으로써) 인터페이스 구현) 추상화를 달성합니다. 무엇과 어떻게를 분리하는 것이 추상화의 핵심 아이디어입니다.
Java 8에서는 인터페이스가 순전히 추상적인 동작 이상으로 발전하여 기본 및 정적 메소드를 지원하여 유연성과 이전 버전과의 호환성을 향상시켰습니다.
이 게시물에서는 개념을 이해하는 데 도움이 되는 코드 예제를 통해 인터페이스와 주요 기능, 인터페이스와 추상 클래스 간의 차이점을 자세히 살펴봅니다.
Java의 인터페이스는 구현 클래스가 따라야 하는 동작(메서드) 집합을 지정합니다. 메서드 서명과 상수만 포함됩니다. 추상 클래스와 달리 인터페이스는 클래스가 두 개 이상의 인터페이스를 구현할 수 있도록 하여 다중 상속을 허용합니다.
인터페이스의 변수는 암시적으로 공개, 정적, 최종 변수입니다.
모든 메소드는 암시적으로 공개적이고 추상적입니다(Java 8 이전).
클래스는 다중 인터페이스를 구현하여 클래스의 단일 상속 제한을 극복할 수 있습니다.
Java 8 이상에서는 인터페이스에 기본 메서드와 정적 메서드도 포함될 수 있어 이전 버전과의 호환성이 향상됩니다.
package oops.interfaces; public interface InterfaceBasics { // Variables are public, static, and final by default // Initialization can only be done with declaration (No Static Blocks) // Compiler Interpretation: public static final int id = 90; int id = 90; // Abstract method (public and abstract by default) // Compiler Interpretation: public abstract void abstractMethod(); void abstractMethod(); // Default method - Introduced in Java 8 (public by default) // Compiler Interpretation: public default void concreteMethod() default void concreteMethod() { System.out.println("Concrete Method Called"); } // Static method - Introduced in Java 8 (public by default) // Compiler Interpretation: public static void staticMethod() static void staticMethod() { System.out.println("Static Method Called"); } }
1. 인터페이스의 변수:
참고: 정적 최종 변수는 선언 시 또는 정적 블록 내에서 초기화될 수 있습니다. 그러나 인터페이스는 정적 블록을 허용하지 않으므로 이러한 변수는 선언 중에 초기화되어야 합니다.
2. 추상 메소드:
3. 기본 방법:
4. 정적 메소드:
package oops.interfaces; public interface InterfaceBasics { // Variables are public, static, and final by default // Initialization can only be done with declaration (No Static Blocks) // Compiler Interpretation: public static final int id = 90; int id = 90; // Abstract method (public and abstract by default) // Compiler Interpretation: public abstract void abstractMethod(); void abstractMethod(); // Default method - Introduced in Java 8 (public by default) // Compiler Interpretation: public default void concreteMethod() default void concreteMethod() { System.out.println("Concrete Method Called"); } // Static method - Introduced in Java 8 (public by default) // Compiler Interpretation: public static void staticMethod() static void staticMethod() { System.out.println("Static Method Called"); } }
메서드 액세스:
기본 메서드(concreteMethod())와 재정의된 메서드(abstractMethod())는 클래스 인스턴스 obj를 사용하여 액세스되며, 두 가지 유형의 메서드를 모두 호출할 수 있는 방법을 보여줍니다.
인터페이스 변수 액세스:
인터페이스 변수 id는 인터페이스 이름(InterfaceBasics.id)과 구현 클래스 이름(InterfaceBasicsImpl.id)을 모두 사용하여 액세스할 수 있습니다. 이는 인터페이스의 정적 최종 변수가 상속되어 구현 클래스가 변수를 참조할 수 있음을 보여줍니다.
정적 메소드 액세스:
정적 메서드 staticMethod()는 인터페이스 이름(InterfaceBasics.staticMethod())을 통해서만 호출할 수 있습니다. 구현 클래스(InterfaceBasicsImpl.staticMethod())를 통해 이에 액세스하려고 하면 인터페이스의 정적 메서드가 상속되지 않
package oops.interfaces; public interface InterfaceBasics { // Variables are public, static, and final by default // Initialization can only be done with declaration (No Static Blocks) // Compiler Interpretation: public static final int id = 90; int id = 90; // Abstract method (public and abstract by default) // Compiler Interpretation: public abstract void abstractMethod(); void abstractMethod(); // Default method - Introduced in Java 8 (public by default) // Compiler Interpretation: public default void concreteMethod() default void concreteMethod() { System.out.println("Concrete Method Called"); } // Static method - Introduced in Java 8 (public by default) // Compiler Interpretation: public static void staticMethod() static void staticMethod() { System.out.println("Static Method Called"); } }
기본 메소드를 사용하더라도 인터페이스는 추상 클래스와 구별됩니다.
Aspect | Interface | Abstract Class |
---|---|---|
Methods | Can have abstract, default, and static methods | Can have abstract and non-abstract methods |
Variables | Only public, static, and final variables | Can have any access modifier and instance variables |
Inheritance | Supports multiple inheritance | Supports single inheritance |
Constructors | Cannot have constructors | Can have constructors |
기본 메소드는 이전 버전과의 호환성이 필요한 기존 인터페이스를 확장하는 경우에만 사용해야 합니다. 이는 추상 클래스를 대체하지 않습니다.
1. 인터페이스 변수를 수정할 수 있나요?
아니요, 인터페이스 변수는 암시적으로 최종적입니다. 즉, 할당된 후에는 해당 값을 변경할 수 없습니다.
package oops.interfaces; public interface InterfaceBasics { // Variables are public, static, and final by default // Initialization can only be done with declaration (No Static Blocks) // Compiler Interpretation: public static final int id = 90; int id = 90; // Abstract method (public and abstract by default) // Compiler Interpretation: public abstract void abstractMethod(); void abstractMethod(); // Default method - Introduced in Java 8 (public by default) // Compiler Interpretation: public default void concreteMethod() default void concreteMethod() { System.out.println("Concrete Method Called"); } // Static method - Introduced in Java 8 (public by default) // Compiler Interpretation: public static void staticMethod() static void staticMethod() { System.out.println("Static Method Called"); } }
2. 기본 메서드와 정적 메서드를 모두 선언할 수 있나요?
아니요. 기본 메서드는 클래스 구현을 통해 재정의할 수 있는 구체적인 구현을 제공하므로 유연성이 허용됩니다. 이와 대조적으로 정적 메서드는 인터페이스 자체에 속하며 재정의할 수 없으며 유틸리티 기능을 제공합니다. 따라서 이 둘은 함께 사용할 수 없습니다.
package oops.interfaces; // A class implementing the InterfaceBasics interface public class InterfaceBasicsImpl implements InterfaceBasics { // Mandatory: Override all abstract methods from the interface @Override public void abstractMethod() { System.out.println("Overridden Method Called"); } public static void main(String[] args) { InterfaceBasics obj = new InterfaceBasicsImpl(); // Calling interface's default and overridden methods obj.concreteMethod(); // Output: Default Method Called obj.abstractMethod(); // Output: Overridden Method Called // Accessing interface variables (static and final by default) // Interface variables are inherited // Possible with both interface name and implementing class name System.out.println(InterfaceBasics.id); // Output: 90 System.out.println(InterfaceBasicsImpl.id); // Output: 90 // Cannot assign a value to final variable 'id' InterfaceBasicsImpl.id = 100; // --> Compile Error // Calling static method using interface name // Cannot access using implementing class name // Interface static methods are NOT inherited InterfaceBasics.staticMethod(); // Output: Static Method Called } }
3. 인터페이스의 정적 메서드를 상속할 수 없는 이유는 무엇입니까?
정적 메서드는 클래스의 특정 인스턴스가 아닌 인터페이스 자체와 연결되어 있습니다. 즉, 정적 메서드는 인터페이스 전체에 속합니다. 클래스 구현을 통해 정적 메서드가 상속된 경우 어떤 메서드가 호출되는지에 대한 모호함과 혼란이 발생할 수 있습니다. 특히 여러 인터페이스가 동일한 이름의 메서드를 정의하는 경우 더욱 그렇습니다.
예:
package oops.interfaces.example; public interface Logger { // Using a variable to store the default log file name String DEFAULT_LOG_FILE_NAME = "application.log"; // Static method to get the default log file name with configuration static String getDefaultLogFileName() { // Simulating configuration retrieval // Could be from a properties file or environment variable String logFileName = System.getenv("LOG_FILE_NAME"); // If a log file name is set in the environment, return it; // Otherwise, return the default if (logFileName != null && !logFileName.isEmpty()) { return logFileName; } else { return DEFAULT_LOG_FILE_NAME; } } } public class FileLogger implements Logger { public static void main(String[] args) { // Using the interface variable String defaultLogFile = Logger.DEFAULT_LOG_FILE_NAME; // Using the static method if ("FILE".equals(System.getenv("LOG_TYPE"))) { defaultLogFile = Logger.getDefaultLogFileName(); } System.out.println("Log file used: " + defaultLogFile); } }
정적 메소드를 인터페이스에만 연결함으로써 Java는 명확성을 유지하고 악명 높은 다중 상속의 다이아몬드 문제로 이어지는 메소드 해결 시 잠재적인 충돌을 방지합니다.
Java의 인터페이스는 구현 클래스가 준수해야 하는 동작을 정의하여 추상화를 달성하는 데 중요한 역할을 합니다. Java 8에 기본 및 정적 메서드가 도입되면서 인터페이스는 이전 버전과의 호환성을 허용하고 인터페이스 내에서 직접 유틸리티 메서드를 제공하는 등 더욱 강력해졌습니다.
그러나 인터페이스는 추상 클래스를 대체하지 않습니다. 동작에 대한 계약을 정의해야 할 때, 특히 다중 상속이 필요한 경우
에 사용해야 합니다.인터페이스는 방법을 지정하지 않고 클래스가 수행해야 하는 작업을 정의하여 추상화를 제공합니다.
변수는 항상 공개, 정적, 최종입니다.
Java 8에 도입된 기본 및 정적 메소드를 사용하면 인터페이스 내에서 이전 버전과의 호환성과 유틸리티 구현이 가능합니다.
정적 메소드는 상속되지 않으므로 사용법이 명확합니다.
인터페이스 사용 방법과 시기를 이해하면 코딩 기술이 향상될 뿐만 아니라 OOP 개념 및 Java 디자인 패턴과 관련된 면접 질문에 대비할 수 있습니다.
Java 기초
어레이 인터뷰 필수
Java 메모리 필수
Java 키워드 필수
컬렉션 프레임워크 필수
즐거운 코딩하세요!
위 내용은 추상화: Java의 인터페이스 디코딩의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!