Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Pass only the second argument in javascript

Tags:

I'm trying to make a function in which I pass only the second argument of my function.

I would like it to work this way:

function test (a,b) {      // ... }; // pass only the second parameter  test( ... , b); 

My current idea is to pass the second argument as a de facto dynamic default parameter as following:

var defaultVar = "something";      function test (a, b=defaultVar) {     // ... } 

...then change the defaultVar value according to my needs.

var defaultVar = modification;  

In fact, I'm using the Google drive API, and I'm trying to make it such that I can enter a string value for the second parameter to make a callback. This callback would take the role of verifying whether the return file is effectively the file searched (by making a boolean verification on name value).

Hence, the idea to me is to automate the process of getting a file on Google drive by passing his name and retrieving the file data in this way.

I hope this precision will be useful.

Here is my quickstart.js :

// (...Google authentication and all) ;   var filename = ""; // enter a filename in the function by the way of filename function listFiles (auth, filename =  filename) {   const drive = google.drive({version: 'v3', auth});   drive.files.list({     pageSize: 50,     fields: 'nextPageToken, files(id, name)',   }, (err, {data}) => {     if (err) return console.log('The API returned an error: ' + err);     const files = data.files;     if (files.length) {       console.log('Files:');       files.map((file) => {         console.log(`${file.name} (${file.id})`);          // check if the file returns match the filename wished          displayFile(file);         if(`${file.name}` == filename ){           console.log("name found !");           const fileData = {             name : `${file.name}`,             id : `${file.id}`           };           return fileData;         }       });     } else {       console.log('No files found.');     }   }); }  listFiles(undefined, "test.md") 

Any improving ideas are welcome.

like image 282
Webwoman Avatar asked May 28 '18 15:05

Webwoman


People also ask

What is $() in JavaScript?

$() The $() function is shorthand for the getElementByID method, which, as noted above, returns the ID of a specific element of an HTML DOM. It's frequently used for manipulating elements in a document. $() allows for shorter and more efficient JavaScript coding.

How are arguments passed in JavaScript?

Arguments are Passed by Value The parameters, in a function call, are the function's arguments. JavaScript arguments are passed by value: The function only gets to know the values, not the argument's locations. If a function changes an argument's value, it does not change the parameter's original value.

Which function accepts two arguments in JavaScript?

Let's start by creating a function called add that can accept 2 arguments and that returns their sum. We can use Node. js to run the code node add_2_numbers.

How many arguments can be passed to a function in JavaScript?

According to MDN's JavaScript Function section, the maximum amount of parameters a function can accept is 255. param The name of an argument to be passed to the function. A function can have up to 255 arguments.


2 Answers

With default parameter values added in ES2015, you can declare default values for the parameters, and when making the call, if you pass undefined as the first parameter, it will get the default:

function test(a = "ay", b = "bee") {    console.log(`a = ${a}, b = ${b}`);  }  test();             // "a = ay, b = bee"  test(1);            // "a = 1, b = bee"  test(undefined, 2); // "a = ay, b = 2"  test(1, 2);         // "a = 1, b = 2"

You can do something similar yourself manually in a pre-ES2015 environment by testing for undefined:

function test(a, b) {    if (a === undefined) {      a = "ay";    }    if (b === undefined) {      b = "bee";    }    console.log("a = " + a + ", b = " + b);  }  test();             // "a = ay, b = bee"  test(1);            // "a = 1, b = bee"  test(undefined, 2); // "a = ay, b = 2"  test(1, 2);         // "a = 1, b = 2"
like image 58
T.J. Crowder Avatar answered Oct 05 '22 22:10

T.J. Crowder


If you are OK with a change to the number of arguments that your function takes, you could pass the arguments via object properties. Then you can let the caller decide which property (or properties) to specify during the call.

The other properties can take default values through object destructuring in the function's parameter specification:

function test({a = 1, b = 2}) {      console.log(`a = ${a}, b = ${b}`);  };    test({b:42}); // only specify what b is
like image 37
trincot Avatar answered Oct 06 '22 00:10

trincot