Raiz de um número RTA (Reverse-Then-Add)

22

A sequência de reversão e adição (RTA) é uma sequência obtida adicionando um número ao seu reverso e repetindo o processo no resultado. Por exemplo,

5+5=1010+01=1111+11=2222+22=44 ...

Assim, a sequência RTA de 5 contém 10, 11, 22, 44, 88, 176, etc.

A raiz RTA de um número n é o menor número que é igual a n ou dá origem a n em sua sequência RTA.

Por exemplo, 44 ​​é encontrado na sequência RTA de 5, 10, 11, 13, 22, 31, etc. Desses, 5 é o menor e, portanto, RTAroot (44) = 5.

72 não faz parte da sequência RTA de nenhum número e, portanto, é considerada sua própria raiz RTA.

A entrada é um número inteiro positivo em um intervalo que seu idioma pode manipular naturalmente.

Saída é a raiz RTA do número fornecido, conforme definido acima.

Casos de teste

Input
Output

44
5

72
72

132
3

143
49

1111
1

999
999

OEIS relacionado: A067031 . A saída será um número dessa sequência.

sundar - Restabelecer Monica
fonte

Respostas:

13

Perl 6 , 45 44 bytes

->\a{first {a∈($_,{$_+.flip}...*>a)},1..a}

Experimente online!

Explicação:

->\a{                                    }  # Anonymous code block
->\a     # That takes a number a
     first  # Find the first element
                                     1..a  # In the range 1 to a
           {                       },    # Where
            a       # a is an element of
              (             ...   )  # A sequence defined by
               $_,  # The first element is the number we're checking
                  {$_+.flip}  # Each element is the previous element plus its reverse
                               *>$a  # The last element is larger than a
Brincadeira
fonte
5
A sintaxe das reticências do Perl 6 fica mais mágica toda vez que eu a encontro. Essa especificação de sequência baseada em lambda é uma ideia tão interessante!
sundar - Restabelece Monica
@sundar, que a sintaxe foi realmente uma das principais razões pelas quais eu veio para Perl 6. (e por que, depois de algum tempo, tornou-se a minha língua mais favorito)
Ramillies
7

Braquilog , 24 22 bytes

{~{ℕ≤.&≜↔;?+}{|↰₁}|}ᶠ⌋
  • 2 bytes, graças à observação de que eu tinha um {{e}}

Explicação

                --  f(n):
                --      g(x):
 {              --          h(y):
  ~             --              get z where k(z) = y
   {            --              k(z):
    ℕ≤.         --                  z>=0 and z<=k(z) (constrain so it doesn't keep looking)
    &≜          --                  label input (avoiding infinite stuff)
      ↔;?+      --                  return z+reverse(z)
   }            --
    {           --                  
     |↰₁        --              return z and h(z) (as in returning either)
    }           --                  
  |             --          return h(x) or x (as in returning either)
 }              --
ᶠ               --      get all possible answers for g(n)
  ⌋             --      return smallest of them

desculpe pela explicação vacilante, este é o melhor que eu poderia inventar

Experimente online!

Kroppeb
fonte
1
O uso de {|↰₁}lá é simples, mas brilhante. Bom trabalho!
sundar - Restabelece Monica
5

Haskell , 59 57 bytes

-2 bytes graças a user1472751 (usando um segundo em untilvez de compreensão de lista & head)!

f n=until((n==).until(>=n)((+)<*>read.reverse.show))(+1)1

Experimente online!

Explicação

Isso avaliará Truepara qualquer raiz RTA:

(n==) . until (n<=) ((+)<*>read.reverse.show)

O termo (+)<*>read.reverse.showé uma versão em golfe de

\r-> r + read (reverse $ show r)

que adiciona um número a si próprio invertido.

A função untilse aplica repetidamente (+)<*>read.reverse.showaté exceder nosso objetivo.

Envolvendo tudo isso em mais uma untilpartida 1e adição de 1, (+1)você encontrará a primeira raiz do RTA.

Se não houver uma raiz RTA adequada n, eventualmente chegaremos a nonde untilnão se aplica a função desde então n<=n.

ბიმო
fonte
1
Você pode salvar 2 bytes usando também untilo loop externo: TIO
user1472751
5

05AB1E , 7 bytes

Usando a nova versão do 05AB1E (reescrita no Elixir).

Código

L.ΔλjÂ+

Experimente online!

Explicação

L           # Create the list [1, ..., input]
 .Δ         # Iterate over each value and return the first value that returns a truthy value for:
   λ        #   Where the base case is the current value, compute the following sequence:
     Â+     #   Pop a(n - 1) and bifurcate (duplicate and reverse duplicate) and sum them up.
            #   This gives us: a(0) = value, a(n) = a(n - 1) + reversed(a(n - 1))
    j       #   A λ-generator with the 'j' flag, which pops a value (in this case the input)
            #   and check whether the value exists in the sequence. Since these sequences will be 
            #   infinitely long, this will only work strictly non-decreasing lists.
Adnan
fonte
Espere .. jtem um significado especial em um ambiente recursivo? Eu só sabia sobre o meio e o λpróprio dentro do ambiente recursivo. Há mais alguma coisa além disso j? EDIT: Ah, eu vejo algo sobre isso £também no código fonte . Para onde é usado?
Kevin Cruijssen 6/02
1
@KevinCruijssen Sim, são sinalizadores usados ​​no ambiente recursivo. jessencialmente verifica se o valor de entrada está na sequência. £garante que ele retorne os primeiros n valores da sequência (o mesmo que λ<...>}¹£).
Adnan
3

Geléia , 12 11 bytes

ṚḌ+ƊС€œi¹Ḣ

9991111

Graças a @ JonathanAllan por jogar fora um byte!

Experimente online!

Como funciona

ṚḌ+ƊС€œi¹Ḣ  Main link. Argument: n

      €      Map the link to the left over [1, ..., n].
    С         For each k, call the link to the left n times. Return the array of k
               and the link's n return values.
   Ɗ           Combine the three links to the left into a monadic link. Argument: j
Ṛ                Promote j to its digit array and reverse it.
 Ḍ               Undecimal; convert the resulting digit array to integer.
  +              Add the result to j.
       œi¹   Find the first multindimensional index of n.
          Ḣ  Head; extract the first coordinate.
Dennis
fonte
3

Ruby, 66 57 bytes

f=->n{(1..n).map{|m|m+(m.digits*'').to_i==n ?f[m]:n}.min}

Experimente online!

Função recursiva que "desfaz" repetidamente a operação RTA até chegar a um número que não pode ser produzido por ela e retorna o mínimo.

Em vez de usar filter, que é longo, eu simplesmente mapultrapassava o intervalo de 1 ao número. Para cada m nesse intervalo, se m + rev (m) é o número, chama a função recursivamente em m ; caso contrário, ele retornará n . Isso remove a necessidade de a filtere nos fornece um caso base de f (n) = n gratuitamente.

Os destaques incluem salvar um byte com Integer#digits:

m.to_s.reverse.to_i
(m.digits*'').to_i
eval(m.digits*'')

O último seria um byte mais curto, mas, infelizmente, Ruby analisa números começando com 0octal.

Maçaneta da porta
fonte
2

Pitão , 12 bytes

fqQ.W<HQ+s_`

Confira uma suíte de testes!

Surpreendentemente rápido e eficiente. Todos os casos de teste executados ao mesmo tempo levam menos de 2 segundos.

Como funciona

fqQ.W<HQ+s_` – Full program. Q is the variable that represents the input.
f            – Find the first positive integer T that satisfies a function.
   .W        – Functional while. This is an operator that takes two functions A(H)
               and B(Z) and while A(H) is truthy, H = B(Z). Initial value T.
     <HQ     – First function, A(H) – Condition: H is strictly less than Q.
        +s_` – Second function, B(Z) – Modifier.
         s_` – Reverse the string representation of Z and treat it as an integer.
        +    – Add it to Z.
             – It should be noted that .W, functional while, returns the ending
               value only. In other words ".W<HQ+s_`" can be interpreted as
               "Starting with T, while the current value is less than Q, add it
               to its reverse, and yield the final value after the loop ends".
 qQ          – Check if the result equals Q.
Mr. Xcoder
fonte
2

05AB1E , 13 bytes

LʒIFDÂ+})Iå}н

Experimente online!

Explicação

L               # push range [1 ... input]
 ʒ         }    # filter, keep elements that are true under:
  IF   }        # input times do:
    D           # duplicate
     Â+         # add current number and its reverse
        )       # wrap in a list
         Iå     # check if input is in the list
            н   # get the first (smallest) one
Emigna
fonte
Inteligente! Eu sei que minha versão de 21 bytes já era muito longa (que eu joguei até 16 com a mesma abordagem), mas não consegui descobrir uma maneira de fazê-lo mais curto. Não posso acreditar que eu não pensei sobre o uso de cabeça após o filtro .. Eu ficava tentando usar o índice de loop + 1, ou a global_counter..>>.
Kevin Cruijssen
2

JavaScript (ES6), 61 bytes

n=>(g=k=>k-n?g(k>n?++x:+[...k+''].reverse().join``+k):x)(x=1)

Experimente online!

Comentado

n =>                        // n = input
  (g = k =>                 // g() = recursive function taking k = current value
    k - n ?                 //   if k is not equal to n:
      g(                    //     do a recursive call:
        k > n ?             //       if k is greater than n:
          ++x               //         increment the RTA root x and restart from there
        :                   //       else (k is less than n):
          +[...k + '']      //         split k into a list of digit characters
          .reverse().join`` //         reverse, join and coerce it back to an integer
          + k               //         add k
      )                     //     end of recursive call
    :                       //   else (k = n):
      x                     //     success: return the RTA root
  )(x = 1)                  // initial call to g() with k = x = 1
Arnauld
fonte
2

05AB1E , 21 16 15 bytes

G¼N¹FÂ+йQi¾q]¹

-1 byte graças a @Emigna .

Experimente online.

Explicação:

G               # Loop `N` in the range [1, input):
 ¼              #  Increase the global_counter by 1 first every iteration (0 by default)
 N              #  Push `N` to the stack as starting value for the inner-loop
  ¹F            #  Inner loop an input amount of times
    Â           #   Bifurcate (short for Duplicate & Reverse) the current value
                #    i.e. 10 → 10 and '01'
     +          #   Add them together
                #    i.e. 10 and '01' → 11
      Ð         #   Triplicate that value
                #   (one for the check below; one for the next iteration)
       ¹Qi      #   If it's equal to the input:
          ¾     #    Push the global_counter
           q    #    And terminate the program
                #    (after which the global_counter is implicitly printed to STDOUT)
]               # After all loops, if nothing was output yet:
 ¹              # Output the input
Kevin Cruijssen
fonte
Você não precisa da impressão devido à impressão implícita.
Emigna
1

Carvão , 33 bytes

Nθ≔⊗θηW›ηθ«≔L⊞OυωηW‹ηθ≧⁺I⮌Iηη»ILυ

Experimente online! Link é a versão detalhada do código. Explicação:

Nθ

Entrada q.

≔⊗θη

Atribuir 2q para h para que o loop comece.

W›ηθ«

Repita enquanto h>q:

≔L⊞Oυωη

empurre uma seqüência nula simulada para você aumentando assim seu comprimento e atribua o comprimento resultante a h;

W‹ηθ

repita enquanto h<q:

≧⁺I⮌Iηη

adicione o reverso de h para h.

»ILυ

Imprima o comprimento final de você qual é a raiz desejada.

Neil
fonte
1

MATL , 17 bytes

`@G:"ttVPU+]vG-}@

Experimente online!

Explicação

`         % Do...while loop
  @       %   Push iteration index, k (starting at 1)
  G:"     %   Do as many times as the input
    tt    %     Duplicate twice
    VPU   %     To string, reverse, to number
    +     %     Add
  ]       %   End
  v       %   Concatenate all stack into a column vector. This vector contains
          %   a sufficient number of terms of k's RTA sequence
  G-      %   Subtract input. This is used as loop condition, which is falsy
          %   if some entry is zero, indicating that we have found the input
          %   in k's RTA sequence
}         % Finally (execute on loop exit)
  @       %   Push current k
          % End (implicit). Display (implicit)
Luis Mendo
fonte
1
Apenas como uma observação, usei o MATL para gerar as saídas do caso de teste, usando esta versão de 31 bytes: :!`tG=~yV2&PU*+tG>~*tXzG=A~]f1) Experimente online!
sundar - Restabelece Monica
1

Java 8, 103 bytes

n->{for(int i=0,j;;)for(j=++i;j<=n;j+=n.valueOf(new StringBuffer(j+"").reverse()+""))if(n==j)return i;}

Experimente online.

Explicação:

n->{                // Method with Integer as both parameter and return-type
  for(int i=0,j;;)  //  Infinite loop `i`, starting at 0
    for(j=++i;      //  Increase `i` by 1 first, and then set `j` to this new `i`
        j<=n        //  Inner loop as long as `j` is smaller than or equal to the input
        ;           //    After every iteration:
         j+=        //     Increase `j` by:
            n.valueOf(new StringBuffer(j+"").reverse()+""))
                    //     `j` reversed
     if(n==j)       //   If the input and `j` are equal:
       return i;}   //    Return `i` as result

A reversão aritmética do número inteiro é 1 byte mais longo ( 104 bytes ):

n->{for(int i=0,j,t,r;;)for(j=++i;j<=n;){for(t=j,r=0;t>0;t/=10)r=r*10+t%10;if((j+=r)==n|i==n)return i;}}

Experimente online.

Kevin Cruijssen
fonte
1

C (GCC) , 120 100 99 bytes

f(i,o,a,b,c,d){for(a=o=i;b=a;o=i/b?a:o,a--)for(;b<i;b+=c)for(c=0,d=b;d;d/=10)c=c*10+d%10;return o;}

Experimente online!

Dada a entrada i, verifica todos os números inteiros de i0 a uma sequência contendo i.

  • i é o valor de entrada
  • o é o valor de saída (a raiz mínima encontrada até o momento)
  • a é o número inteiro atual sendo verificado
  • b é o elemento atual de a sequência de
  • ce dsão usados ​​para adicionar bao seu reverso
Curtis Bechtel
fonte
Compilar com -DL=forvocê economizaria 2 bytes.
Risca isso; fazendo matemática errado.
No entanto, você pode retornar o valor de saída i=o;se usar -O0, economizando 5 bytes.
1

Japonês , 16 15 11 bytes

@ÇX±swÃøU}a

Tente

@ÇX±swÃøU}a     :Implicit input of integer U
@        }a     :Loop over the positive integers as X & output the first that returns true
 Ç              :  Map the range [0,U)
  X±            :    Increment X by
    sw          :    Its reverse
      Ã         :  End map
       øU       :  Contains U?
Shaggy
fonte
0

C (gcc) , 89 bytes

Eu corro cada sequência em [1, n ) até obter uma correspondência; zero é especial porque não termina.

j,k,l,m;r(i){for(j=k=0;k-i&&++j<i;)for(k=j;k<i;k+=m)for(l=k,m=0;l;l/=10)m=m*10+l%10;j=j;}

Experimente online!

ErikF
fonte