freeCodeCamp/curriculum/challenges/italian/02-javascript-algorithms-an.../intermediate-algorithm-scri.../smallest-common-multiple.md

1.8 KiB

id title challengeType forumTopicId dashedName
ae9defd7acaf69703ab432ea Minimo Comune Multiplo 1 16075 smallest-common-multiple

--description--

Trova il minimo comune multiplo (mcm) dei parametri forniti che sia divisibile per entrambi, così come per tutti i numeri sequenziali nell'intervallo tra questi parametri.

L'intervallo sarà un array di due numeri che non saranno necessariamente in ordine crescente.

Per esempio, se dati 1 e 3, trovare il minimo comune multiplo sia di 1 che di 3 che è anche divisibile per tutti i numeri tra 1 e 3. La risposta in questo caso sarà 6.

--hints--

smallestCommons([1, 5]) dovrebbe restituire un numero.

assert.deepEqual(typeof smallestCommons([1, 5]), 'number');

smallestCommons([1, 5]) dovrebbe restituire 60.

assert.deepEqual(smallestCommons([1, 5]), 60);

smallestCommons([5, 1]) dovrebbe restituire 60.

assert.deepEqual(smallestCommons([5, 1]), 60);

smallestCommons([2, 10]) dovrebbe restituire 2520.

assert.deepEqual(smallestCommons([2, 10]), 2520);

smallestCommons([1, 13]) dovrebbe restituire 360360.

assert.deepEqual(smallestCommons([1, 13]), 360360);

smallestCommons([23, 18]) dovrebbe restituire 6056820.

assert.deepEqual(smallestCommons([23, 18]), 6056820);

--seed--

--seed-contents--

function smallestCommons(arr) {
  return arr;
}

smallestCommons([1,5]);

--solutions--

function gcd(a, b) {
    while (b !== 0) {
        a = [b, b = a % b][0];
    }
    return a;
}

function lcm(a, b) {
    return (a * b) / gcd(a, b);
}

function smallestCommons(arr) {
  arr.sort(function(a,b) {return a-b;});
  var rng = [];
  for (var i = arr[0]; i <= arr[1]; i++) {
    rng.push(i);
  }
  return rng.reduce(lcm);
}