Encontre a Soma dos Primeiros N Números Saltitantes

19

Terminologia

Um número crescente é aquele em que cada dígito é maior ou igual a todos os dígitos à esquerda dele (ex. 12239)

Um número decrescente é aquele em que cada dígito é menor ou igual a todos os dígitos à esquerda dele (ex. 95531)

Um número insuficiente é qualquer número que não esteja aumentando ou diminuindo. Como isso requer pelo menos três dígitos, o primeiro número insuficiente é 101

A tarefa

Dado um número inteiro n maior ou igual a 1, encontre a soma dos primeiros n números saltitantes

Regras

  • Isso é código de golfe, então a resposta com a menor quantidade de bytes ganha
  • Se o seu idioma tiver limites de tamanho inteiro (ex. 2 ^ 32-1), n ​​será pequeno o suficiente para que a soma caiba no número inteiro
  • A entrada pode ser de qualquer forma razoável (stdin, arquivo, parâmetro de linha de comando, número inteiro, string, etc.)
  • A saída pode ser de qualquer forma razoável (stdout, arquivo, elemento gráfico do usuário que exibe o número, etc.)

Casos de teste

1 > 101
10 > 1065
44701 > 1096472981
avern
fonte
3
Não sei se entendi suas restrições. Posso sortnumerar e verificar se são iguais ao número original? Está usando um built-in ( sort), mas não é estritamente um built-in para verificar se está aumentando. Confira os requisitos do programa não observáveis e faça X sem Y na meta post "Coisas a evitar".
AdmBorkBork
5
Olá, Bem-vindo ao PPCG! Embora este seja um bom primeiro post (+1), tenho algumas sugestões: Não é possível usar nenhum built-in que verifique se um número está aumentando , Não pode-se usar nenhum built-in que verifique se uma string está aumentando lexicograficamente (desabilitando os embutidos) é algo a evitar ao escrever desafios ; temos um Sandbox para os desafios propostos , onde você pode compartilhar a sua idéia pós antes da apresentação, a fim de receber feedback e orientação :)
Mr. Xcoder
Atualizei as restrições para melhor corresponder à categoria "Exceções" do link que você postou
média
4
Ainda não vejo o ponto de ter essa restrição em primeiro lugar. Obviamente, depende de você mantê-lo ou não, mas proibir os embutidos geralmente é uma prática ruim. Se você sentir que o desafio é banalizado pelos built-ins, observe que simplesmente restringi-los não torna a solução da tarefa mais interessante, mas adiciona clichês. Você poderia considerar remover essa restrição? (a propósito, isso ainda se enquadra em Do X sem Y ). Caso contrário, eu gosto bastante da ideia e não gostaria que uma restrição levemente subjetiva prejudicasse a tarefa real.
Mr. Xcoder
10
No entanto, removi a restrição, pois fica claro que é mais agradável para a comunidade dessa maneira e confiarei nas diretrizes e nas melhores práticas aqui que garantem que os desafios sejam da melhor qualidade
média

Respostas:

8

Geléia , 10 8 bytes

ṢeṚƬ¬µ#S

Experimente online!

Como funciona

ṢeṚƬ¬µ#S  Main link. No arguments.

      #   Read an integer n from STDIN and call the chain to the left with argument
          k = 0, 1, 2, ... until n of them return a truthy result.
          Yield the array of successful values of k.
     µ    Monadic chain. Argument: k (integer)
Ṣ           Sort, after promoting k to its digit array.
  ṚƬ        Reverse 'til the results are no longer unique and yield unique results.
            Calling Ṛ on k promotes it to its digit array. If k = 14235, the 
            result is [14235, [5,3,2,4,1], [1,4,2,3,5]].
 e          Check if the result to the left appears in the result to the right.
    ¬       Negate the resulting Boolean.
       S  Take the sum.
Dennis
fonte
4
+1 ṚƬé extremamente puro ...
Mr. Xcoder
6

Pitão , 10 bytes

s.f!SI#_B`

Experimente aqui!

Como funciona?

sf! SI # _B` - Programa completo. Pega um número inteiro Q de STDIN e sai para STDOUT.
 .f - Encontre os primeiros inteiros positivos Q que satisfaçam uma determinada condição.
   ! SI # _B - A condição. Retorna verdadeiro apenas para números insuficientes.
       _B` - Eleve o número a uma string e bifurque-o (emparelhe) com o seu reverso.
      # - Mantenha esses filtros por ...
     I - Que são invariantes sob ...
    S - Classificação.
           - Para esclarecer, I (invariável) é um operador Pyth que recebe duas entradas, uma 
             função e um valor e verifica se função (valor) == valor, portanto
             tecnicamente, isso não é incorporado.
   ! - Não é lógico. A lista vazia é mapeada para true, outros valores para false.
s - soma.
Mr. Xcoder
fonte
4

K (ngn / k) , 37 bytes

{+/x{{(a~&\a)|a~|\a:10\x}(1+)/x+1}\0}

Experimente online!

{ } é uma função com argumento x

x{ }\0aplica o {}em 0 xtempos, preservando os resultados intermediários

(1+) é a função sucessora

{ }(1+)/x+1aplica a função sucessora a partir de x+1até o {}retorno true

10\x são os dígitos decimais de x

a: atribuir a a

|\ é o max-scan (maxima parcial) de a

&\ analogamente, é o min-scan

a~|\anão acorresponde ao seu max-scan?

| ou

a~&\a seu min-scan?

+/ soma

ngn
fonte
4

JavaScript (ES6), 77 bytes

f=(i,n=0,k,p)=>i&&([...n+''].map(x=>k|=x<p|2*(p<(p=x)))|k>2&&i--&&n)+f(i,n+1)

Experimente online!

Comentado

f = (                     // f = recursive function taking:
  i,                      //   i = number of bouncy numbers to find
  n = 0,                  //   n = current value
  k,                      //   k = bitmask to flag increasing/decreasing sequences
  p                       //   p = previous value while iterating over the digits
) =>                      //
  i && (                  // if there's still at least one number to find:
    [...n + '']           //   turn n into a string and split it
    .map(x =>             //   for each digit x in n:
      k |=                //     update k:
        x < p |           //       set bit #0 if x is less than the previous digit
        2 * (p < (p = x)) //       set bit #1 if x is greater than the previous digit
                          //       and update p
    )                     //   end of map()
    | k > 2               //   if both bits are set (n is bouncy):
    && i--                //     decrement i
    && n                  //     and add n to the total
  ) + f(i, n + 1)         //   add the result of a recursive call with n + 1
Arnauld
fonte
3

Python 2, 110 92 89 bytes

n=input()
x=s=0
while n:b={-1,1}<=set(map(cmp,`x`[:-1],`x`[1:]));s+=x*b;n-=b;x+=1
print s

Experimente online

Esta função determina se um número é insuficiente:

lambda x:{-1,1}<=set(map(cmp,`x`[:-1],`x`[1:]))
mbomb007
fonte
Você pode comparar caracteres diretamente. De fato, sua compreensão do conjunto pode se tornar set(map(cmp,`x`[:-1],`x`[1:])).
Jakob
@Jakob Obrigado. Eu sempre esqueço que você pode usar mapdessa maneira.
Mbomb007 06/07/19
1
x=s=0\nwhile n:b={-1,1}<=set(map(cmp,`x`[:-1],`x`[1:]));s+=x*b;n-=b;x+=1economiza 3 bytes
Sr. Xcoder 06/07/19
3

Retina , 93 bytes

K`:
"$+"{/(?=.*;(_*);\1_)(?=.*_(_*);\2;)/^{`:(#*).*
:$1#;$.($1#
)`\d
*_;
)`:(#+).*
$1:$1
\G#

Experimente online! Explicação:

K`:

Inicialize s=i=0. ( sé o número de #s antes de :, io número de #s depois.)

"$+"{
...
)`

Repita os ntempos.

/(?=.*;(_*);\1_)(?=.*_(_*);\2;)/^{`
...
)`

Repita enquanto inão estiver saltitante.

:(#*).*
:$1#;$.($1#

Incremente ie faça uma cópia em decimal.

\d
*_;

Converta os dígitos da cópia em unário. O teste de bounciness usa a cópia unária, portanto, só funciona uma vez ique foi incrementado pelo menos uma vez.

:(#+).*
$1:$1

Adicionar ipara se excluir a cópia dos dígitos unários, de modo que para a próxima passagem do circuito interno do teste bounciness falha e ié incrementado pelo menos uma vez.

\G#

Converta spara decimal.

A versão de 121 bytes é calculada em decimal, portanto, pode funcionar para valores maiores de n:

K`0:0
"$+"{/(?=.*;(_*);\1_)(?=.*_(_*);\2;)/^{`:(\d+).*
:$.($1*__);$.($1*__)
)+`;\d
;$&*_;
)`\d+:(\d+).*
$.(*_$1*):$1
:.*

Experimente online! Explicação:

K`0:0

Inicialize s=i=0.

"$+"{
...
)`

Repita os ntempos.

/(?=.*;(_*);\1_)(?=.*_(_*);\2;)/^{`
...
)

Repita enquanto inão estiver saltitante.

:(\d+).*
:$.($1*__);$.($1*__)

Incremente ie faça uma cópia.

+`;\d
;$&*_;

Converta os dígitos da cópia em unário. O teste de bounciness usa a cópia unária, portanto, só funciona uma vez ique foi incrementado pelo menos uma vez.

\d+:(\d+).*
$.(*_$1*):$1

Adicionar ipara se excluir a cópia dos dígitos unários, de modo que para a próxima passagem do circuito interno do teste bounciness falha e ié incrementado pelo menos uma vez.

:.*

Excluir i.

Neil
fonte
3

05AB1E , 12 bytes

µN{‚Nå_iNO¼

Experimente online!

Explicação

µ              # loop over increasing N until counter equals input
     Nå_i      # if N is not in
 N{‚          # the pair of N sorted and N sorted and reversed
         NO    # sum N with the rest of the stack
           ¼   # and increment the counter
Emigna
fonte
3

Java 8, 114 112 bytes

n->{int i=0,s=0;for(;n>0;++i)s+=(""+i).matches("0*1*2*3*4*5*6*7*8*9*|9*8*7*6*5*4*3*2*1*0*")?0:--n*0+i;return s;}

Usa uma expressão regular para verificar se o número está aumentando ou diminuindo. Experimente online aqui .

Ungolfed:

n -> { // lambda
    int i = 0, // the next number to check for bounciness
        s = 0; // the sum of all bouncy numbers so far
    for(; n > 0; ++i) // iterate until we have summed n bouncy numbers, check a new number each iteration
        s += ("" + i) // convert to a String
             .matches("0*1*2*3*4*5*6*7*8*9*" // if it's not an increasing  number ...
             + "|9*8*7*6*5*4*3*2*1*0*") ? 0 // ... and it's not a decreasing number ...
             : --n*0 // ... we have found another bouncy number ...
               + i; // ... add it to the total.
    return s; // return the sum
}
OOBalance
fonte
2

Python 2, 250 bytes

n=input()
a=0
b=0
s=0
while a<n:
    v=str(b)
    h=len(v)
    g=[int(v[f])-int(v[0]) for f in range(1,h) if v[f]>=v[f-1]]
    d=[int(v[f])-int(v[0]) for f in range(1,h) if v[f]<=v[f-1]]
    if len(g)!=h-1 and len(d)!=h-1:
       a+=1
       s+=b
    b+=1
print s
Hashbrowns
fonte
Bem-vinda! Você pode desejar para visualizar esta página para Dicas para Golfe em Python
mbomb007
1
Sugiro usar ;para colocar o máximo de instruções em uma única linha possível, removendo os espaços em branco e definindo uma função para as duas linhas longas muito semelhantes, para que você possa reutilizar parte do código. Além disso, você pode fazer a=b=s=0e len(g)!=h-1!=len(d).
Mbomb007
Obrigado pelas dicas. Eu tenho que ir agora. mas eu vou trabalhar nisso mais tarde.
Hashbrowns
0

Vermelho , 108 bytes

func[n][i: s: 0 until[t: form i
if(t > u: sort copy t)and(t < reverse u)[s: s + i n: n - 1]i: i + 1
0 = n]s]

Experimente online!

Mais legível:

f: func [ n ] [
    i: s: 0
    until [
       t: form i  
       if ( t > u: sort copy t ) and ( t < reverse u ) [
            s: s + i
            n: n - 1
       ]
       i: i + 1
       0 = n
    ]
    s
]

Uma boa oportunidade de usar form- form ié 5 bytes menor queto-string i

Galen Ivanov
fonte
0

MATL , 31 30 bytes

l9`tVdZS&*0<a?wQtG>?.]y]QT]xvs

Experimente online!

l       % Initialize counter to 1
9       % First value to check for being bouncy
`       % Start do-while loop
  tV    % duplicate the current number and convert to string
        % (let's use the iteration where the number is 1411)
        % stack: [1, 1411, '1411']
  d     % compute differences between the characters
        %  For non-bouncy numbers, this would be either all 
        %  positive values and 0, or all negative values and 0
        % stack: [1, 1411, [3 -3 0]]
  ZS    % keep only the signs of those differences
        % stack: [1, 1411, [1 -1 0]]
  &*    % multiply that array by its own transpose, so that
        %  each value is multiplied by every other value
        %  for non-bouncy numbers, all products will be >=0
        %  since it would have had only all -1s or all 1 (other than 0s)
        % stack: [1, 1411, [1 -1  0
                            -1  1 0
                            0  0  0]]
  0<a?  % if any value in the matrix is less than 0
    wQ    % switch the counter to top, increment it
          % stack: [1411, 2]
    tG>?  % duplicate it, check if it's gotten greater than the input limit
      .]    % if so, break out of loop
  y]    % else, duplicate bouncy number from inside stack,
        %  keeping a copy to be used for summing later
        % stack: [1411, 2, 1411]
  QT    % increment number, push True to continue loop
]     % loop end marker
x     % if we've broken out of loop, remove counter from stack
v     % concatenate the bouncy numbers we've collected in stack and 
s     % sum them
sundar - Restabelecer Monica
fonte
0

R , 96 bytes

function(n){while(n){y=diff(T%/%10^(0:log10(T))%%10);g=any(y<0)&any(y>0);F=F+T*g;n=n-g;T=T+1};F}

Experimente online!

Explicação:

while(n){                         # while n > 0

        T%/%10^(0:log10(T))%%10   # split T into digits(T==TRUE==1 at the 1st loop)
y=diff(                         ) # compute the diff of digits i.e. digits[i] - digits[i+1]

g=any(y<0)&any(y>0)               # if at least one of the diff is < 0 and 
                                  # at least one is > 0 then T is "bouncy"

F=F+T*g                           # if bouncy increment F (F==FALSE==0 at the 1st loop)

n=n-g                             # decrement n by 1 if bouncy

T=T+1}                            # increment T by 1 and loop

F}                                # return F
digEmAll
fonte
0

Ruby (123 bytes)

o=0
x=["0"]
while n>0 do x=(x.join.to_i+1).to_s.split('')
(x.sort!=x&&x.sort!=x.reverse ? (n-=1;o+=x.join.to_i):'')
end
p o

Parece muito feio para mim. Bounciness é definido neste blocox.sort!=x&&x.sort!=x.reverse

aaaaa diz restabelecer Monica
fonte
0

Ruby , 76 bytes

->n,s=i=0{[d=(i+=1).digits,d.reverse].index(d.sort)||(s+=i;n-=1);n<1?s:redo}

Experimente online!

Asone Tuhid
fonte
0

C (gcc), 104 bytes

f(b,o,u,n,c,y){for(o=u=0;b;u+=y?0:o+0*--b,++o)for(n=o,y=3;n/10;)c=n%10,n/=10,y&=(c-=n%10)<0?:c?2:y;b=u;}

Experimente online aqui .

Ungolfed:

f(n, // function: return type and type of arguments defaults to int;
     // abusing extra arguments to declare variables
  i,   // number currently being checked for bounciness
  s,   // sum of the bouncy numbers
  j,   // copy of i to be used for checking bounciness in a loop
  p,   // used for investigating the last digit of j
  b) { // whether i is not bouncy; uses the two least significant bits to indicate increasing/decreasing
    for(i = s = 0; // check numbers from zero up; initial sum is zero
        n; // continue until we have n bouncy numbers
        s += b ? 0 // not bouncy, no change to the sum
        : i + 0* --n, // bouncy, add it to the sum and one less bouncy number to go
        ++i) // either way, move to the next number
        for(j = i, b = 3; j/10; ) // make a copy of the current number, and truncate it from the right until there is just one digit left
        // bounciness starts as 0b11, meaning both increasing and decreasing; a value of 0 means bouncy
            p = j % 10, // get the last digit
            j /= 10, // truncate one digit from the right
            b &= // adjust bounciness:
                 (p -= j % 10) // compare current digit to the next
                 < 0 ? // not an increasing number, clear second to least significant bit
                 : p ? 2 // not a decreasing number, clear least significant bit
                 : b; // keep it the same
    n = s; // gcc shortcut for return s
}
OOBalance
fonte
Sugerir em u+=!y?--b,o:0,++ovez de u+=y?0:o+0*--b,++o, em ;y&=(c-=n%10)<0?:c?2:y)c=n%10,n/=10;vez de;)c=n%10,n/=10,y&=(c-=n%10)<0?:c?2:y;
ceilingcat 26/10