2018-10-04 14:37:37 +01:00
|
|
|
---
|
|
|
|
id: 598de241872ef8353c58a7a2
|
2020-11-27 19:02:05 +01:00
|
|
|
title: Evaluate binomial coefficients
|
2018-10-04 14:37:37 +01:00
|
|
|
challengeType: 5
|
2019-08-05 09:17:33 -07:00
|
|
|
forumTopicId: 302259
|
2021-01-13 03:31:00 +01:00
|
|
|
dashedName: evaluate-binomial-coefficients
|
2018-10-04 14:37:37 +01:00
|
|
|
---
|
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
# --description--
|
|
|
|
|
2019-03-02 17:42:56 +09:00
|
|
|
Write a function to calculate the binomial coefficient for the given value of n and k.
|
2020-11-27 19:02:05 +01:00
|
|
|
|
2019-03-02 17:42:56 +09:00
|
|
|
This formula is recommended:
|
2018-10-04 14:37:37 +01:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
$\\binom{n}{k} = \\frac{n!}{(n-k)!k!} = \\frac{n(n-1)(n-2)\\ldots(n-k+1)}{k(k-1)(k-2)\\ldots 1}$
|
|
|
|
|
|
|
|
# --hints--
|
|
|
|
|
|
|
|
`binom` should be a function.
|
|
|
|
|
|
|
|
```js
|
|
|
|
assert(typeof binom === 'function');
|
2018-10-04 14:37:37 +01:00
|
|
|
```
|
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
`binom(5,3)` should return 10.
|
2018-10-04 14:37:37 +01:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
```js
|
|
|
|
assert.equal(binom(5, 3), 10);
|
|
|
|
```
|
2018-10-04 14:37:37 +01:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
`binom(7,2)` should return 21.
|
2018-10-04 14:37:37 +01:00
|
|
|
|
|
|
|
```js
|
2020-11-27 19:02:05 +01:00
|
|
|
assert.equal(binom(7, 2), 21);
|
|
|
|
```
|
2020-09-15 09:57:40 -07:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
`binom(10,4)` should return 210.
|
|
|
|
|
|
|
|
```js
|
|
|
|
assert.equal(binom(10, 4), 210);
|
2018-10-04 14:37:37 +01:00
|
|
|
```
|
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
`binom(6,1)` should return 6.
|
|
|
|
|
|
|
|
```js
|
|
|
|
assert.equal(binom(6, 1), 6);
|
|
|
|
```
|
|
|
|
|
|
|
|
`binom(12,8)` should return 495.
|
|
|
|
|
|
|
|
```js
|
|
|
|
assert.equal(binom(12, 8), 495);
|
|
|
|
```
|
2018-10-04 14:37:37 +01:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
# --seed--
|
2018-10-04 14:37:37 +01:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
## --seed-contents--
|
2018-10-04 14:37:37 +01:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
```js
|
|
|
|
function binom(n, k) {
|
2018-10-04 14:37:37 +01:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
}
|
|
|
|
```
|
2018-10-04 14:37:37 +01:00
|
|
|
|
2020-11-27 19:02:05 +01:00
|
|
|
# --solutions--
|
2018-10-04 14:37:37 +01:00
|
|
|
|
|
|
|
```js
|
|
|
|
function binom(n, k) {
|
|
|
|
let coeff = 1;
|
|
|
|
for (let i = n - k + 1; i <= n; i++) coeff *= i;
|
|
|
|
for (let i = 1; i <= k; i++) coeff /= i;
|
|
|
|
return coeff;
|
|
|
|
}
|
|
|
|
```
|