2018-09-30 23:01:58 +01:00
---
id: 587d7b7e367417b2b2512b22
title: Use the parseInt Function with a Radix
challengeType: 1
2019-02-14 12:24:02 -05:00
videoUrl: 'https://scrimba.com/c/c6K4Kh3'
2019-08-05 09:17:33 -07:00
forumTopicId: 301182
2018-09-30 23:01:58 +01:00
---
2020-11-27 19:02:05 +01:00
# --description--
The `parseInt()` function parses a string and returns an integer. It takes a second argument for the radix, which specifies the base of the number in the string. The radix can be an integer between 2 and 36.
2018-09-30 23:01:58 +01:00
The function call looks like:
2020-11-27 19:02:05 +01:00
`parseInt(string, radix);`
2018-09-30 23:01:58 +01:00
And here's an example:
2020-11-27 19:02:05 +01:00
`var a = parseInt("11", 2);`
2018-09-30 23:01:58 +01:00
The radix variable says that "11" is in the binary system, or base 2. This example converts the string "11" to an integer 3.
2020-11-27 19:02:05 +01:00
# --instructions--
Use `parseInt()` in the `convertToInteger` function so it converts a binary number to an integer and returns it.
# --hints--
`convertToInteger` should use the `parseInt()` function
```js
assert(/parseInt/g.test(code));
2018-09-30 23:01:58 +01:00
```
2020-11-27 19:02:05 +01:00
`convertToInteger("10011")` should return a number
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
assert(typeof convertToInteger('10011') === 'number');
```
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
`convertToInteger("10011")` should return 19
2018-09-30 23:01:58 +01:00
```js
2020-11-27 19:02:05 +01:00
assert(convertToInteger('10011') === 19);
```
2018-10-08 01:01:53 +01:00
2020-11-27 19:02:05 +01:00
`convertToInteger("111001")` should return 57
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
```js
assert(convertToInteger('111001') === 57);
```
`convertToInteger("JamesBond")` should return NaN
```js
assert.isNaN(convertToInteger('JamesBond'));
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
function convertToInteger(str) {
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
}
2018-09-30 23:01:58 +01:00
2020-11-27 19:02:05 +01:00
convertToInteger("10011");
```
# --solutions--
2018-09-30 23:01:58 +01:00
```js
2018-10-16 05:10:05 +05:30
function convertToInteger(str) {
return parseInt(str, 2);
}
2018-09-30 23:01:58 +01:00
```