Cambio de signo, bucle y pantalla con mínimo relleno

17

Entrada:

Dos enteros: uno negativo, uno positivo.

Salida:

En la primera línea, salida de menor a mayor. En la segunda línea hemos eliminado los números más altos y más bajos y cambiado de signo todos los números individuales. En la tercera línea, hemos eliminado los números más altos y más bajos nuevamente y hemos cambiado de signo todos los números individuales nuevamente. etc. (El siguiente ejemplo debería aclarar el desafío).

Importante: Además, agregamos espacios para que los números en una columna estén todos alineados (a la derecha).
La alineación mínima es la principal. parte de este desafío, esto significa que no puede hacer que cada número tenga el mismo ancho. El ancho de una columna se basa en el mayor número de ancho de esa columna específica (y la secuencia con cambio de signo es dar a los números cierta variedad de ancho por columna).


Por ejemplo:

Input: -3,6

Output:
-3,-2,-1, 0, 1, 2, 3, 4,5,6   // sequence from lowest to highest
 2, 1, 0,-1,-2,-3,-4,-5       // -3 and 6 removed; then all signs changed
-1, 0, 1, 2, 3, 4             // 2 and -5 removed; then all signs changed again
 0,-1,-2,-3                   // -1 and 4 removed; then all signs changed again
 1, 2                         // 0 and -3 removed; then all signs changed again
                              // only two numbers left, so we're done

Como puede ver arriba, se agregan espacios en los números positivos, cuando comparten una columna con números negativos para compensar el - (lo mismo se aplicaría a los números de 2 dígitos).

Reglas de desafío:

  • La entrada debe ser dos enteros
    • Puede suponer que estos enteros están en el rango -99- 99(inclusive).
    • El primer entero será negativo, y el otro será positivo.
  • La salida puede estar en cualquier formato razonable, siempre que esté claro que hay filas y columnas alineadas correctamente: es decir, STDOUT; regresando como String con nuevas líneas; regresando como lista de cadenas; etc. Tu llamada.
  • La salida también debe contener un delimitador de su elección (excepto espacios, tabulaciones, líneas nuevas, dígitos o -): Es decir ,; y ;y |; y X; etc. son todos delimitadores aceptables.
  • Las líneas de salida pueden no contener un delimitador inicial o final.
  • La salida puede contener UNA nueva línea final, y cualquier línea puede contener cualquier número de espacios finales.

Reglas generales:

  • Este es el , por lo que la respuesta más corta en bytes gana.
    No permita que los lenguajes de código de golf lo desalienten de publicar respuestas con idiomas que no sean de código. Trate de encontrar una respuesta lo más breve posible para 'cualquier' lenguaje de programación.
  • Se aplican reglas estándar para su respuesta, por lo que puede usar STDIN / STDOUT, funciones / método con los parámetros adecuados, programas completos. Tu llamada.
  • Lagunas predeterminadas están prohibidas.
  • Si es posible, agregue un enlace con una prueba para su código.
  • Además, agregue una explicación si es necesario.

Casos de prueba:

Input: -3,6

Output:
-3,-2,-1, 0, 1, 2, 3, 4,5,6
 2, 1, 0,-1,-2,-3,-4,-5
-1, 0, 1, 2, 3, 4
 0,-1,-2,-3
 1, 2

Input: -1,1

Output:
-1,0,1
 0

Input: -2,8

Output:
-2,-1, 0, 1, 2, 3, 4, 5, 6,7,8
 1, 0,-1,-2,-3,-4,-5,-6,-7
 0, 1, 2, 3, 4, 5, 6
-1,-2,-3,-4,-5
 2, 3, 4
-3

Input: -15,8

Output: 
-15,-14,-13,-12,-11,-10,-9,-8,-7,-6,-5,-4,-3,-2,-1, 0, 1, 2, 3, 4, 5, 6,7,8
 14, 13, 12, 11, 10,  9, 8, 7, 6, 5, 4, 3, 2, 1, 0,-1,-2,-3,-4,-5,-6,-7
-13,-12,-11,-10, -9, -8,-7,-6,-5,-4,-3,-2,-1, 0, 1, 2, 3, 4, 5, 6
 12, 11, 10,  9,  8,  7, 6, 5, 4, 3, 2, 1, 0,-1,-2,-3,-4,-5
-11,-10, -9, -8, -7, -6,-5,-4,-3,-2,-1, 0, 1, 2, 3, 4
 10,  9,  8,  7,  6,  5, 4, 3, 2, 1, 0,-1,-2,-3
 -9, -8, -7, -6, -5, -4,-3,-2,-1, 0, 1, 2
  8,  7,  6,  5,  4,  3, 2, 1, 0,-1
 -7, -6, -5, -4, -3, -2,-1, 0
  6,  5,  4,  3,  2,  1
 -5, -4, -3, -2
  4,  3

Input: -3,15

Output:
-3,-2,-1, 0, 1, 2, 3, 4,  5, 6,  7,  8,  9, 10, 11, 12, 13,14,15
 2, 1, 0,-1,-2,-3,-4,-5, -6,-7, -8, -9,-10,-11,-12,-13,-14
-1, 0, 1, 2, 3, 4, 5, 6,  7, 8,  9, 10, 11, 12, 13
 0,-1,-2,-3,-4,-5,-6,-7, -8,-9,-10,-11,-12
 1, 2, 3, 4, 5, 6, 7, 8,  9,10, 11
-2,-3,-4,-5,-6,-7,-8,-9,-10
 3, 4, 5, 6, 7, 8, 9
-4,-5,-6,-7,-8
 5, 6, 7
-6

Input: -12,12

Output:
-12,-11,-10,-9,-8,-7,-6,-5,-4,-3,-2,-1, 0, 1, 2, 3, 4, 5, 6, 7, 8,  9, 10,11,12
 11, 10,  9, 8, 7, 6, 5, 4, 3, 2, 1, 0,-1,-2,-3,-4,-5,-6,-7,-8,-9,-10,-11
-10, -9, -8,-7,-6,-5,-4,-3,-2,-1, 0, 1, 2, 3, 4, 5, 6, 7, 8, 9,10
  9,  8,  7, 6, 5, 4, 3, 2, 1, 0,-1,-2,-3,-4,-5,-6,-7,-8,-9
 -8, -7, -6,-5,-4,-3,-2,-1, 0, 1, 2, 3, 4, 5, 6, 7, 8
  7,  6,  5, 4, 3, 2, 1, 0,-1,-2,-3,-4,-5,-6,-7
 -6, -5, -4,-3,-2,-1, 0, 1, 2, 3, 4, 5, 6
  5,  4,  3, 2, 1, 0,-1,-2,-3,-4,-5
 -4, -3, -2,-1, 0, 1, 2, 3, 4
  3,  2,  1, 0,-1,-2,-3
 -2, -1,  0, 1, 2
  1,  0, -1
  0
Kevin Cruijssen
fuente
1
"Nunca fuera de -100-100" ¿eso incluye no ser nunca -100 o 100 también?
Jonathan Allan
@ JonathanAllan, creo que sí. Tiene sentido excluir -100 y 100, porque si se incluyeran, se agregaría un 3er / 4to dígito y todo se cambiaría por solo 2 valores
Sr. Xcoder
Relacionado. (Otro desafío donde el relleno y la alineación a la derecha de una cuadrícula es el componente principal.)
Martin Ender
1
@ JonathanAllan He cambiado un poco la redacción. Puede asumir que la entrada negativa más pequeña posible es -99y la entrada positiva más grande posible es 99.
Kevin Cruijssen
1
Caso de prueba propuesto: -3,15. Algunas respuestas no funcionan correctamente.
betseg

Respuestas:

7

Jalea , 25 24 20 bytes

rµḊṖNµÐĿZbȷG€Ỵ€Zj€”,

Este es un enlace diádico que devuelve una matriz de filas.

Pruébalo en línea!

Cómo funciona

rµḊṖNµÐĿZbȷG€Ỵ€Zj€”,  Dyadic link. Arguments: a, b

r                      Range; yield [a, ..., b].
 µ   µÐĿ               Apply the enclosed chain until the results are no longer
                       unique. Return the array of results.
  Ḋ                      Dequeue; remove the first item.
   Ṗ                     Pop; remove the last item.
    N                    Negate; multiply all remaining integers by -1.
       Z               Zip; transpose rows and columns.
        bȷ             Base 1000; map each n to [n].
          G€           Grid each; in each row, pad all integers to the same length,
                       separating the (singleton) rows by linefeeds.
            Ỵ€         Split each result at linefeeds.
              Z        Zip to restore the original layout.
               j€”,    Join each row, separating by commata.
Dennis
fuente
7

05AB1E , 59 bytes

Una vez más estoy jodido por el mismo error por el que escribí una solución hace meses pero nunca presioné ... Sin embargo, el
golf aún debería ser posible.

Ÿ[Ðg1‹#ˆ¦(¨]\\¯vy€g}})J.Bvyð0:S})øvyZs\})U¯vyvyXNèyg-ú}',ý,

Pruébalo en línea!

Emigna
fuente
Me acerqué bastante a esto: ŸÐ',ý,gÍ;µ¦¨(D',ý,¼no cumple con las especificaciones de formato, mira si puedes mejorarlo;)
Okx
1
@Okx: Sí, el formato es definitivamente la parte difícil aquí. Algo así Ÿ[Ðg1‹#',ý,¦(¨sería suficiente de lo contrario :)
Emigna
1
No funciona correctamente para entradas como -3,15.
betseg
@betseg: Justo lo eres. Volvió a la versión anterior.
Emigna
7

Java 8, 483 480 486 467 bytes

(a,b)->{int f=0,l=b-a+3,z[][]=new int[l][l],y[]=new int[l],i,j,k=0;for(;b-a>=0;k++,a++,b--,f^=1)for(j=0,i=a;i<=b;i++)z[k][j++]=f<1?i:-i;String r="",s;for(i=0;i<l;y[i++]=k)for(j=0,k=1;j<l;k=f>k?f:k)f=(r+z[j++][i]).length();for(i=0;i<l;i++){k=z[i][0];if(i>0&&k==z[i][1]&k==z[i-1][2])break;for(j=0;j<l;){k=z[i][j];s="";for(f=(s+k).length();f++<y[j];s+=" ");f=z[i][++j];if(k==f){r+=(i>0&&z[i-1][1]==z[i][1]?s+0:"")+"\n";j=l;}else r+=s+k+(f==z[i][j+1]?"":",");}}return r;}

Bytes generados debido a la corrección de errores.

Ok, esto tomó MUCHO más tiempo (y bytes) de lo que pensaba (en Java, eso es ...). Esto definitivamente se puede jugar un poco más, probablemente utilizando un enfoque completamente diferente en lugar de crear una matriz de cuadrícula NxN para llenar y luego 'quitar' los ceros (con un caso de borde molesto para el caso de prueba -1,1, así como-12,12 ) .

Pruébalo en línea.

Explicación:

(a,b)->{        // Method with two integer parameters and String return-type
  int f=0,      //  Flag-integer, starting at 0
      l=b-a+3,  //  Size of the NxN matrix,
                //  plus two additional zeros (so we won't go OutOfBounds)
      z[][]=new int[l][l],
                //  Integer-matrix (default filled with zeros)
      y[] = new int[l],
                //  Temp integer-array to store the largest length per column
      i,j,k=0;  //  Index-integers
  for(;b-a>=0   //  Loop as long as `b-a` is not negative yet
      ;         //    After every iteration:
       k++,     //     Increase `k` by 1
       a++,     //     Increase `a` by 1
       b--,     //     Decrease `b` by 1
       f^=1)    //     Toggle the flag-integer `f` (0→1 or 1→0)
    for(j=0,i=a;i<=b;i++)
                //   Inner loop `i` in the range [`a`, `b`]
      z[k][j++]=//    Set all the values in the matrix to:
        f<1?    //     If the flag is 0:
         i      //      Simply use `i`
        :       //     Else (flag is 1):
         -i;    //      Use the negative form of `i` instead
  String r="",  //  The return-String
         s;     //  Temp-String used for the spaces
  for(i=0;i<l;  //  Loop `i` over the rows of the matrix
      ;y[i++]=k)//    After every iteration: Set the max column-width
    for(j=0,k=1;j<l;
                //   Inner loop `j` over the cells of each row
        k=f>k?f:k)
                //     After every iteration: Set `k` to the highest of `k` and `f`
      f=(r+z[j++][i]).length();
                //    Determine current number's width
                //    (NOTE: `f` is no longer the flag, so we re-use it as temp value)
  for(i=0;i<l;i++){
                //  Loop `i` over the rows of the matrix again
    k=z[i][0];  //   Set `k` to the first number of this row
    if(i>0      //   If this isn't the first row
       &&k==z[i][1]&k==z[i-1][2])
                //   and the first number of this row, second number of this row,
                //   AND third number of the previous row all equal (all three are 0)
      break;    //    Stop loop `i`
    for(j=0;j<l;){
                //   Inner loop `j` over the cells of each row
      k=z[i][j];//    Set `k` to the number of the current cell
      s="";     //    Make String `s` empty again
      for(f=(s+k).length();f++<y[j];s+=" ");
                //    Append the correct amount of spaces to `s`,
                //    based on the maximum width of this column, and the current number
      f=z[i][++j];
                //    Go to the next cell, and set `f` to it's value
      if(k==f){ //    If the current number `k` equals the next number `f` (both are 0)
        r+=     //     Append result-String `r` with:
          (i>0  //      If this isn't the first row
           &&z[i-1][1]==z[i][1]?
                //      and the second number of this and the previous rows 
                //      are the same (both are 0):
            s+0 //       Append the appropriate amount of spaces and a '0'
           :    //      Else:
            "") //       Leave `r` the same
          +"\n";//     And append a new-line
         j=l;}  //     And then stop the inner loop `j`
      else      //    Else:
       r+=s     //     Append result-String `r` with the appropriate amount of spaces
          +k    //     and the number 
          +(f==z[i][j+1]?"":",");}}
                //     and a comma if it's not the last number of the row
  return r;}    //  Return the result `r`
Kevin Cruijssen
fuente
6

Javascript (ES6), 269 bytes

(a,b,d=~a+b+2,o=Array(~~(d/2)+1).fill([...Array(d)].map(_=>a++)).map((e,i)=>e.slice(i,-i||a.a)).map((e,i)=>i%2==0?e:e.map(e=>e*-1)))=>o.map(e=>e.map((e,i)=>' '.repeat(Math.max(...[...o.map(e=>e[i]).filter(e=>e!=a.a)].map(e=>[...e+''].length))-`${e}`.length)+e)).join`
`

Explicado:

(                                     // begin arrow function

  a,b,                                // input

  d=~a+b+2,                           // distance from a to b

  o=Array(~~(d/2)+1)                  // create an outer array of
                                      // (distance divided by 2 
                                      // floored + 1) length

    .fill(                            // fill each outer element
                                      // with the following:

      [...Array(d)]                   // create inner array of the 
                                      // distance length and 
                                      // fill with undefined

        .map(_=>a++)                  // map each inner element 
                                      // iterating from a to b
    ) 
    .map(                             // map outer array

      (e,i)=>e.slice(i,-i||a.a)       // remove n elements from each end 
                                      // of the inner array corresponding 
                                      // to the outer index with a special 
                                      // case of changing 0 to undefined
    )
    .map(                             // map outer array

      (e,i)=>i%2==0?e:e.map(e=>e*-1)  // sign change the inner elements
                                      // in every other outer element
    )
)=>                                   // arrow function return

  o                                   // outer array

    .map(                             // map outer array

      e=>e.map(                       // map each inner array

        (e,i)=>' '.repeat(            // repeat space character the
                                      // following amount:

          Math.max(...                // spread the following array to
                                      // max arguments:

            [...                      // spread the following to an
                                      // array:

              o                       // outer array

                .map(e=>e[i])         // map returning each element of
                                      // the same inner index from the
                                      // outer array

                .filter(e=>e!=a.a)    // remove undefined elements
            ]
            .map(e=>[...e+''].length) // map each element to the  
                                      // length of the string

          )                           // returns the max string 
                                      // length of each column

          -`${e}`.length              // subtract the current 
                                      // element's string length 
                                      // from the max string length

      )                               // returns the appropriate amount
                                      // of padding

      +e                              // add the element to the padding
    )
  ).join`
`                                     // join each element of outer
                                      // array as string with newline

const f = (a,b,d=~a+b+2,o=Array(~~(d/2)+1).fill([...Array(d)].map(_=>a++)).map((e,i)=>e.slice(i,-i||a.a)).map((e,i)=>i%2==0?e:e.map(e=>e*-1)))=>o.map(e=>e.map((e,i)=>' '.repeat(Math.max(...[...o.map(e=>e[i]).filter(e=>e!=a.a)].map(e=>[...e+''].length))-`${e}`.length)+e)).join`
`
console.log('Test Case: -1,1')
console.log(f(-1,1))
console.log('Test Case: -3,6')
console.log(f(-3,6))
console.log('Test Case: -2,8')
console.log(f(-2,8))
console.log('Test Case: -15,8')
console.log(f(-15,8))
console.log('Test Case: -3,15')
console.log(f(-3,15))
console.log('Test Case: -12,12')
console.log(f(-12,12))

Powelles
fuente
¿Puedes agregar los nuevos casos de prueba?
betseg
4

QBIC , 46 bytes

::[0,-1*a+b,2|[a,b|?d*q';`]q=q*-1┘a=a+1┘b=b-1?

Cómo funciona:

::           Read the negative and positive ints as a and b
[0,-1*a+b,2| FOR(c = 0; c < range(a, b); c+=2) {} This creates the proper amount of lines.
  [a,b|      For each line, loop from lower to upper
    ?d*q     Print the current point in the range, accounting for the sign-switch
     ';`     And suppress newlines. The ' and ` stops interpreting special QBIC commands.
  ]          NEXT line
  q=q*-1┘    Between the lines, flip the sign-flipper
  a=a+1┘     Increase the lower bound
  b=b-1?     Decrease the upper bound, print a newline
             The outermost FOR loop is auto-closed at EOF.

Afortunadamente, al imprimir un número, QBasic agrega automáticamente el relleno necesario.

Steenbergh
fuente
Otro caso de encontrar el idioma adecuado para hacer el trabajo :) +1
ElPedro
+1 ¿Hay disponible un compilador en línea para QBIC? Me gustaría verlo en acción para todos los casos de prueba (aunque confío en que alineará todo automáticamente). La primera vez que veo QBIC, hay dos preguntas cuando leo su explicación: si lo leo correctamente q, ¿el valor predeterminado comienza en 1? ¿Todos los valores en QBIC comienzan en 1, o hay algo que me falta aquí? ¿Y cuál es el d/ dónde drepresenta el soporte? ¿O es del número actual en el bucle y el ?simplemente un delimitado necesario en el código del bucle for (en lugar de ?ser el número actual, que fue como lo leí inicialmente)?
Kevin Cruijssen
1
@KevinCruijssen Aún no hay intérprete en línea, lo siento. Estoy trabajando en uno, pero es más difícil de lo que piensas que QBasic 4.5 se ejecute en tu navegador :-). qcomienza en 1. Todas las letras minúsculas son números vars y las letras q-zse inicializan en 1-10. Y varios comandos asignan automáticamente números en el orden en que se encuentran en el código. des, de hecho, el iterador en el bucle FOR interno. Para más detalles, vea también el escaparate , o este
steenbergh
3

Perl 6 , 146 bytes

{$_:=(($^a..$^b).List,{-«.[1..*-2]}...3>*).List;$/:=[map {"%{.max}s"},roundrobin($_)».chars];map {join ',',map {$^a.fmt: $^b},flat($_ Z $/)},$_}

Intentalo

Produce una secuencia de cuerdas

Expandido:

{  # bare block lambda with placeholder parameters 「$a」 and 「$b」

  # generate the data
  $_ := (                 # bind to $_ so it isn't itemized

                          # produce a sequence
    ( $^a .. $^b ).List,  # seed the sequence, and declare parameters
    { \ .[ 1 .. *-2 ] } # get all the values except the ends and negate
    ...                   # keep producing until
    3 > *                 # the length of the produced list is less than 3

  ).List;                 # turn the Seq into a List


  # generate the fmt arguments
  $/ := [                 # bind an array to 「$/」 so it isn't a Seq
    map
      { "%{ .max }s" },   # turn into a 「.fmt」 argument ("%2s")

      roundrobin($_)\     # turn the "matrix" 90 degrees
      ».chars             # get the string length of each number
  ];


  # combine them together
  map
    {
      join ',',
        map
          { $^a.fmt: $^b }, # pad each value out
          flat(
            $_ Z $/         # zip the individual number and it's associated fmt
          )
    },
    $_                      # map over the data generated earlier
}
Brad Gilbert b2gills
fuente
3

PHP 7.1, 277 bytes

for([,$a,$b]=$argv,$c=count($r=range($a,$b))/2;$c-->0;$r=range(-$r[1],-$r[count($r)-2]))$y[]=array_map(strlen,$x[]=$r);for($i=0;$i<count($y[0]);$i++)$z[$i]=max(array_column($y,$i));foreach($x as $g){$o=[];foreach($g as$k=>$v)$o[]=sprintf("%$z[$k]d",$v);echo join(",",$o)."\n";}

Intérprete en línea

Jörg Hülsermann
fuente
2
¿Puedes vincular un intérprete en línea?
betseg
@betseg Hecho y darse cuenta de que mi versión no había funcionado correctamente
Jörg Hülsermann
oh gawd solo usando php en codegolf.se. TENER TODOS LOS VOTOS.
Evan Carroll
3

Aplicación de consola C # 196 Bytes

static void p(int a,int b){string S="",d ="";int c=-1;for(int i=b;i >=a;i--){c=c==1?c=-1:c=1;for(int j = a;j<=i;j++){S=j!=a?",":S="";d=d+S+(j*c);}d+= "\r\n";a++;}Console.Write(d);Console.Read();}
AkhilKumar
fuente
Bienvenido a PPCG! Puede sangrar su código usando 4 espacios (vea mi edición). En el código de golf, debe tener el recuento de bytes más corto posible (la cantidad de bytes en su código), lo que significa nombres de variables más cortos y la eliminación de espacios. Además, debe poner su conteo de bytes en su encabezado una vez que haya terminado.
clismique
2

Javascript - 196 185 176 bytes

function f(i,j){l=[];for(x=i;x<j+1;x++)l.push(x);h='<table>';while(l.length>0){h+='<tr>';for(x=0;x<l.length;x++){h+='<td align=right>'+l[x];l[x]*=-1}l.shift();l.pop()}return h}

No estoy realmente al día con algunas de las técnicas JS más nuevas, por lo que probablemente esto se pueda jugar mucho más.

Simplemente crea una buena tabla HTML pasada de moda sin un ancho definido para las celdas, por lo que la primera fila tiene el ancho predeterminado de cada entrada en el espacio óptimo. También (ab) usa la "característica" de HTML de no requerir etiquetas de cierre si aparece primero una nueva etiqueta de apertura.

<script>
function f(i,j){l=[];for(x=i;x<j+1;x++)l.push(x);h='<table>';while(l.length>0){h+='<tr>';for(x=0;x<l.length;x++){h+='<td align=right>'+l[x];l[x]*=-1}l.shift();l.pop()}return h}
document.write(f(-1,1))
</script>

<script>
function f(i,j){l=[];for(x=i;x<j+1;x++)l.push(x);h='<table>';while(l.length>0){h+='<tr>';for(x=0;x<l.length;x++){h+='<td align=right>'+l[x];l[x]*=-1}l.shift();l.pop()}return h}
document.write(f(-3,6))
</script>

<script>
function f(i,j){l=[];for(x=i;x<j+1;x++)l.push(x);h='<table>';while(l.length>0){h+='<tr>';for(x=0;x<l.length;x++){h+='<td align=right>'+l[x];l[x]*=-1}h+='</tr>';l.shift();l.pop()}return h}
document.write(f(-2,8))
</script>

<script>
function f(i,j){l=[];for(x=i;x<j+1;x++)l.push(x);h='<table>';while(l.length>0){h+='<tr>';for(x=0;x<l.length;x++){h+='<td align=right>'+l[x];l[x]*=-1}h+='</tr>';l.shift();l.pop()}return h}
document.write(f(-15,8))
</script>

<script>
function f(i,j){l=[];for(x=i;x<j+1;x++)l.push(x);h='<table>';while(l.length>0){h+='<tr>';for(x=0;x<l.length;x++){h+='<td align=right>'+l[x];l[x]*=-1}h+='</tr>';l.shift();l.pop()}return h}
document.write(f(-3,15))
</script>

<script>
function f(i,j){l=[];for(x=i;x<j+1;x++)l.push(x);h='<table>';while(l.length>0){h+='<tr>';for(x=0;x<l.length;x++){h+='<td align=right>'+l[x];l[x]*=-1}h+='</tr>';l.shift();l.pop()}return h}
document.write(f(-12,12))
</script>

ElPedro
fuente
2

Python 2 - 208 bytes

Pruébalo en línea

d,u=input()
l=[x for x in range(d,u+1)]
M=map(lambda x:~9<x<21-u-u%2and 2or 3,l)
M[-1]-=1
M[-2]-=1
while len(l)>0:print','.join(map(lambda i:('%'+'%d'%M[i]+'d')%l[i],range(len(l))));l=map(lambda e:-e,l[1:-1])

Crea una matriz de valores de relleno y luego lo usa para construir las cadenas formateadas necesarias

Explicación:

d,u=input()
# create list of all values
l=[x for x in range(d,u+1)]
# create array of padding values
# by default, padding 2 used for numbers in [-9;9] and 3 for all other (limited with -99 and 99)
# but contracting list moves numbers larger that 9 under ones, that are <=9
# so upper limit of padding 2 is limited with 21-u-u%2
# (~9 == -10)
M=map(lambda x:~9<x<21-u-u%2and 2or 3,l)
# last two elements should have lower padding as there won't be any other numbers it their columns
M[-1]-=1
M[-2]-=1
while len(l)>0:
    # create formatted string for every element in l
    # join all strings with comma
    print','.join(map(lambda i:('%'+'%d'%M[i]+'d')%l[i],range(len(l))))
    # get slice without first and last element and change sigh
    l=map(lambda e:-e,l[1:-1])
Zarigüeya muerta
fuente
Hola, bienvenido a PPCG! Desafortunadamente, actualmente no es correcto. Ha agregado el mismo margen a todos los números, así como también agrega espacios como delimitador. El desafío era utilizar un delimitador de su elección (excepto espacios en blanco), pero lo más importante: tener la alineación basada en el número con el ancho más grande en esa columna específica. Consulte la sección Importante del desafío, así como los casos de prueba como ejemplo. No eres el primero en hacerlo incorrecto, pero actualmente no es válido con el desafío especificado. Siéntase libre de eliminar, modificar para cumplir con las reglas y recuperar su respuesta
Kevin Cruijssen
2
@KevinCruijssen ¡Gracias por señalar esto! He actualizado mi respuesta
Dead Possum
1
¡Eso sí que se ve mucho mejor! Sólo una pequeña regla que se olvidó: " La salida también puede contener un delimitador de su propia elección (a excepción de los espacios en blanco y las nuevas líneas) : Es decir, ,y ;y |son todos los delimitadores aceptables. " En la actualidad se utiliza un espacio como delimitador. Pero la dificultad principal del ancho se ha abordado, por lo que lo estás haciendo muy bien hasta ahora. Solo este pequeño cambio, y luego debería hacerse. :)
Kevin Cruijssen
1
¡Perfecto! +1 Buen trabajo corrigiendo todo. Y una vez más, bienvenidos a PPCG. (Por cierto, ¿es necesario el espacio aquí %l[i], range?)
Kevin Cruijssen
2
@KevinCruijssen Espero quedarme con PPCG por un tiempo, parece muy interesante (no, guardó un byte más)
Possum muerto el