In the "100 game," two players take turns adding, to a running total, any integer from 1..10. The player who first causes the running total to reach or exceed 100 wins.

What if we change the game so that players cannot re-use integers?

For example, two players might take turns drawing from a common pool of numbers of 1..15 without replacement until they reach a total >= 100.

Given an integer maxChoosableInteger and another integer desiredTotal, determine if the first player to move can force a win, assuming both players play optimally.

You can always assume that maxChoosableInteger will not be larger than 20 and desiredTotal will not be larger than 300.

Idea 1. DFS with memory.

Understanding the question is not easy, starting from small example,

maxChoosableInteger = 2, desiredTotoal = 3, first player lose, depends on who play the last, 2%2 = 0 means the 2nd player pick the last number

maxChoosableInteger = 2, desiredTotal = 4, first player lose no matter what number choose (or say both player will lose, as no one can reach the state to make the sum of choose numbers so far by both player  >= desiredTotal)

maxChoosableInteger = 2, desiredTotal = 2, if first player win if picking 2, otherwise lose

maxChoosableInteger = 3, desiredTotal = 5,

  a. if 1st player choose 1, the state for second state is [2, 3], desiredTotoal = 4; if 2nd player choose 2, 1st player has state [3], desiredTotoal = 2, 1st player win; if 2nd player choose 3, 1st has tate [2], desiredTotal = 1, 1st player win; it mean no matter what 2nd palyer choose, with given state [2, 3], desiredTotal = 4, the 2nd player will lose, actually any player with such state will lose. As long as the 1st player can make a move and cause the state to be such losing state, the 1st player can win, or in any state which can make the next player lose, the current player can win.

b. if 1st player choose 2, the state is [1, 3], desiredTotal = 3; if 2nd player choose 3, the 2nd player win

c. if 1st player coose 3, the state is [1, 2], desiredTotal = 2; if the 2nd player choose 2, the 2nd player win.

Assume maxChoosableInteger = N for easy notation, result lose = false, win = true, considering the corner cases:

1. false if sum(1...N) = (1+N)*N/2 < desiredTotal

2. (N%2 == 1) if sum(1..N) == desiredTotal, depending who takes the last number

The core idea is to store the state and the result to save recomputation. If just bruteforce backtracking, the first player has N choices, the 2nd player has N-1 choices on the next level, there are N*(N-1)*(N-2)...1 = O(N!) nodes on searching tree,  since subproblems could get computed more than once, to avod recomputation on the same subproblem, a common technique is to use cache to store the state and result.  Since there are O(2^N) state, for each number can be picked or not, each subproblem takes O(N) time to loop the allowed number,

Time complexity: O(N2^N)

Space complexity: O(2^N)

How do we define the state of the game? Initially the list of allowed numbers + updated desired total, since the remaining total = desiredTotal - sum(not allowed number), the allowed numbers is enough to infer the remaining toal. How to represent the state?

1. arrays of integers [1...N] or arrays of boolean [true, true...]

2. integer, since N will not be larger than 20, we could use bit mask to represent the state by a number, for N = 2, 3(0b011) means 1 and 2 has been choosen. The advantage is that using integer do not need to reset the state after backtracking, as it's pass by value.

initial idea, arrays of integers + updated desired total for state, also the removing choosing elements from array is not a good idea, which is involved copying new array and inserting the element back to the original state to keep the order.

Note: we need to reset the state even it's winning, because we don't know which player is winning, we might need to continue searching, hence we need to reset the previous state before the current move.

 class Solution {
private boolean canIWinHelper(int desiredTotal, List<Integer> candidates, Map<String, Boolean> gameCache) {
String key = desiredTotal + ":" + candidates;
if(gameCache.containsKey(key)) {
return gameCache.get(key);
}
else {
boolean result = false; List<Integer> copy = new ArrayList<>(candidates);
for(int i= 0; i < copy.size(); ++i) {
int num = candidates.remove(i);
if(num >= desiredTotal || !canIWinHelper(desiredTotal - num, candidates, gameCache)) {
result = true;
candidates.add(i, num);
break;
} candidates.add(i, num);
} gameCache.put(key, result);
return result;
}
} public boolean canIWin(int maxChoosableInteger, int desiredTotal) {
List<Integer> candidates = new ArrayList<>();
int sum = 0;
for(int i = 1; i <= maxChoosableInteger; ++i) {
sum += i;
candidates.add(i);
} if(desiredTotal > sum) {
return false;
} Map<String, Boolean> gameCache = new HashMap<>(); return canIWinHelper(desiredTotal, candidates, gameCache);
}
}

arrays of booleans with corner cases:

 class Solution {
private boolean canIWinHelper(int desiredTotal, boolean[] state, Map<String, Boolean> gameCache) {
String key = Arrays.toString(state);
if(gameCache.containsKey(key)) {
return gameCache.get(key);
} boolean result = false;
for(int i = 1; i <= state.length-1; ++i) {
if(!state[i]) {
state[i] = true;
if(i >= desiredTotal || !canIWinHelper(desiredTotal - i, state, gameCache)) {
result = true;
state[i] = false;
break;
}
state[i] = false;
}
}
gameCache.put(key, result); return result;
} public boolean canIWin(int maxChoosableInteger, int desiredTotal) {
int sum = maxChoosableInteger * (1 + maxChoosableInteger);
if(sum < desiredTotal) {
return false;
}
if(sum == desiredTotal) {
return (maxChoosableInteger%2 == 1);
} boolean[] state = new boolean[maxChoosableInteger + 1]; Map<String, Boolean> gameCache = new HashMap<>(); return canIWinHelper(desiredTotal, state, gameCache);
}
}

integer as state, using bit operation

 class Solution {
private boolean canIWinHelper(int maxChoosableInteger, int desiredTotal, int state, Map<Integer, Boolean> gameCache) { if(gameCache.containsKey(state)) {
return gameCache.get(state);
} boolean result = false;
for(int i = 1; i <= maxChoosableInteger; ++i) {
int allowed = (state >> i) & 1;
if(allowed == 0) {
if(i >= desiredTotal || !canIWinHelper(maxChoosableInteger, desiredTotal - i, state^(1 << i), gameCache)) {
result = true;
break;
}
}
}
gameCache.put(state, result); return result;
} public boolean canIWin(int maxChoosableInteger, int desiredTotal) {
int sum = maxChoosableInteger * (1 + maxChoosableInteger);
if(sum < desiredTotal) {
return false;
}
if(sum == desiredTotal) {
return (maxChoosableInteger%2 == 1);
} Map<Integer, Boolean> gameCache = new HashMap<>();
int state = 0; return canIWinHelper(maxChoosableInteger, desiredTotal, state, gameCache);
}
}

python much conciser code even using integer array

 class Solution:
def canIWinHelper(self, candidates, desiredTotal, gameCache) -> bool:
key = str(candidates) if key in gameCache:
return gameCache[key] for i in range(len(candidates)):
if candidates[i] >= desiredTotal or not self.canIWinHelper(list(candidates[:i]) + list(candidates[i+1:]), desiredTotal - candidates[i], gameCache):
gameCache[key] = True
return True gameCache[key] = False
return False def canIWin(self, maxChoosableInteger: int, desiredTotal: int) -> bool:
sum = maxChoosableInteger * (1 + maxChoosableInteger) / 2
if sum < desiredTotal:
return False if sum == desiredTotal:
return (maxChoosableInteger%2 == 1) return self.canIWinHelper(range(1, maxChoosableInteger+1), desiredTotal, {})
 class Solution:
def canIWinHelper(self, maxChoosableInteger, desiredTotal, state, gameCache) -> bool:
if state in gameCache:
return gameCache[state] for i in range(maxChoosableInteger):
allowed = (state >> i) & 1
if allowed == 0:
num = i + 1
if (num >= desiredTotal) or (not self.canIWinHelper(maxChoosableInteger, desiredTotal - num, state ^ (1 << i), gameCache)):
gameCache[state] = True
return True gameCache[state] = False
return False def canIWin(self, maxChoosableInteger: int, desiredTotal: int) -> bool:
sum = maxChoosableInteger * (1 + maxChoosableInteger) / 2
if sum < desiredTotal:
return False if sum == desiredTotal:
return (maxChoosableInteger%2 == 1) return self.canIWinHelper(maxChoosableInteger, desiredTotal, 0, {})

Example

Input:
maxChoosableInteger = 10
desiredTotal = 11 Output:
false Explanation:
No matter which integer the first player choose, the first player will lose.
The first player can choose an integer from 1 up to 10.
If the first player choose 1, the second player can only choose integers from 2 up to 10.
The second player will win by choosing 10 and get a total = 11, which is >= desiredTotal.
Same with other integers chosen by the first player, the second player will always win.

Can I win LT464的更多相关文章

  1. 【Win 10 应用开发】启动远程设备上的应用

    这个功能必须在“红石-1”(build 14393)以上的系统版中才能使用,运行在一台设备上的应用,可以通过URI来启动另一台设备上的应用.激活远程应用需要以下前提: 系统必须是build 14393 ...

  2. Win.ini和注册表的读取写入

    最近在做打包的工作,应用程序的配置信息可以放在注册表文件中,但是在以前的16位操作系统下,配置信息放在Win.ini文件中.下面介绍一下Win.ini文件的读写方法和注册表的编程. 先介绍下Win.i ...

  3. 苹果台式一体机笔记本安装win双系统攻略教程

    步骤 序:win系统下载 :http://www.itellyou.cn 选择要安装的系统进行下载,本文以win7为例   进入苹果系统,左上角——前往——实用工具——BootCamp 助理 点击继续 ...

  4. Win下最爱效率利器:AutoHotKey

    AutoHotkey是一个windows下的开源.免费.自动化软件工具.它由最初旨在提供键盘快捷键的脚本语言驱动(称为:热键),随着时间的推移演变成一个完整的脚本语言.但你不需要把它想得太深,你只需要 ...

  5. Win下必备利器之Cmder

    诚言,对于开发码字者,Mac和Linux果断要比Windows更贴心;但只要折腾下,Windows下也是有不少利器的.之前就有在Windows下效率必备软件一文中对此做了下记载:其虽没oh-my-zs ...

  6. 【Win 10 应用开发】手写识别

    记得前面(忘了是哪天写的,反正是前些天,请用力点击这里观看)老周讲了一个14393新增的控件,可以很轻松地结合InkCanvas来完成涂鸦.其实,InkCanvas除了涂鸦外,另一个大用途是墨迹识别, ...

  7. 【Win 10 应用开发】InkToolBar——涂鸦如此简单

    从WPF开始,就有个InkCanvas控件,封装了数字墨迹处理相关的功能,Silverlight到Win 8 App,再到UWP应用,都有这个控件,所以,老周说了3688遍,凡是.net基础扎实者,必 ...

  8. 【Win 10 应用开发】导入.pfx证书

    这个功能其实并不常用,一般开发较少涉及到证书,不过,简单了解一下还是有必要的. 先来说说制作测试证书的方法,这里老周讲两种方法,可以生成用于测试的.pfx文件. 产生证书,大家都知道有个makecer ...

  9. 【Win 10应用开发】延迟共享

    延迟共享是啥呢,这么说吧,就是在应用程序打开共享面板选择共享目标时,不会设置要共享的数据,而是等到共享目标请求数据时,才会发送数据,而且,延迟操作可以在后台进行. 这样说似乎过于抽象,最好的诠释方法, ...

随机推荐

  1. google翻译插件安装

    来源:http://www.cnplugins.com/tools/how-to-setup-crx.html 1. 下载: 2.拖拽: 3.下一步安装 4.完成.

  2. jvm参考网页

    --------------------------------------------- https://www.e-learn.cn/content/wangluowenzhang/37475 h ...

  3. jenkin 不必要的Execute shell执行失败,导致jenkins都失败的解决

    问题:jenkins里配置了多个执行shell,且有后续的执行job任务.但其中一个Execute shell执行失败了导致后续的shell都不执行了 而这个失败的shell并不是一定要执行   解决 ...

  4. C# sqlserver ExecuteNonQuery()方法详解

    关于ExecuteNonQuery() 方法以前对这个一直都没在意,基本上都没有用其返回值,查了一下MSDN,如下:SqlCommand.ExecuteNonQuery 方法对连接执行 Transac ...

  5. CSS float清除浮动

    解决高度塌陷的问题 – 清除浮动 CSS中有个讨论较多的话题就是如何清除浮动,清除浮动其实就一个目的,就是解决高度塌陷的问题.为什么会高度塌陷?什么时候会高度塌陷?塌陷原因是:元素含有浮动属性 – 破 ...

  6. nagios维护之添加监控

    查看修改的配置是否有误: /usr/local/nagios/bin/nagios -v /usr/local/nagios/etc/nagios.cfg 一.nagios监控交换机 编辑 /usr/ ...

  7. 贪吃蛇Listener Java实现(二)

    package cn.tcc.snake.listener; import cn.tcc.snake.antition.Sanke;//接口//处理用户按键事件public interface Sna ...

  8. 牛客网Wannafly挑战赛15 B车辆安排(模拟)AND C 出队(规律)

    传送门 :B题:点我 C题: 点我 题目描述 有n个队伍,每个队伍的人数小于等于5,每辆车最多坐5个人,要求一个队伍的人都在一辆车上,求最少的车数 输入描述: 第一行n第二行n个数,表示每个队伍的人数 ...

  9. java 操作zookeeper

    java 操作zookeeper(一) 首先要使用java操作zookeeper,zookeeper的javaclient 使我们更轻松的去对zookeeper进行各种操作,我们引入zookeeper ...

  10. js阻止时间冒泡事件——event.stopPropagation()

    1. 作用:不再派发事件. 2. 语法: html代码: <div class="oreder-cont" ng-click="Orderdetails()&quo ...