Files
freeCodeCamp/curriculum/challenges/german/10-coding-interview-prep/rosetta-code/look-and-say-sequence.md
2023-05-15 07:06:59 -07:00

2.1 KiB

id, title, challengeType, forumTopicId, dashedName
id title challengeType forumTopicId dashedName
5e6dd14797f5ce267c2f19d0 Look-and-say sequence 1 385277 look-and-say-sequence

--description--

The Look and say sequence is a recursively defined sequence of numbers.

Sequence Definition

  • Take a decimal number
  • Look at the number, visually grouping consecutive runs of the same digit.
  • Say the number, from left to right, group by group; as how many of that digit there are - followed by the digit grouped.
This becomes the next number of the sequence.

Ein Beispiel:

  • Starting with the number 1, you have one 1 which produces 11
  • Starting with 11, you have two 1's. z.B.: 21
  • Starting with 21, you have one 2, then one 1. I.E.: (12)(11) which becomes 1211
  • Starting with 1211, you have one 1, one 2, then two 1's. I.E.: (11)(12)(21) which becomes 111221

--instructions--

Write a function that accepts a string as a parameter, processes it, and returns the resultant string.

--hints--

lookAndSay sollte eine Funktion sein.

assert(typeof lookAndSay == 'function');

lookAndSay("1") sollte einen String zurückgeben.

assert(typeof lookAndSay('1') == 'string');

lookAndSay("1") sollte "11" zurückgeben.

assert.equal(lookAndSay('1'), '11');

lookAndSay("11") sollte "21" zurückgeben.

assert.equal(lookAndSay('11'), '21');

lookAndSay("21") sollte "1211" zurückgeben.

assert.equal(lookAndSay('21'), '1211');

lookAndSay("1211") sollte "111221" zurückgeben.

assert.equal(lookAndSay('1211'), '111221');

lookAndSay("3542") sollte "13151412" zurückgeben.

assert.equal(lookAndSay('3542'), '13151412');

--seed--

--seed-contents--

function lookAndSay(str) {

}

--solutions--

function lookAndSay(str) {
    return str.replace(/(.)\1*/g, function(seq, p1) {
      return seq.length.toString() + p1;
    });
}