I am following a tutorial on Dynamic Programming on youtube to understand more about Recursive functions, and I am stuck where a spread operator is used.
Code in JavaScript
JavaScript
x
15
15
1
const howSum = (targetSum, numbers) =>{
2
if(targetSum === 0) return [];
3
if(targetSum < 0) return null;
4
5
for(let num of numbers){
6
const remainder = targetSum - num;
7
const remainderResult = howSum(remainder, numbers);
8
if(remainderResult != null){
9
return [remainderResult, num];
10
}
11
}
12
return null;
13
14
};
15
This is the code in C# where I’m trying to replicate the function
JavaScript
1
27
27
1
class HowSumSlow {
2
3
static dynamic HowSum(int targetSum, int[] numbers)
4
{
5
6
if (targetSum == 0) return numbers;
7
if (targetSum < 0) return null;
8
9
10
foreach( var num in numbers){
11
var remainder = targetSum - num;
12
int[] remainderResult = HowSum(remainder, numbers);
13
14
if (remainderResult != null) {
15
//Code here//
16
}
17
}
18
return null;
19
}
20
21
static void Main(string[] arg) {
22
int[] numbers = new int[] { 2, 3 };
23
Console.WriteLine(HowSum(7, numbers));
24
}
25
26
}
27
EDIT: Should I use a Dictionary and use a key? I don’t understand how to work my way around this one.
JavaScript
1
9
1
static Dictionary<int, int[]> spread = new Dictionary<int, int[]>();
2
3
static dynamic HowSum(int targetSum, int[] numbers){
4
5
if(spread.ContainsKey(remainderResult)){
6
return spread[remainderResult];
7
}
8
}
9
EDIT:
JavaScript
1
28
28
1
class HowSumSlow {
2
3
static int[] HowSum(int targetSum, int[] numbers)
4
{
5
int[] empty = new int[] { };
6
if (targetSum == 0) return empty;
7
if (targetSum < 0) return null;
8
9
10
11
foreach( var num in numbers){
12
var remainder = targetSum - num;
13
int[] remainderResult = HowSum(remainder, numbers);
14
15
if (remainderResult != null){
16
return remainderResult.Append(num).ToArray();
17
}
18
}
19
return null;
20
}
21
static void Main(string[] arg) {
22
int[] numbers = new int[] { 2, 3, 5 };
23
Console.WriteLine(String.Join(",", HowSum(8, numbers)));
24
}
25
26
27
}
28
Advertisement
Answer
There is no spread operator in c#, you could use the Append
method in the System.Linq
namespace. As this returns an IEnumerable<T>
you’ll also need to call ToArray()
afterwards.
This line in JS
JavaScript
1
2
1
return [remainderResult, num];
2
Could be the following in c#
JavaScript
1
2
1
return remainderResult.Append(num).ToArray();
2
Note that your method always returns int[]
or null, so the return type should be int[]
not dynamic
!