Computer >> 컴퓨터 >  >> 프로그램 작성 >> Java

String ==연산자와 equals() 메서드를 구별하는 Java 프로그램

<시간/>

이 기사에서는 Java에서 ==연산자와 equals() 메소드를 구별하는 방법을 이해합니다. ==(같음) 연산자는 두 피연산자의 값이 같은지 확인하고, 같으면 조건이 참이 됩니다.

equals() 메서드는 이 문자열을 지정된 객체와 비교합니다. 인수가 null이 아니고 이 개체와 동일한 문자 시퀀스를 나타내는 String 개체인 경우에만 결과가 참입니다.

아래는 동일한 데모입니다 -

입력이 다음과 같다고 가정 -

The first string : abcde
The second string: 12345

원하는 출력은 -

Using == operator to compare the two strings: false
Using equals() to compare the two strings: false

알고리즘

Step 1 – START
Step 2 - Declare two strings namely input_string_1, input_string_2 and two boolean values namely result_1, result_2.
Step 3 - Define the values.
Step 4 - Compare the two strings using == operator and assign the result to result_1.
Step 5 - Compare the two strings using equals() function and assign the result to result_2.
Step 5 - Display the result
Step 6 - Stop

예시 1

여기에서 모든 작업을 'main' 기능 아래에 묶습니다.

public class compare {
   public static void main(String[] args) {
      String input_string_1 = new String("abcde");
      System.out.println("The first string is defined as: " +input_string_1);
      String input_string_2 = new String("12345");
      System.out.println("The second string is defined as: " +input_string_2);
      boolean result_1 = (input_string_1 == input_string_2);
      System.out.println("\nUsing == operator to compare the two strings: " + result_1);
      boolean result_2 = input_string_1.equals(input_string_2);
      System.out.println("Using equals() to compare the two strings: " + result_2);
   }
}

출력

The first string is defined as: abcde
The second string is defined as: 12345

Using == operator to compare the two strings: false
Using equals() to compare the two strings: false

예시 2

여기에서 객체 지향 프로그래밍을 나타내는 함수로 작업을 캡슐화합니다.

public class Demo {
   static void compare(String input_string_1, String input_string_2){
      boolean result_1 = (input_string_1 == input_string_2);
      System.out.println("\nUsing == operator to compare the two strings: " + result_1);
      boolean result_2 = input_string_1.equals(input_string_2);
      System.out.println("Using equals() to compare the two strings: " + result_2);
   }
   public static void main(String[] args) {
      String input_string_1 = new String("abcde");
      System.out.println("The first string is defined as: " +input_string_1);
      String input_string_2 = new String("12345");
      System.out.println("The second string is defined as: " +input_string_2);
      compare(input_string_1, input_string_2);
   }
}

출력

The first string is defined as: abcde
The second string is defined as: 12345

Using == operator to compare the two strings: false
Using equals() to compare the two strings: false