Files
freeCodeCamp/curriculum/challenges/ukrainian/02-javascript-algorithms-and-data-structures/basic-javascript/use-conditional-logic-with-if-statements.md
2023-01-30 18:58:54 +02:00

3.1 KiB
Raw Blame History

id, title, challengeType, videoUrl, forumTopicId, dashedName
id title challengeType videoUrl forumTopicId dashedName
cf1111c1c12feddfaeb3bdef Використання умовної логіки з інструкцією if 1 https://scrimba.com/c/cy87mf3 18348 use-conditional-logic-with-if-statements

--description--

Інструкції if використовують для прийняття рішень у коді. Ключове слово if вказує JavaScript виконати код у фігурних дужках за певних умов, вказаних у круглих дужках. Ці умови ще називаються булевими умовами (Boolean), і вони можуть бути лише true або false.

Якщо умова оцінена як true, програма виконує інструкцію у фігурних дужках. Якщо булева умова оцінена як false, команда у фігурних дужках не виконується.

Псевдокод

if (умова оцінена як true) {
  інструкція виконується
}

Приклад

function test (myCondition) {
  if (myCondition) {
    return "It was true";
  }
  return "It was false";
}

test(true);
test(false);

test(true) повертає рядок It was true, а test(false) повертає рядок It was false.

Коли test викликається зі значенням true, інструкція if оцінює myCondition, щоб побачити чи умова true. Оскільки вона true, функція повертає It was true. Коли ми викликаємо test зі значенням false, то myCondition не оцінюється як true, інструкція у круглих дужках не виконується та функція повертає It was false.

--instructions--

Створіть інструкцію if всередині функції, щоб повернути Yes, that was true, якщо параметр wasThatTrue є true та повернути No, that was false у протилежному випадку.

--hints--

trueOrFalse має бути функцією

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

trueOrFalse(true) має повертати рядок

assert(typeof trueOrFalse(true) === 'string');

trueOrFalse(false) має повертати рядок

assert(typeof trueOrFalse(false) === 'string');

trueOrFalse(true) має повертати рядок Yes, that was true

assert(trueOrFalse(true) === 'Yes, that was true');

trueOrFalse(false) має повертати рядок No, that was false

assert(trueOrFalse(false) === 'No, that was false');

--seed--

--seed-contents--

function trueOrFalse(wasThatTrue) {
  // Only change code below this line



  // Only change code above this line

}

--solutions--

function trueOrFalse(wasThatTrue) {
  if (wasThatTrue) {
    return "Yes, that was true";
  }
  return "No, that was false";
}