1. 程式人生 > >PAT-乙級-Java-1012

PAT-乙級-Java-1012

1012 數字分類 (20 分)

給定一系列正整數,請按要求對數字進行分類,並輸出以下 5 個數字:

  • A​1​​ = 能被 5 整除的數字中所有偶數的和;
  • A​2​​ = 將被 5 除後餘 1 的數字按給出順序進行交錯求和,即計算 n​1​​−n​2​​+n​3​​−n​4​​⋯;
  • A​3​​ = 被 5 除後餘 2 的數字的個數;
  • A​4​​ = 被 5 除後餘 3 的數字的平均數,精確到小數點後 1 位;
  • A​5​​ = 被 5 除後餘 4 的數字中最大數字。

輸入格式:

每個輸入包含 1 個測試用例。每個測試用例先給出一個不超過 1000 的正整數 N,隨後給出 N 個不超過 1000 的待分類的正整數。數字間以空格分隔。

輸出格式:

對給定的 N 個正整數,按題目要求計算 A​1​​~A​5​​ 並在一行中順序輸出。數字間以空格分隔,但行末不得有多餘空格。

若其中某一類數字不存在,則在相應位置輸出 N

輸入樣例 1:

13 1 2 3 4 5 6 7 8 9 10 20 16 18

輸出樣例 1:

30 11 2 9.7 9

輸入樣例 2:

8 1 2 4 5 6 7 9 16

輸出樣例 2:

N 11 2 N 9

Java程式碼實現:

import java.util.Scanner;

public class Main {

	public static void main(String[] args) {
		Scanner sc = new Scanner(System.in);
		String input = sc.nextLine();
		String [] split = input.split("\\s+");
		int num = Integer.parseInt(split[0]);
		int [] element = new int[num];
		int result1 = 0;
		int n = 1;//用於result2中正負符號標記
		int result2 = 0;
		boolean flag = false;//標記result2如果最後結果為0,是計算後的結果,還是本來就不存在這樣的數保持初始值
		int result3 = 0;
		int count = 0;//統計滿足result3的個數以求平均數
		int result4 = 0;//被5除餘3的所有數字的和
		int result5 = -1;//被比較的值,從而得出最大值
		for(int i = 0;i<num;i++){
			element[i] = Integer.parseInt(split[i+1]);
			if(element[i]%5 == 0 && element[i]%2 == 0){
				result1 += element[i];
			}
			if(element[i]%5 == 1){
				result2 += n*element[i];
				flag = true;
				n = n*(-1);
			}
			if(element[i]%5 == 2){
				result3++;
			}
			if(element[i]%5 == 3){
				result4 += element[i];
				count++;
			}
			if(element[i]%5 == 4){
				if(element[i]>result5){
					result5 = element[i];
				}
			}
		}
		if(result1 == 0){
			System.out.print("N ");
		}else{
			System.out.print(result1+" ");
		}
		if(!flag){
			System.out.print("N ");
		}else{
			System.out.print(result2+" ");
		}
		if(result3 == 0){
			System.out.print("N ");
		}else{
			System.out.print(result3+" ");
		}
		if(result4 == 0){
			System.out.print("N ");
		}else{
			System.out.print(String.format("%.1f", ((double)result4/(double)count))+" ");//保留一位小數
		}
		if(result5 == -1){
			System.out.print("N");
		}else{
			System.out.print(result5);
		}
		
		

	}

}