Conway Sequence


The aim of this puzzle, is to print a term of the Conway sequence or Look and Say sequence. It is just a matter of string manipulation.

C

  1. #include <stdlib.h>
  2. #include <stdio.h>
  3. #include <string.h>
  4.  
  5. int main(int argc, char **argv)
  6. {
  7. int R, L;
  8. scanf("%d\n%d\n", &R, &L);
  9.  
  10. char line[10000];
  11. char newline[10000];
  12. sprintf(newline, "%d", R);
  13. for (int i = 1; i < L; i++) {
  14. /* copies the last known term of the sequence in 'line'
  15. the next term will be stored into 'newline'*/
  16. strncpy(line, newline, 10000);
  17. char *token;
  18. char *iter = newline;
  19. int val = -1;
  20. int count = 0;
  21. /* Parses the last known term
  22. updating the number of consecutive identical digits
  23. and printing when the digit changes*/
  24. token = strtok(line," ");
  25. while (token != NULL) {
  26. int current = atoi(token);
  27. if (current == val)
  28. count++;
  29. else {
  30. if (count != 0)
  31. iter += sprintf(iter, "%d %d ", count, val);
  32. val = current;
  33. count = 1;
  34. }
  35. token = strtok(NULL," ");
  36. }
  37. sprintf(iter, "%d %d\n", count, val);
  38. }
  39.  
  40. printf(newline);
  41. return EXIT_SUCCESS;
  42. }