I have this code that returns cartesian product of three arrays:
JavaScript
x
5
1
function getcartesianProduct(symbols: Array<string>) {
2
const cartesian = <T,>(sets: T[][]) => sets.reduce<T[][]>((accSets, set) => accSets.flatMap(accSet => set.map(value => [accSet, value])), [[]]);
3
return cartesian(symbols, symbols, symbols).map((items: Array<string>) => items.join(""));
4
}
5
For example, like this:
JavaScript
1
4
1
>> const numbers: Array<string> = "0123456789".split("");
2
>> getcartesianProduct(numbers).slice(0, 5)
3
["000", "001", "002", "003", "004"]
4
However, I don’t always want my number series to be made out of three numbers. Sometimes, I want four, five, or any other number. That is why I would like to have an argument that would populate the arguments inside cartesian()
function call, accordingly.
I would imagine something like this:
JavaScript
1
5
1
function getcartesianProduct(symbols: Array<string>, n: number) {
2
const cartesian = <T,>(sets: T[][]) => sets.reduce<T[][]>((accSets, set) => accSets.flatMap(accSet => set.map(value => [accSet, value])), [[]]);
3
return cartesian(symbols * 3).map((items: Array<string>) => items.join(""));
4
}
5
How can I do that, please? Every help is appreciated.
Advertisement
Answer
I think something like this should work:
JavaScript
1
8
1
function getcartesianProduct(symbols: string[], nrOfArrays: number) {
2
const cartesian = <T,>(sets: T[][]) => sets.reduce<T[][]>((accSets, set) => accSets.flatMap(accSet => set.map(value => [accSet, value])), [[]]);
3
return cartesian<string>(new Array(nrOfArrays).fill(symbols)).map((items: string[]) => items.join("")).slice(0, nrOfArrays);
4
}
5
6
const numbers = "0123456789".split("");
7
console.log(getcartesianProduct(numbers, 5))
8