Files
freeCodeCamp/curriculum/challenges/russian/08-coding-interview-prep/rosetta-code/department-numbers.russian.md

3.5 KiB

title, id, challengeType, forumTopicId, localeTitle
title id challengeType forumTopicId localeTitle
Department Numbers 59f40b17e79dbf1ab720ed7a 5 302249 Номера отделений

Description

Существует высоко организованный город, который решил присвоить номер каждому из своих отделов:

Отдел полиции Отдел санитарии Отдел пожарной охраны

Каждый отдел может иметь число от 1 до 7 (включительно).

Три номера отделов должны быть уникальными (отличными друг от друга) и должны содержать до 12.

Начальник полиции не любит странные цифры и хочет иметь четное число для своего отдела.

Задача:

Напишите программу, которая выводит все допустимые комбинации:

[2, 3, 7]

[2, 4, 6]

[2, 6, 4]

[2, 7, 3]

[4, 1, 7]

[4, 2, 6]

[4, 3, 5]

[4, 5, 3]

[4, 6, 2]

[4, 7, 1]

[6, 1, 5]

[6, 2, 4]

[6, 4, 2]

[6, 5, 1]

Instructions

Write a program which outputs all valid combinations as an array.
[2, 3, 7] [2, 4, 6] [2, 6, 4]
[2, 7, 3] [4, 1, 7] [4, 2, 6]
[4, 3, 5] [4, 5, 3] [4, 6, 2]
[4, 7, 1] [6, 1, 5] [6, 2, 4]
[6, 4, 2] [6, 5, 1]

Tests

tests:
  - text: <code>combinations</code> should be a function.
    testString: assert(typeof combinations === 'function');
  - text: <code>combinations([1, 2, 3], 6)</code> should return an Array.
    testString: assert(Array.isArray(combinations([1, 2, 3], 6)));
  - text: <code>combinations([1, 2, 3, 4, 5, 6, 7], 12)</code> should return an array of length 14.
    testString: assert(combinations(nums, total).length === len);
  - text: <code>combinations([1, 2, 3, 4, 5, 6, 7], 12)</code> should return all valid combinations.
    testString: assert.deepEqual(combinations(nums, total), result);

Challenge Seed

function combinations(possibleNumbers, total) {
  // Good luck!
  return true;
}

After Tests

const nums = [1, 2, 3, 4, 5, 6, 7];
const total = 12;
const len = 14;
const result = [
  [2, 3, 7],
  [2, 4, 6],
  [2, 6, 4],
  [2, 7, 3],
  [4, 1, 7],
  [4, 2, 6],
  [4, 3, 5],
  [4, 5, 3],
  [4, 6, 2],
  [4, 7, 1],
  [6, 1, 5],
  [6, 2, 4],
  [6, 4, 2],
  [6, 5, 1]
];

Solution

function combinations(possibleNumbers, total) {
  let firstNumber;
  let secondNumber;
  let thridNumber;
  const allCombinations = [];

  for (let i = 0; i < possibleNumbers.length; i += 1) {
    firstNumber = possibleNumbers[i];

    if (firstNumber % 2 === 0) {
      for (let j = 0; j < possibleNumbers.length; j += 1) {
        secondNumber = possibleNumbers[j];

        if (j !== i && firstNumber + secondNumber <= total) {
          thridNumber = total - firstNumber - secondNumber;

          if (thridNumber !== firstNumber && thridNumber !== secondNumber && possibleNumbers.includes(thridNumber)) {
            allCombinations.push([firstNumber, secondNumber, thridNumber]);
          }
        }
      }
    }
  }
  return allCombinations;
}