--- id: 5a23c84252665b21eecc7e1e title: Dot product challengeType: 5 --- ## Description
Create a function, to compute the dot product, also known as the scalar product of two vectors.
## Instructions
## Tests
``` yml tests: - text: dotProduct should be a function. testString: assert(typeof dotProduct == 'function', 'dotProduct should be a function.'); - text: dotProduct([1, 3, -5], [4, -2, -1]) should return a number. testString: assert(typeof dotProduct([1, 3, -5], [4, -2, -1]) == 'number', 'dotProduct([1, 3, -5], [4, -2, -1]) should return a number.'); - text: dotProduct([1, 3, -5], [4, -2, -1]) should return 3. testString: assert.equal(dotProduct([1, 3, -5], [4, -2, -1]), 3, 'dotProduct([1, 3, -5], [4, -2, -1]) should return 3.'); - text: dotProduct([1, 2, 3, 4, 5], [6, 7, 8, 9, 10]) should return 130. testString: assert.equal(dotProduct([1, 2, 3, 4, 5], [6, 7, 8, 9, 10]), 130, 'dotProduct([1, 2, 3, 4, 5], [6, 7, 8, 9, 10]) should return 130.'); - text: dotProduct([5, 4, 3, 2], [7, 8, 9, 6]) should return 106. testString: assert.equal(dotProduct([5, 4, 3, 2], [7, 8, 9, 6]), 106, 'dotProduct([5, 4, 3, 2], [7, 8, 9, 6]) should return 106.'); - text: dotProduct([-5, 4, -3, 2], [-7, -8, 9, -6]) should return -36. testString: assert.equal(dotProduct([-5, 4, -3, 2], [-7, -8, 9, -6]), -36, 'dotProduct([-5, 4, -3, 2], [-7, -8, 9, -6]) should return -36.'); - text: dotProduct([17, 27, 34, 43, 15], [62, 73, 48, 95, 110]) should return 10392. testString: assert.equal(dotProduct([17, 27, 34, 43, 15], [62, 73, 48, 95, 110]), 10392, 'dotProduct([17, 27, 34, 43, 15], [62, 73, 48, 95, 110]) should return 10392.'); ```
## Challenge Seed
```js function dotProduct (ary1, ary2) { // Good luck! } ```
## Solution
```js function dotProduct (ary1, ary2) { var dotprod = 0; for (var i = 0; i < ary1.length; i++) dotprod += ary1[i] * ary2[i]; return dotprod; } ```