Rangos incrementales!


14

Su tarea es, dados dos enteros positivos, x y n , devolver los primeros números x en la secuencia de rangos incrementales.

La secuencia de rango incremental primero genera un rango de uno a n inclusive. Por ejemplo, si n fuera 3 , generaría la lista [1,2,3] . Luego agrega repetidamente los últimos n valores incrementados en 1 a la lista existente, y continúa.

Una entrada de n=3 por ejemplo:

n=3
1. Get range 1 to n. List: [1,2,3]
2. Get the last n values of the list. List: [1,2,3]. Last n=3 values: [1,2,3].
3. Increment the last n values by 1. List: [1,2,3]. Last n values: [2,3,4].
4. Append the last n values incremented to the list. List: [1,2,3,2,3,4]
5. Repeat steps 2-5. 2nd time repeat shown below.

2nd repeat:
2. Get the last n values of the list. List: [1,2,3,2,3,4]. Last n=3 values: [2,3,4]
3. Increment the last n values by 1. List: [1,2,3,2,3,4]. Last n values: [3,4,5].
4. Append the last n values incremented to the list. List: [1,2,3,2,3,4,3,4,5]

Casos de prueba:

n,   x,   Output
1,  49,   [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49]
2, 100,   [1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13,14,14,15,15,16,16,17,17,18,18,19,19,20,20,21,21,22,22,23,23,24,24,25,25,26,26,27,27,28,28,29,29,30,30,31,31,32,32,33,33,34,34,35,35,36,36,37,37,38,38,39,39,40,40,41,41,42,42,43,43,44,44,45,45,46,46,47,47,48,48,49,49,50,50,51]
3,  13,   [1,2,3,2,3,4,3,4,5,4,5,6,5]

Respuestas:



7

Jalea , 4 bytes

Ḷd§‘

Un enlace diádico que acepta dos enteros positivos, xa la izquierda y na la derecha, lo que produce una lista de enteros positivos.

Pruébalo en línea!

¿Cómo?

Ḷd§‘ - Link: x, n              e.g   13, 3
Ḷ    - lowered range (x)             [0,1,2,3,4,5,6,7,8,9,10,11,12]
 d   - divmod (n)                    [[0,0],[0,1],[0,2],[1,0],[1,1],[1,2],[2,0],[2,1],[2,2],[3,0],[3,1],[3,2],[4,0]]
  §  - sums                          [0,1,2,1,2,3,2,3,4,3,4,5,4]
   ‘ - increment (vectorises)        [1,2,3,2,3,4,3,4,5,4,5,6,5]

3
Espera ... ¿eso es divmod? ¡Inteligente! Y estaba luchando con p...
Erik the Outgolfer


6

05AB1E , 6 bytes

L<s‰O>

Puerto de la respuesta Jelly de @JonathanAllan , ¡así que asegúrate de votarlo!

La primera entrada es X , la segunda entrada es norte .

Pruébelo en línea o verifique todos los casos de prueba .

Explicación:

L       # Push a list in the range [1, (implicit) input]
        #  i.e. 13 → [1,2,3,4,5,6,7,8,9,10,11,12,13]
 <      # Decrease each by 1 to the range [0, input)
        #  → [0,1,2,3,4,5,6,7,8,9,10,11,12]
  s    # Divmod each by the second input
        #  i.e. 3 → [[0,0],[0,1],[0,2],[1,0],[1,1],[1,2],[2,0],[2,1],[2,2],[3,0],[3,1],[3,2],[4,0]]
    O   # Sum each pair
        #  → [0,1,2,1,2,3,2,3,4,3,4,5,4]
     >  # And increase each by 1
        #  → [1,2,3,2,3,4,3,4,5,4,5,6,5]
        # (after which the result is output implicitly)

Mi propio enfoque inicial fue de 8 bytes :

LI∍εN¹÷+

La primera entrada es norte , la segunda entrada es X .

Pruébelo en línea o verifique todos los casos de prueba .

Explicación:

L         # Push a list in the range [1, (implicit) input]
          #  i.e. 3 → [1,2,3]
 I       # Extend it to the size of the second input
          #  i.e. 13 → [1,2,3,1,2,3,1,2,3,1,2,3,1]
   ε      # Map each value to:
    N¹÷   #  The 0-based index integer-divided by the first input
          #   → [0,0,0,1,1,1,2,2,2,3,3,3,4]
       +  #  Add that to the value
          #   → [1,2,3,2,3,4,3,4,5,4,5,6,5]
          # (after which the result is output implicitly)

4

Perl 6 , 18 bytes

{(1..*X+ ^*)[^$_]}

Pruébalo en línea!

Función de curry f(x)(n).

Explicación

{                }  # Anonymous block
      X+     # Cartesian product with addition
  1..*       # of range 1..Inf
         ^*  # and range 0..n
 (         )[^$_]  # First x elements

4

Brain-Flak , 100 bytes

(<>)<>{({}[()]<(({}))((){[()](<{}>)}{}){{}{}<>(({})<>)(<>)(<>)}{}({}[()]<(<>[]({}())[()]<>)>)>)}{}{}

Con comentarios y formato:

# Push a zero under the other stack
(<>)<>

# x times
{
    # x - 1
    ({}[()]<

        # Let 'a' be a counter that starts at n
        # Duplicate a and NOT
        (({}))((){[()](<{}>)}{})

        # if a == 0
        {
            # Pop truthy
            {}
            <>

            # Reset n to a
            (({})<>)

            # Push 0 to each
            (<>)(<>)
        }

        # Pop falsy
        {}

        # Decrement A, add one to the other stack, and duplicate that number under this stack
        ({}[()]<
            (<>[]({}())<>)
        >)
    >)
}

Pruébalo en línea!


4

J , 13 12 bytes

[$[:,1++/&i.

Pruébalo en línea!

cómo

Tomamos xcomo el argumento izquierdo, ncomo el derecho. Tomemos x = 8y n = 3para este ejemplo:

  • +/&i.: Transforme ambos argumentos creando rangos enteros i., es decir, el argumento izquierdo se convierte en 0 1 2 3 4 5 6 7el argumento derecho 0 1 2. Ahora creamos una "tabla de suma +/de esos dos:

     0 1 2
     1 2 3
     2 3 4
     3 4 5
     4 5 6
     5 6 7
     6 7 8
     7 8 9
    
  • 1 +: Agregue 1 a cada elemento de esta tabla:

     1 2  3
     2 3  4
     3 4  5
     4 5  6
     5 6  7
     6 7  8
     7 8  9
     8 9 10
    
  • [: ,: Aplanarlo ,:

     1 2 3 2 3 4 3 4 5 4 5 6 5 6 7 6 7 8 7 8 9 8 9 10
    
  • [ $: Dale forma $para que tenga el mismo número de elementos que el argumento izquierdo original no transformado [, es decir x:

     1 2 3 2 3 4 3 4 
    


4

Octava , 25 bytes

@(n,x)((1:n)'+(0:x))(1:x)

Función anónima que ingresa números nyx , y genera un vector de fila.

Pruébalo en línea!

Cómo funciona

Considerar n=3yx=13 .

El código (1:n)'da el vector de columna

1
2
3

Luego (0:x)da el vector fila

0  1  2  3  4  5  6  7  8  9 10 11 12 13

La adición (1:n)'+(0:x)es un elemento inteligente con broadcast, por lo que proporciona una matriz con todos los pares de sumas:

1  2  3  4  5  6  7  8  9 10 11 12 13 14
2  3  4  5  6  7  8  9 10 11 12 13 14 15
3  4  5  6  7  8  9 10 11 12 13 14 15 16

La indexación con (1:x)recupera los primeros xelementos de esta matriz en orden lineal de columna mayor (abajo, luego a través), como un vector de fila:

1 2 3 2 3 4 3 4 5 4 5 6 5

3

Haskell , 31 bytes

n#x=take x$[1..n]++map(+1)(n#x)

Pruébalo en línea!

Este podría ser mi tipo de recursión favorita. Comenzamos con los valores de 1 a n y luego concatenamos esos mismos valores (mediante autorreferencia) +1. entonces solo tomamos los primeros valores de x.


2

Adelante (gforth) , 34 bytes

: f 0 do i over /mod + 1+ . loop ;

Pruébalo en línea!

Explicación del código

: f            \ start a new word definition
  0 do         \ start a loop from 0 to x-1
    i          \ put the current loop index on the stack
    over       \ copy n to the top of the stack
    /mod       \ get the quotient and remainder of dividing i by n
    + 1+       \ add them together and add 1
    .          \ output result
  loop         \ end the counted loop
;              \ end the word definition

2

MATL , 16 , 10 bytes

:!i:q+2G:)

Pruébalo en línea!

-6 bytes guardados gracias a Guiseppe y Luis Mendo!

Explicación:

:!          % Push the array [1; 2; ... n;]
  i:q       % Push the array [0 1 2 ... x - 1]
     +      % Add these two arrays with broadcasting
      2G    % Push x again
        :)  % Take the first x elements

@LuisMendo ¡Gracias! Claramente, estoy bastante oxidado con mi
MATL








1

Stax , 6 bytes

⌐çYæ▄9

Ejecutar y depurarlo

Desempaquetado y explicado:

rmx|%+^ Full program, implicit input (n, x on stack; n in register X)
r       Range [0 .. x)
 m      Map:
  x|%     Divide & modulo x
     +    Add quotient and remainder
      ^   Add 1
          Implicit output


0

Carbón , 18 bytes

NθFN⊞υ⊕⎇‹ιθι§υ±θIυ

Pruébalo en línea! El enlace es a la versión detallada del código. Soñé con sembrar la lista con un rango indexado a cero y luego cortarla nuevamente, pero en realidad fue 2 bytes más. Explicación:

Nθ                  Input `n` into variable
   N                Input `x`
  F                 Loop over implicit range
         ι          Current index
        ‹           Less than
          θ         Variable `n`
       ⎇   ι        Then current index else
               θ    Variable `n`
              ±     Negated
            §υ      Cyclically indexed into list
      ⊕             Incremented
    ⊞υ              Pushed to list
                Iυ  Cast list to string for implicit output

0

JS, 54 bytes

f=(n,x)=>Array.from(Array(x),(_,i)=>i+1-(i/n|0)*(n-1))

Pruébalo en línea!


Bienvenido a PPCG :) Como esta no es una función recursiva, no necesita contar la f=. Puede guardar un byte al cursar los parámetros ( n=>x=>) y otro al esparcir y mapear la matriz ( [...Array(x)].map()).
Shaggy





0

C (clang), 843 bytes

#include <stdlib.h>
main(int argc, char* argv[]){
        int x,n;
        if (argc == 3 && (n = atoi(argv[1])) > 0 && (x = atoi(argv[2])) > 0){ 
                int* ranges = calloc(x, sizeof *ranges);
                for (int i = 0; i < x; i++){
                        if (i < n){ 
                                ranges[i] = i+1;
                        }   
                        else {
                                ranges[i] = ranges[i-n] + 1;
                        }   
                }   
        printf("[");
        for (int j = 0; j < x - 1; j++){
                printf("%d",ranges[j]);
                printf(",");
        }   
        printf("%d",ranges[x - 1]);
        printf("]\n");
        free(ranges);
        }   
        else {
                printf("enter a number greater than 0 for n and x\n");
        }   
}

2
Hola, bienvenido a PPCG! Este desafío está etiquetado [code-golf], lo que significa que debe completar el desafío en el menor número posible de bytes / caracteres. Puede eliminar un montón de espacios en blanco y cambiar los nombres de las variables a caracteres individuales en su código (el argc, argvy ranges). Además, no es necesario agregar ningún mensaje de advertencia. Puede asumir que la entrada es válida, a menos que el desafío indique lo contrario.
Kevin Cruijssen



Al usar nuestro sitio, usted reconoce que ha leído y comprende nuestra Política de Cookies y Política de Privacidad.
Licensed under cc by-sa 3.0 with attribution required.