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

짝수 길이의 단어를 인쇄하는 Java 프로그램

<시간/>

이 기사에서는 짝수 길이의 단어를 인쇄하는 방법을 이해합니다. 문자열은 하나 이상의 문자를 포함하고 큰따옴표(" ")로 묶인 데이터 유형입니다. Char는 알파벳, 정수 또는 특수 문자를 포함하는 데이터 유형입니다.

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

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

Input string: Java Programming are cool

원하는 출력은 -

The words with even lengths are:
Java
cool

알고리즘

Step 1 - START
Step 2 - Declare a string namely input_string.
Step 3 - Define the values.
Step 4 - Iterate over the string usinf a for-loop, compute word.length() modulus of 2 for each word to check if the length gets completely divided by 2. Store the words.
Step 5 - Display the result
Step 6 - Stop

예시 1

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

public class EvenLengths {
   public static void main(String[] args) {
      String input_string = "Java Programming are cool";
      System.out.println("The string is defined as: " +input_string);
      System.out.println("\nThe words with even lengths are: ");
      for (String word : input_string.split(" "))
         if (word.length() % 2 == 0)
            System.out.println(word);
   }
}

출력

The string is defined as: Java Programming are cool

The words with even lengths are:
Java
cool

예시 2

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

public class EvenLengths {
   public static void printWords(String input_string) {
      System.out.println("\nThe words with even lengths are: ");
      for (String word : input_string.split(" "))
         if (word.length() % 2 == 0)
            System.out.println(word);
   }
   public static void main(String[] args) {
      String input_string = "Java Programming are cool";
      System.out.println("The string is defined as: " +input_string);
      printWords(input_string);
   }
}

출력

The string is defined as: Java Programming are cool

The words with even lengths are:
Java
cool