1. 程式人生 > >隨機猜字母小遊戲

隨機猜字母小遊戲

package day06;

import java.util.Scanner;

public class GuessingGame {
	public static void main(String[] args) {
		// 表示玩家猜測的次數
		int count = 0;
		// 用於儲存判斷的結果
		int[] result = new int[2];
		Scanner scanner = new Scanner(System.in);
		System.out.println("GuessingGame>歡迎嘗試猜字母遊戲!");
		// 表示猜測的字串
		char[] chs = generate();
		System.out.println(chs);
		System.out.println("GuessingGame>遊戲開始,請輸入你所猜的5個字母序列:(exit——退出)");
		while (true) {
			String inputStr = scanner.next().trim().toUpperCase();
			if ("EXIT".equals(inputStr)) {
				System.out.println("GuessingGame>謝謝你的嘗試,再見!");
				break;
			}

			char[] input = inputStr.toCharArray();
			result = check(chs, input);
			if (result[0] == chs.length) {// 完全猜對的情況
				int score = 100 * chs.length - count * 10;
				System.out.println("GuessingGame>恭喜你猜對了!你的得分是:" + score);
				break;
			} else {
				count++;
				System.out.println("GuessingGame>你猜對" + result[1] + "個字元,其中"
						+ result[0] + "個字元的位置正確!(總次數=" + count + ",exit——退出)");
			}
		}
		scanner.close();
	}

	/**
	 * 隨機生成需要猜測的字母序列
	 * 
	 * @return 儲存隨機字元的陣列
	 */
	public static char[] generate() {
		
		char[] letters = { 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J',
				'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V',
				'W', 'X', 'Y', 'Z' };
		boolean[] flags = new boolean[letters.length];
		char[] chs = new char[5];
		for (int i = 0; i < chs.length; i++) {
			int index;
			do {
				index = (int) (Math.random() * (letters.length));
			} while (flags[index]);// 判斷生成的字元是否重複
			chs[i] = letters[index];
			flags[index] = true;
		}
		return chs;
	}

	/**
	 * 比較玩家輸入的字母序列和程式所生成的字母序列,逐一比較字元及其位置,並記載比較結果
	 * 
	 * @param chs
	 *            程式生成的字元序列
	 * @param input
	 *            玩家輸入的字元序列
	 * @return 儲存比較的結果。返回值int陣列 的長度為2,其中,索引為0的位置
	 *         用於存放完全猜對的字母個數(字元和位置均正確),索引為1的位置用於存放猜對的字母個數(字元正確,但是位置不正確)。
	 */
	public static int[] check(char[] chs, char[] input) {
		int[] result = new int[2];
		for (int i = 0; i < input.length; i++) {
			for (int j = 0; j < chs.length; j++) {
				if (input[i] == chs[j]) {// 判斷字元是否正確
					result[1]++;
					if (i == j) {// 判斷位置是否正確
						result[0]++;
					}
					break;
				}
			}
		}
		return result;
	}
}