2018-09-30 23:01:58 +01:00
---
id: 587d7b88367417b2b2512b46
title: Set Default Parameters for Your Functions
challengeType: 1
2019-08-05 09:17:33 -07:00
forumTopicId: 301209
2018-09-30 23:01:58 +01:00
---
2020-11-27 19:02:05 +01:00
# --description--
2018-09-30 23:01:58 +01:00
In order to help us create more flexible functions, ES6 introduces < dfn > default parameters< / dfn > for functions.
2020-11-27 19:02:05 +01:00
2018-09-30 23:01:58 +01:00
Check out this code:
2019-05-17 06:20:30 -07:00
```js
2019-11-23 23:37:11 -08:00
const greeting = (name = "Anonymous") => "Hello " + name;
2019-05-17 06:20:30 -07:00
console.log(greeting("John")); // Hello John
console.log(greeting()); // Hello Anonymous
```
2020-11-27 19:02:05 +01:00
The default parameter kicks in when the argument is not specified (it is undefined). As you can see in the example above, the parameter `name` will receive its default value `"Anonymous"` when you do not provide a value for the parameter. You can add default values for as many parameters as you want.
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
# --instructions--
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
Modify the function `increment` by adding default parameters so that it will add 1 to `number` if `value` is not specified.
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
# --hints--
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
The result of `increment(5, 2)` should be `7` .
```js
assert(increment(5, 2) === 7);
2018-09-30 23:01:58 +01:00
```
2020-11-27 19:02:05 +01:00
The result of `increment(5)` should be `6` .
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
assert(increment(5) === 6);
```
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
A default parameter value of `1` should be used for `value` .
2018-09-30 23:01:58 +01:00
```js
2020-11-27 19:02:05 +01:00
assert(code.match(/value\s*=\s*1/g));
2018-09-30 23:01:58 +01:00
```
2020-11-27 19:02:05 +01:00
# --seed--
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
## --seed-contents--
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
// Only change code below this line
const increment = (number, value) => number + value;
// Only change code above this line
```
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
# --solutions--
2018-09-30 23:01:58 +01:00
```js
2019-03-25 19:49:34 +05:30
const increment = (number, value = 1) => number + value;
2018-09-30 23:01:58 +01:00
```