Encontre o número ausente em uma sequência não limitada

19

O desafio é identificar o número ausente em uma sequência de números inteiros não limitados.

Você recebe uma sequência de dígitos (a entrada válida corresponderá à expressão regular ^[1-9][0-9]+$). A sequência representa uma sequência de números inteiros. Por exemplo 1234567891011,. Todos os números na sequência estão no intervalo de 1e 2147483647inclusive.

A sequência é uma série de números em que cada número é um maior que seu antecessor. No entanto, essa sequência pode conter um e apenas um número ausente da sequência. É possível que uma determinada sequência também não contenha números ausentes da sequência. A string sempre conterá pelo menos dois números da sequência.

O código deve gerar ou retornar o valor ausente, ou 0(este é um valor 0- não um valor falso), caso os valores ausentes não tenham sido encontrados.

A seguir, são entradas válidas e sua saída / retorno:

input                         output    actual sequence (for refrence)
123467                        5         1 2 3 4 _ 6 7
911                           10        9 __ 11
123125126                     124       123 ___ 125 126
8632456863245786324598632460  8632458   8632456 8632457 _______ 8632459 8632460  
123                           0         1 2 3
8632456863245786324588632459  0         8632456 8632457 8632458 8632459  

Embora tudo isso seja descrito como uma 'string' como entrada, se o idioma for capaz de manipular números arbitrariamente grandes ( dce mathematica, estou olhando para vocês dois), a entrada pode ser um número arbitrariamente grande em vez de uma string, se isso permitir o código mais fácil.

Para referência, isso foi inspirado na pergunta Programmers.SE: Encontre o número ausente na sequência na sequência

Comunidade
fonte
4
Tem certeza de que isso é inequívoco?
Martin Ender
@ MartinBüttner Eu pensei um pouco sobre isso e não consegui chegar a uma situação em que uma sequência com aumento de 1 (que pode ser o problema) tenha uma situação ambígua.
Existe uma entrada no OEIS para a lista de números inteiros que são uma sequência concatenada sem exatamente um elemento?
mbomb007
@ mbomb007 Acho que não, pois existem infinitas listas diferentes. E que esta é apenas uma grande cadeia de caracteres. Não tenho certeza de como você o definiria. Nesse caso, uma questão interessante de CS seria "qual é a linguagem que aceita todas essas strings". Certamente não é regular. Duvido que seja CF.
11
Eu fiz a seqüência alvo de um desafio: codegolf.stackexchange.com/q/73513/34718
mbomb007

Respostas:

5

Haskell, 115 112 bytes

g b|a<-[b!!0..last b]=last$0:[c|c<-a,b==filter(/=c)a]
maximum.map(g.map read.words.concat).mapM(\c->[[c],c:" "])

A primeira linha é uma definição de função auxiliar, a segunda é a principal função anônima. Verifique os casos de teste (tive que executar testes mais curtos devido a restrições de tempo).

Explicação

Esta é uma solução de força bruta: divida a string em palavras de todas as maneiras possíveis, analise as palavras em números inteiros, verifique se é um intervalo com um elemento ausente (retornando esse elemento e 0outros) e tire o máximo de todas as splitters. A verificação de intervalo com elemento ausente é feita na função auxiliar g, que pega uma lista be retorna o único elemento no intervalo [head of b..last of b]que não está bou 0se não existe.

g b|                         -- Define g b
    a<-[b!!0..last b]=       -- (with a as the range [head of b..last of b]) as:
    last$0:[...]             --  the last element of this list, or 0 if it's empty:
            c|c<-a,          --   those elements c of a for which
            b==filter(/=c)a  --   removing c from a results in b.
mapM(\c->[[c],c:" "])        -- Main function: Replace each char c in input with "c" or "c "
map(...)                     -- For each resulting list of strings:
  g.map read.words.concat    --  concatenate, split at spaces, parse to list of ints, apply g
maximum                      -- Maximum of results (the missing element, if exists)
Zgarb
fonte
2

JavaScript (ES6), 117 bytes

s=>eval(`for(i=l=0;s[i];)for(n=s.slice(x=i=m=0,++l);s[i]&&!x|!m;x=s.slice(x?i:i+=(n+"").length).search(++n))m=x?n:m`)

Explicação

Abordagem bastante eficiente. Termina instantaneamente para todos os casos de teste.

Obtém cada substring do início da string de entrada como um número ne inicializa o número ausente mpara 0. Em seguida, ele remove repetidamente ndo início da sequência, incrementa ne pesquisa a sequência. Se index of n != 0, verifica m. Se m == 0, defina m = ne continue, se não houver, há vários números ausentes, portanto pare de verificar a partir dessa substring. Esse processo continua até que toda a cadeia tenha sido removida.

var solution =

s=>
  eval(`                     // use eval to use for loops without writing {} or return
    for(
      i=                     // i = index of next substring the check
      l=0;                   // l = length of initial substring n
      s[i];                  // if it completed successfully i would equal s.length
    )
      for(
        n=s.slice(           // n = current number to search for, initialise to subtring l
          x=                 // x = index of n relative to the end of the previous n
          i=                 // set i to the beginning of the string
          m=0,               // m = missing number, initialise to 0
          ++l                // increment initial substring length
        );
        s[i]&&               // stop if we have successfully reached the end of the string
        !x|!m;               // stop if there are multiple missing numbers
        x=                   // get index of ++n
          s.slice(           // search a substring that starts from the end of the previous
                             //     number so that we avoid matching numbers before here
            x?i:             // if the previous n was missing, don't increment i
            i+=(n+"").length // move i to the end of the previous number
          )
          .search(++n)       // increment n and search the substring for it's index
      )
        m=x?n:m              // if the previous number was missing, set m to it
  `)                         // implicit: return m
<input type="text" id="input" value="8632456863245786324598632460" />
<button onclick="result.textContent=solution(input.value)">Go</button>
<pre id="result"></pre>

user81655
fonte
2

JavaScript (ES6) 114

s=>eval("for(d=0,n=-9,z=s;z=z.slice((n+'').length);z.search(++n)?z.search(++n)?n=(z=s).slice(x=0,++d):x=n-1:0);x")  

Menos jogado e explicado

f=s=>{
  d = 0  // initial digit number, will be increased to 1 at first loop 
  n = -9 // initial value, can not be found
  z = s  // initializa z to the whole input string
  // at each iteration, remove the first chars of z that are 'n' 
  // 'd' instead of 'length' would be shorter, but the length can change passing from 9 to 10 
  for(; z=z.slice((n+'').length); ) 
  {
    ++n; // n is the next number expected in sequence
    if (z.search(n) != 0)
    {
      // number not found at position 0
      // this could be the hole
      // try to find the next number
      ++n;
      if (z.search(n) != 0)
      {
        // nope, this is not the correct sequence, start again
        z = s; // start to look at the whole string again
        x = 0; // maybe I had a candidate result in xm but now must forget it
        ++d;   // try a sequence starting with a number with 1 more digit
        n = z.slice(0,d) // first number of sequence
      }
      else
      {
        // I found a hole, store a result in x but check the rest of the string
        x = n-1
      }
    }
  }      
  return x // if no hole found x is 0
}

Teste

F=s=>eval("for(d=0,n=-9,z=s;z=z.slice((n+'').length);z.search(++n)?z.search(++n)?n=(z=s).slice(x=0,++d):x=n-1:0);x")

console.log=x=>O.textContent+=x+'\n'

elab=x=>console.log(x+' -> '+F(x))

function test(){ elab(I.value) }

;['123467','911','123125126','8632456863245786324598632460',
  '123','124125127','8632456863245786324588632459']
.forEach(t=>elab(t))
<input id=I><button  onclick='test()'>Try your sequence</button>
<pre id=O></pre>

edc65
fonte
2

C, 183 168 166 163 bytes

n,l,c,d,b[9];main(s,v,p)char**v,*p;{for(;s>1;)for(d=s=0,n=atoi(strncpy(b,p=v[1],++l)),p+=l;*p&&s<2;)p+=memcmp(p,b,c=sprintf(b,"%d",++n))?d=n,s++:c;printf("%d",d);}

Ungolfed

n,l,c,d,b[9];

main(s,v,p)char**v,*p;
{
    /* Start at length 1, counting upwards, while we haven't
       found a proper number of missing numbers (0 or 1) */
    for(;s>1;)
        /* Start at the beginning of the string, convert the
           first l chars to an integer... */
        for(d=s=0,n=atoi(strncpy(b,p=v[1],++l)),p+=l;*p&&s<2;)
            /* If the next number is missing, then skip, otherwise
               move forward in the string.... */
            p+=memcmp(p,b,c=sprintf(b,"%d",++n))?d=n,s++:c;

    printf("%d",d); /* print the missing number */
}
Cole Cameron
fonte
2
Como isso funciona para entradas como 891112onde os números têm comprimentos diferentes?
Zgarb
@ Zgarb Funciona muito bem. A sprintfchamada retorna o tamanho do número ausente, independentemente de ser mais longo que o anterior ou não.
Cole Cameron
Ok, obrigada! Tenha um +1.
Zgarb