I’m using this function to select one item in drop down menu:
JavaScript
x
6
1
async selectNode(nodeType, nodeName) {
2
await page.click(this.selectors.reset);
3
await this.toggleNode(nodeType, nodeName, true);
4
await this.select();
5
}
6
Now I want to select multi item before “await this.select();
” this step.
I tried to edit function like this:
JavaScript
1
7
1
async selectMultiNodes([nodeType, nodeName],) {
2
await page.click(this.selectors.reset);
3
for (var i = 0; i < nodeType.length; i++) {
4
await this.toggleNode(nodeType, nodeName, true);
5
}
6
await this.select();}
7
but when I call this function to select multi item
JavaScript
1
2
1
await topologyBrowser.selectMultiNodes(['SGSN-MME', 'mme088'],['EPG', 'epg84-real'],['SAPC', 'sapc17']);
2
it has error
Expected 0-1 arguments, but got 3
How do I fix this?
Advertisement
Answer
You can make a method take an arbitrary number of arguments using the spread syntax ...
JavaScript
1
5
1
function tryMe(args){
2
console.log(args);
3
}
4
5
tryMe(1,2,3);
So you could make your method take an arbitrary number of arrays and deconstruct them in a loop
JavaScript
1
7
1
async function selectMultiNodes(nodes) {
2
for(let i=0;i<nodes.length;i++){
3
const [nodeType,nodeName] = nodes[i];
4
console.log(nodeType,nodeName);
5
}
6
}
7
selectMultiNodes(['SGSN-MME', 'mme088'],['EPG', 'epg84-real'],['SAPC', 'sapc17']);
So your final code would be
JavaScript
1
9
1
async selectMultiNodes(nodes) {
2
await page.click(this.selectors.reset);
3
for (var i = 0; i < nodes.length; i++) {
4
const [nodeType,nodeName] = nodes[i];
5
await this.toggleNode(nodeType, nodeName, true);
6
}
7
await this.select();
8
}
9