Files
2022-02-19 16:26:08 +09:00

3.2 KiB
Raw Permalink Blame History

id, title, challengeType, forumTopicId, dashedName
id title challengeType forumTopicId dashedName
594ecc0d9a8cf816e3340187 Numeri dei taxi 5 302337 taxicab-numbers

--description--

Un [numero taxicab](https://en.wikipedia.org/wiki/HardyRamanujan number "wp: HardyRamanujan number") (la definizione che viene utilizzata qui) è un intero positivo che può essere espresso come la somma di due cubi positivi in più di un modo.

Il primo numero di taxi è 1729, che è:

13 + 123 e

93 + 103.

I numeri dei taxi sono anche conosciuti come:

  • taxi numbers
  • taxi-cab numbers
  • taxi cab numbers
  • Numeri di Hardy-Ramanujan

--instructions--

Scrivi una funzione che restituisce i numeri di taxi più bassi n. Per ciascuno dei numeri taxicab indica il numero e i suoi cubi costituenti.

Vedi anche:

--hints--

taxicabNumbers dovrebbe essere una funzione.

assert(typeof taxicabNumbers === 'function');

taxicabNumbers dovrebbe restituire un array.

assert(typeof taxicabNumbers(2) === 'object');

taxicabNumbers dovrebbe restituire un array di numeri.

assert(typeof taxicabNumbers(100)[0] === 'number');

taxicabNumbers(4) dovrebbe restituire [1729, 4104, 13832, 20683].

assert.deepEqual(taxicabNumbers(4), res4);

taxicabNumbers(25) dovrebbe restituire [1729, 4104, 13832, 20683, 32832, 39312, 40033, 46683, 64232, 65728, 110656, 110808, 134379, 149389, 165464, 171288, 195841, 216027, 216125, 262656, 314496, 320264, 327763, 373464, 402597]

assert.deepEqual(taxicabNumbers(25), res25);

I numeri risultanti di taxicabNumbers(39) da 20 a 29 dovrebbero essere [314496,320264,327763,373464,402597,439101,443889,513000,513856].

assert.deepEqual(taxicabNumbers(39).slice(20, 29), res39From20To29);

--seed--

--after-user-code--

const res4 = [1729, 4104, 13832, 20683];
const res25 = [
  1729, 4104, 13832, 20683, 32832, 39312, 40033, 46683, 64232, 65728, 110656,
  110808, 134379, 149389, 165464, 171288, 195841, 216027, 216125, 262656, 314496, 320264, 327763,
  373464, 402597
];

const res39From20To29 = [314496, 320264, 327763, 373464, 402597, 439101, 443889, 513000, 513856];

--seed-contents--

function taxicabNumbers(n) {

  return true;
}

--solutions--

function taxicabNumbers(nNumbers) {
  const cubeN = [];
  const s3s = {};

  const e = 100;
  for (let n = 1; n < e; n += 1) {
    cubeN[n] = n * n * n;
  }

  for (let a = 1; a < e - 1; a += 1) {
    const a3 = cubeN[a];
    for (let b = a; b < e; b += 1) {
      const b3 = cubeN[b];
      const s3 = a3 + b3;

      let abs = s3s[s3];
      if (!abs) {
        s3s[s3] = abs = [];
      }
      abs.push([a, b]);
    }
  }

  let i = 0;
  const res = [];
  Object.keys(s3s).forEach(s3 => {
    const abs = s3s[s3];
    if (abs.length >= 2) { // No two cube pairs found
      i += 1;
      if (i <= nNumbers) {
        res.push(s3);
      }
    }
  });
  return res.map(item => parseInt(item, 10));
}