Can I win LT464
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的更多相关文章
- 【Win 10 应用开发】启动远程设备上的应用
这个功能必须在“红石-1”(build 14393)以上的系统版中才能使用,运行在一台设备上的应用,可以通过URI来启动另一台设备上的应用.激活远程应用需要以下前提: 系统必须是build 14393 ...
- Win.ini和注册表的读取写入
最近在做打包的工作,应用程序的配置信息可以放在注册表文件中,但是在以前的16位操作系统下,配置信息放在Win.ini文件中.下面介绍一下Win.ini文件的读写方法和注册表的编程. 先介绍下Win.i ...
- 苹果台式一体机笔记本安装win双系统攻略教程
步骤 序:win系统下载 :http://www.itellyou.cn 选择要安装的系统进行下载,本文以win7为例 进入苹果系统,左上角——前往——实用工具——BootCamp 助理 点击继续 ...
- Win下最爱效率利器:AutoHotKey
AutoHotkey是一个windows下的开源.免费.自动化软件工具.它由最初旨在提供键盘快捷键的脚本语言驱动(称为:热键),随着时间的推移演变成一个完整的脚本语言.但你不需要把它想得太深,你只需要 ...
- Win下必备利器之Cmder
诚言,对于开发码字者,Mac和Linux果断要比Windows更贴心;但只要折腾下,Windows下也是有不少利器的.之前就有在Windows下效率必备软件一文中对此做了下记载:其虽没oh-my-zs ...
- 【Win 10 应用开发】手写识别
记得前面(忘了是哪天写的,反正是前些天,请用力点击这里观看)老周讲了一个14393新增的控件,可以很轻松地结合InkCanvas来完成涂鸦.其实,InkCanvas除了涂鸦外,另一个大用途是墨迹识别, ...
- 【Win 10 应用开发】InkToolBar——涂鸦如此简单
从WPF开始,就有个InkCanvas控件,封装了数字墨迹处理相关的功能,Silverlight到Win 8 App,再到UWP应用,都有这个控件,所以,老周说了3688遍,凡是.net基础扎实者,必 ...
- 【Win 10 应用开发】导入.pfx证书
这个功能其实并不常用,一般开发较少涉及到证书,不过,简单了解一下还是有必要的. 先来说说制作测试证书的方法,这里老周讲两种方法,可以生成用于测试的.pfx文件. 产生证书,大家都知道有个makecer ...
- 【Win 10应用开发】延迟共享
延迟共享是啥呢,这么说吧,就是在应用程序打开共享面板选择共享目标时,不会设置要共享的数据,而是等到共享目标请求数据时,才会发送数据,而且,延迟操作可以在后台进行. 这样说似乎过于抽象,最好的诠释方法, ...
随机推荐
- SO减单后MO分配给其他SO的问题修复
逻辑:MO取进FP系统之前,首先判断是否带有SO号+SO行号,如果带有SO号+SO行号,则判断此SO号和SO行号是否存在订单表中,如果不存在则表示此MO对应的订单已减单,此MO需要做过滤,并展现在报表 ...
- js 中的正则表达式RegExp
1.RegExp对象 1.1 RegExp对象实例的创建 正则表达式模式: g:表示全局模式,即模式将被用于整个字符串,而非发现第一个匹配项时立即停止: i:表示不区分大小写,忽略大小 ...
- metasploit framework(十四):弱点扫描
vnc 密码破解 vnc 端口5900 先开启数据库 启动msf vnc无密码访问 RDP远程桌面漏洞 win7 192.168.1.123 xp 192.168.1.122 发现有两个模块, ...
- spring 中 PO与DTO相互转换的工具类
public class BeanMapper { /** * 持有Dozer单例, 避免重复创建DozerMapper消耗资源. */ private static DozerBeanMapper ...
- jQuery插件开发的两种方法及$.fn.extend的详解(转)
jQuery插件开发的两种方法及$.fn.extend的详解 jQuery插件开发分为两种:1 类级别.2 对象级别,下面为大家详细介绍下 jQuery插件开发分为两种: 1 类级别 类级别你可以 ...
- java面试题:Linux
Q:Linux怎么查端口?端口被占用怎么办? netstat -ntulp | grep 2181//查看2181端口号 netstat -pan | grep 2181 //查看2181端口号 如下 ...
- as3.0去除空格
var str:String="是 我们 呀CuPlay er.com网站" function trim(string:String):String { return string ...
- layui复选框
效果图 layui复选框,一个主的复选框控制多个从复选框,主复选框和从复选框的颜色不一样 layui复选框的样式,都是在选然后才会有的,所以直接通过css设置就实现不了了.只可以通过js动态设置 ht ...
- 计算Python运行时间
可以调用datetime 或者 time库实现得到Python运行时间 方法1 import datetime start_t = datetime.datetime.now() #运行大型代码 e ...
- 【Linux 线程】线程同步《三》
1.条件变量 条件变量是利用线程间共享的全局变量进行同步的一种机制,主要包括两个动作:一个线程等待"条件变量的条件成立"而挂起:另一个线程使"条件成立"(给出条 ...