--- title: Comma quibbling id: 596e414344c3b2872167f0fe challengeType: 5 forumTopicId: 302234 localeTitle: Запястья --- ## Description

Comma quibbling - это задача, первоначально заданная Эриком Липпертом в его блоге .

Задача:

Напишите функцию для генерации вывода строки, которая представляет собой конкатенацию входных слов из списка / последовательности, где:

Ввод без слов выводит строку вывода только двух символов скобок «{}». Ввод только одного слова, например ["ABC"], выводит строку вывода слова внутри двух фигурных скобок, например, "{ABC}". Ввод двух слов, например ["ABC", "DEF"], выдает строку вывода двух слов внутри двух фигурных скобок словами, разделенными строкой "и", например "{ABC и DEF}". Ввод трех или более слов, например ["ABC", "DEF", "G", "H"], выводит строку вывода всего, кроме последнего слова, разделенного символом "," с последним словом, разделенным символом "и" «и все в фигурных скобках; например, «{ABC, DEF, G и H}».

Протестируйте свою функцию со следующей серией входов, показывающей ваш вывод здесь, на этой странице:

[] # (Нет входных слов). ["ABC"] ["ABC", "DEF"] ["ABC", "DEF", "G", "H"]

Примечание. Предположим, что для этой задачи слова являются непустыми строками символов верхнего регистра.

## Instructions
Write a function to generate a string output which is the concatenation of input words from a list/sequence where:
  1. An input of no words produces the output string of just the two brace characters ("{}")
  2. An input of just one word, e.g. ["ABC"], produces the output string of the word inside the two braces, e.g. "{ABC}"
  3. An input of two words, e.g. ["ABC", "DEF"], produces the output string of the two words inside the two braces with the words separated by the string " and ", e.g. "{ABC and DEF}"
  4. An input of three or more words, e.g. ["ABC", "DEF", "G", "H"], produces the output string of all but the last word separated by ", " with the last word separated by " and " and all within braces; e.g. "{ABC, DEF, G and H}"
Test your function with the following series of inputs showing your output here on this page: Note: Assume words are non-empty strings of uppercase characters for this task.
## Tests
```yml tests: - text: quibble is a function. testString: assert(typeof quibble === 'function'); - text: quibble(["ABC"]) should return a string. testString: assert(typeof quibble(["ABC"]) === 'string'); - text: quibble([]) should return "{}". testString: assert.equal(quibble(testCases[0]), results[0]); - text: quibble(["ABC"]) should return "{ABC}". testString: assert.equal(quibble(testCases[1]), results[1]); - text: quibble(["ABC", "DEF"]) should return "{ABC and DEF}". testString: assert.equal(quibble(testCases[2]), results[2]); - text: quibble(["ABC", "DEF", "G", "H"]) should return "{ABC,DEF,G and H}". testString: assert.equal(quibble(testCases[3]), results[3]); ```
## Challenge Seed
```js function quibble(words) { // Good luck! return true; } ```
### After Tests
```js const testCases = [[], ["ABC"], ["ABC", "DEF"], ["ABC", "DEF", "G", "H"]]; const results = ["{}", "{ABC}", "{ABC and DEF}", "{ABC,DEF,G and H}"]; ```
## Solution
```js function quibble(words) { return "{" + words.slice(0, words.length - 1).join(",") + (words.length > 1 ? " and " : "") + (words[words.length - 1] || '') + "}"; } ```