你正在和朋友玩一个游戏:桌子上有一堆石头,每一次你们都会从中拿出1到3个石头。拿走最后一个石头的人赢得游戏。游戏开始时,你是先手。
假设两个人都绝对理性,都会做出最优决策。给定石头的数量,判断你是否会赢得比赛。
举例:有四个石头,那么你永远不会赢得游戏。不管拿几个,最后一个石头一定会被你的朋友拿走。
样例
样例 1:
输入:n = 4
输出:False
解析:先手取走1,2或者3,对方都会取走最后一个
样例 2:
输入:n = 5
输出:True
解析:先手拿1个,必胜
思路分析:
每次只能拿1到3个;当为4时,不管你拿几个,你的朋友一定是最后一个拿走的,你是先拿的,并且要保证最后一个石子是你拿的,所以我们对4取余,是4的倍数时候,你无论如何都赢不了,相反则能赢
import java.util.Scanner;
public class Solution {
public static void main(String[] args){
Scanner sc=new Scanner(System.in);
int n=sc.nextInt();
canWinBash(n);
}
/**
* @param n: an integer
* @return: whether you can win the game given the number of stones in the heap
*/
public static boolean canWinBash(int n) {
// Write your code here
if(n%4==0){
return false;
}
return true;
}
}