freeCodeCamp/curriculum/challenges/english/10-coding-interview-prep/rosetta-code/dot-product.md

1.9 KiB

id title challengeType forumTopicId
5a23c84252665b21eecc7e1e Dot product 5 302251

Description

Create a function, to compute the dot product, also known as the scalar product of two vectors.

Instructions

Tests

tests:
  - text: <code>dotProduct</code> should be a function.
    testString: assert(typeof dotProduct == 'function');
  - text: <code>dotProduct([1, 3, -5], [4, -2, -1])</code> should return a number.
    testString: assert(typeof dotProduct([1, 3, -5], [4, -2, -1]) == 'number');
  - text: <code>dotProduct([1, 3, -5], [4, -2, -1])</code> should return <code>3</code>.
    testString: assert.equal(dotProduct([1, 3, -5], [4, -2, -1]), 3);
  - text: <code>dotProduct([1, 2, 3, 4, 5], [6, 7, 8, 9, 10])</code> should return <code>130</code>.
    testString: assert.equal(dotProduct([1, 2, 3, 4, 5], [6, 7, 8, 9, 10]), 130);
  - text: <code>dotProduct([5, 4, 3, 2], [7, 8, 9, 6])</code> should return <code>106</code>.
    testString: assert.equal(dotProduct([5, 4, 3, 2], [7, 8, 9, 6]), 106);
  - text: <code>dotProduct([-5, 4, -3, 2], [-7, -8, 9, -6])</code> should return <code>-36</code>.
    testString: assert.equal(dotProduct([-5, 4, -3, 2], [-7, -8, 9, -6]), -36);
  - text: <code>dotProduct([17, 27, 34, 43, 15], [62, 73, 48, 95, 110])</code> should return <code>10392</code>.
    testString: assert.equal(dotProduct([17, 27, 34, 43, 15], [62, 73, 48, 95, 110]), 10392);

Challenge Seed

function dotProduct(ary1, ary2) {

}

Solution

function dotProduct(ary1, ary2) {
  var dotprod = 0;
  for (var i = 0; i < ary1.length; i++) dotprod += ary1[i] * ary2[i];
  return dotprod;
}