216. 组合总和 III

216. 组合总和 III
找出所有相加之和为 n 的 k 个数的组合。组合中只允许含有 1 - 9 的正整数,并且每种组合中不存在重复的数字。
说明:
示例 1:
示例 2:
代码如下:
class Solution {
protected $ans = [];
/**
* @param Integer $k
* @param Integer $n
* @return Integer[][]
*/
function combinationSum3($k, $n){
$this->backtrack($k, $n, 1, []);
return $this->ans;
}
function backtrack($k, $target, $start, $path){
if ($target == 0 && count($path) == $k) {
$this->ans[] = $path;
return;
}
for ($i = $start; $i <= 9; ++$i) {
if ($i > $target) continue;
if (count($path) >= $k) continue;
$path[] = $i;
$this->backtrack($k, $target - $i, $i + 1, $path);
array_pop($path);
}
}
}