Dibujar cuadros ASCII en cuadros

23

Problema

entrada dada a,b,c

donde a,b,cson positivos enteros pares

y a > b > c

Haga una caja de cualquier personaje permitido con dimensiones a x a

Centra un cuadro de un personaje permitido diferente con dimensiones b x bdentro del anterior

Centra una caja de otro personaje permitido diferente con dimensiones c x cdentro del anterior

Los caracteres permitidos son caracteres ASCII están en [a-zA-z0-9!@#$%^&*()+,./<>?:";=_-+]

Entrada a=6, b=4, c=2

######
#****#
#*@@*#
#*@@*#
#****#
######

Entrada a=8, b=6, c=2

########
#******#
#******#
#**@@**#
#**@@**#
#******#
#******#
########

Entrada a=12, b=6, c=2

############
############
############
###******###
###******###
###**@@**###
###**@@**###
###******###
###******###
############
############
############

Reglas

  • El código más corto gana
  • Recuerde que puede elegir qué carácter imprimir dentro del rango dado
  • Nuevas líneas finales aceptadas
  • Espacio en blanco al final aceptado
  • las funciones pueden devolver cadenas con líneas nuevas, matriz de cadenas o imprimirlas
LiefdeWen
fuente
55
¿La entrada siempre será válida (es decir, cada número es al menos 2 menos que el anterior)? ¿Y los números serán siempre (todos pares) o (todos impares) para garantizar un dibujo simétrico?
dispersión
Muy similar a Mostrar edad de anillos de árbol .
manatwork
1
@Christian las primeras 3 líneas definen esos requisitos, por favor avíseme si son suficientes.
LiefdeWen
@StefanDelport Correcto, lo extraño. Gracias.
dispersión

Respuestas:

7

Carbón , 14 bytes

F#*@UO÷N²ι‖C←↑

Pruébalo en línea! El enlace es a la versión detallada del código.

Neil
fuente
1
El modo detallado debería funcionar ahora
solo ASCII el
7

Jalea ,  20  19 bytes

-1 byte usando el rápido `para evitar un enlace, como lo sugiere Erik the Outgolfer.

H»þ`€Ḣ>ЀHSUṚm€0m0Y

Un programa completo que toma una lista [a,b,c]imprimiendo las cajas usando a:2 b:1 c:0
... de hecho, tal como está, funcionará para hasta 10 cajas, donde está la caja más interna 0( por ejemplo ).

Pruébalo en línea!

¿Cómo?

H»þ`€Ḣ>ЀHSUṚm€0m0Y - Main link: list of boxes, B = [a, b, c]
H                   - halve B = [a/2, b/2, c/2]
    €               - for €ach:
   `                -   repeat left argument as the right argument of the dyadic operation:
  þ                 -     outer product with the dyadic operation:
 »                  -       maximum
                    - ... Note: implicit range building causes this to yield
                    -       [[max(1,1),max(1,2),...,max(1,n)],
                    -        [max(2,1),max(2,2),...,max(2,n)],
                    -        ...
                    -        [max(n,1),max(n,2),...,max(n,n)]]
                    -       for n in [a/2,b/2,c/2]
     Ḣ              - head (we only really want n=a/2 - an enumeration of a quadrant)
         H          - halve B = [a/2, b/2, c/2]
       Ѐ           - map across right with dyadic operation:
      >             -   is greater than?
                    - ...this yields three copies of the lower-right quadrant
                    -    with 0 if the location is within each box and 1 if not
          S         - sum ...yielding one with 0 for the innermost box, 1 for the next, ...
           U        - upend (reverse each) ...making it the lower-left
            Ṛ       - reverse ...making it the upper-right
             m€0    - reflect €ach row (mod-index, m, with right argument 0 reflects)
                m0  - reflect the rows ...now we have the whole thing with integers
                  Y - join with newlines ...making a mixed list of integers and characters
                    - implicit print - the representation of a mixed list is "smashed"
Jonathan Allan
fuente
7

Python 2, 107103 bytes

a,b,c=input()
r=range(1-a,a,2)
for y in r:
 s=''
 for x in r:m=max(x,y,-x,-y);s+=`(m>c)+(m>b)`
 print s

Programa completo, imprime cajas con a=2, b=1,c=0

Respuesta ligeramente peor, con comprensión de la lista (104 bytes):

a,b,c=input()
r=range(1-a,a,2)
for y in r:print''.join(`(m>c)+(m>b)`for x in r for m in[max(x,y,-x,-y)])
TFeld
fuente
5

C #, 274 232 bytes

using System.Linq;(a,b,c)=>{var r=new string[a].Select(l=>new string('#',a)).ToArray();for(int i=0,j,m=(a-b)/2,n=(a-c)/2;i<b;++i)for(j=0;j<b;)r[i+m]=r[i+m].Remove(j+m,1).Insert(j+++m,i+m>=n&i+m<n+c&j+m>n&j+m<=n+c?"@":"*");return r;}

Terrible incluso para C #, por lo que definitivamente se puede jugar al golf, pero mi mente se ha quedado en blanco.

Versión completa / formateada:

using System;
using System.Linq;

class P
{
    static void Main()
    {
        Func<int, int, int, string[]> f = (a,b,c) =>
        {
            var r = new string[a].Select(l => new string('#', a)).ToArray();

            for (int i = 0, j, m = (a - b) / 2, n = (a - c) / 2; i < b; ++i)
                for (j = 0; j < b;)
                    r[i + m] = r[i + m].Remove(j + m, 1).Insert(j++ + m,
                        i + m >= n & i + m < n + c &
                        j + m > n & j + m <= n + c ? "@" : "*");

            return r;
        };

        Console.WriteLine(string.Join("\n", f(6,4,2)) + "\n");
        Console.WriteLine(string.Join("\n", f(8,6,2)) + "\n");
        Console.WriteLine(string.Join("\n", f(12,6,2)) + "\n");

        Console.ReadLine();
    }
}
TheLethalCoder
fuente
Parece que has recuperado la mente, j + m <= n + cpuedes llegar a ser n + c > j + m
LiefdeWen
Así entonces como i + m >= nan < i + m
LiefdeWen
usa i+m4 veces, por lo que puede agregarlo a una variable en su forpara guardar algo
LiefdeWen
No se verificó esto correctamente, pero: nunca se usa ide forma aislada, solo se inicializa i=my compara i<b+m; o ... simplemente use i, init i=0pero haga un bucle i<a, luego agregue al r[i]=new string('#',a),lado j=0y agregue una condición para verificar que iesté dentro de los límites del jbucle (esto debería pagar, porque pierde todo el Linq).
VisualMelon
3

Haskell , 126 bytes

f a b c=r[r["#*@"!!(v c+v b)|x<-[1..d a],let v k|x>a#k&&y>a#k=1|2>1=0]|y<-[1..d a]]where r x=x++reverse x;d=(`div`2);x#y=d$x-y

Pruébalo en línea!

bartavelle
fuente
3

JavaScript (ES6), 174 170 147 bytes

a=>b=>c=>(d=("#"[r="repeat"](a)+`
`)[r](f=a/2-b/2))+(e=((g="#"[r](f))+"*"[r](b)+g+`
`)[r](h=b/2-c/2))+(g+(i="*"[r](h))+"@"[r](c)+i+g+`
`)[r](c)+e+d

Intentalo

fn=
a=>b=>c=>(d=("#"[r="repeat"](a)+`
`)[r](f=a/2-b/2))+(e=((g="#"[r](f))+"*"[r](b)+g+`
`)[r](h=b/2-c/2))+(g+(i="*"[r](h))+"@"[r](c)+i+g+`
`)[r](c)+e+d
oninput=_=>+x.value>+y.value&&+y.value>+z.value&&(o.innerText=fn(+x.value)(+y.value)(+z.value))
o.innerText=fn(x.value=12)(y.value=6)(z.value=2)
label,input{font-family:sans-serif;}
input{margin:0 5px 0 0;width:50px;}
<label for=x>a: </label><input id=x min=6 type=number step=2><label for=y>b: </label><input id=y min=4 type=number step=2><label for=z>c: </label><input id=z min=2 type=number step=2><pre id=o>


Explicación

a=>b=>c=>            :Anonymous function taking the 3 integers as input via parameters a, b & c
(d=...)              :Assign to variable d...
("#"[r="repeat"](a)  :  # repeated a times, with the repeat method aliased to variable r in the process.
+`\n`)               :  Append a literal newline.
[r](f=a/2-b/2)       :  Repeat the resulting string a/2-b/2 times, assigning the result of that calculation to variable f.
+                    :Append.
(e=...)              :Assign to variable e...
(g=...)              :  Assign to variable g...
"#"[r](f)            :    # repeated f times.
+"*"[r](b)           :  Append * repeated b times.
+g+`\n`)             :  Append g and a literal newline.
[r](h=b/2-c/2)       :  Repeat the resulting string b/2-c/2 times, assigning the result of that calculation to variable h.
+(...)               :Append ...
g+                   :  g
(i=...)              :  Assign to variable i...
"*"[r](h)            :    * repeated h times.
+"@"[r](c)           :  @ repeated c times
+i+g+`\n`)           :  Append i, g and a literal newline.
[r](c)               :...repeated c times.
+e+d                 :Append e and d.
Lanudo
fuente
2

V , 70, 44 , 42 bytes

Àé#@aÄÀG@b|{r*ÀG@c|{r@òjdòÍ.“.
ç./æ$pYHP

Pruébalo en línea!

Esto es horrible Eww. Mucho mejor. Todavía no es el más corto, pero al menos algo golfoso.

¡Ahorré dos bytes gracias a @ nmjmcman101!

Hexdump:

00000000: c0e9 2340 61c4 c047 4062 7c16 7b72 2ac0  ..#@a..G@b|.{r*.
00000010: 4740 637c 167b 7240 f26a 64f2 cd2e 932e  G@c|.{[email protected].....
00000020: 0ae7 2e2f e624 7059 4850                 .../.$pYHP
DJMcMayhem
fuente
Puede combinar sus dos últimas líneas para guardar dos bytes. ¡ Pruébelo en línea!
nmjcman101
@ nmjcman101 Ah, buen punto. ¡Gracias!
DJMcMayhem
1

MATL , 26 23 22 20 18 bytes

2/t:<sPtPh!Vt!2$X>

La entrada es un vector de columna [a; b; c]. Utiliza la salida de caracteres 2, 1, 0.

Pruébalo en línea!

Además, funciona para hasta diez cajas, no solo para tres. Aquí hay un ejemplo con cinco cajas .

Luis Mendo
fuente
1

Mathematica, 49 bytes

Print@@@Fold[#~CenterArray~{#2,#2}+1&,{{}},{##}]&

Toma entrada [c, b, a] . La salida es a=1, b=2, c=3.

¿Cómo?

Print@@@Fold[#~CenterArray~{#2,#2}+1&,{{}},{##}]&
                                                &  (* Function *)
        Fold[                        ,{{}},{##}]   (* Begin with an empty 2D array.
                                                      iterate through the input: *)
                                    &              (* Function *)
             #~CenterArray~{#2,#2}                 (* Create a 0-filled array, size
                                                      (input)x(input), with the array
                                                      from the previous iteration
                                                      in the center *)
                                  +1               (* Add one *)
Print@@@                                           (* Print the result *)
JungHwan Min
fuente
@Jenny_mathy En la pregunta: * las funciones pueden devolver cadenas con líneas nuevas, matriz de cadenas o imprimirlas ". GridNo hace Stringni lo Printhace.
JungHwan Min
0

PHP> = 7.1, 180 bytes

En este caso, odio que las variables comiencen con a $en PHP

for([,$x,$y,$z]=$argv;$i<$x*$x;$p=$r%$x)echo XYZ[($o<($l=$x-$a=($x-$y)/2)&$o>($k=$a-1)&$p>$k&$p<$l)+($o>($m=$k+$b=($y-$z)/2)&$o<($n=$l-$b)&$p>$m&$p<$n)],($o=++$i%$x)?"":"\n".!++$r;

PHP Sandbox en línea

Jörg Hülsermann
fuente
En este caso, la pintura antes de imprimir es mucho más corta. : D ¿O es porque lo uso $argvcomo una matriz? ¿Has intentado eso? ¿Has probado ternaries separados?
Titus
@Titus No sé, pero mi aproximación corrige la entrada de números impares inválidos
Jörg Hülsermann
0

Mathematica, 173 bytes

(d=((a=#1)-(b=#2))/2;e=(b-(c=#3))/2;z=1+d;x=a-d;h=Table["*",a,a];h[[z;;x,z;;x]]=h[[z;;x,z;;x]]/.{"*"->"#"};h[[z+e;;x-e,z+e;;x-e]]=h[[z+e;;x-e,z+e;;x-e]]/.{"#"->"@"};Grid@h)&

entrada

[12,6,2]

J42161217
fuente
0

Python 2 , 87 bytes

a,_,_=t=input();r=~a
exec"r+=2;print sum(10**x/9*10**((a-x)/2)*(r*r<x*x)for x in t);"*a

Pruébalo en línea!

Calcula aritméticamente los números para imprimir agregando números del formulario 111100. Hay mucha fealdad, probablemente hay margen de mejora.

xnor
fuente
0

Java 8, 265 252 bytes

 a->b->c->{int r[][]=new int[a][a],x=0,y,t;for(;x<a;x++)for(y=0;y<a;r[x][y++]=0);for(t=(a-b)/2,x=t;x<b+t;x++)for(y=t;y<b+t;r[x][y++]=1);for(t=(a-c)/2,x=t;x<c+t;x++)for(y=t;y<c+t;r[x][y++]=8);String s="";for(int[]q:r){for(int Q:q)s+=Q;s+="\n";}return s;}

-13 bytes reemplazando los caracteres con dígitos.

Definitivamente se puede jugar al golf utilizando un enfoque diferente.

Explicación:

Pruébalo aquí

a->b->c->{                         // Method with three integer parameters and String return-type
  int r[][]=new int[a][a],         //  Create a grid the size of `a` by `a`
      x=0,y,t;                     //  Some temp integers
  for(;x<a;x++)for(y=0;y<a;r[x][y++]=0);
                                   //  Fill the entire grid with zeros
  for(t=(a-b)/2,x=t;               //  Start at position `(a-b)/2` (inclusive)
      x<b+t;x++)                   //  to position `b+((a-b)/2)` (exclusive)
    for(y=t;y<b+t;r[x][y++]=1);    //   And replace the zeros with ones
  for(t=(a-c)/2,x=t;               //  Start at position `(a-c)/2` (inclusive)
      x<c+t;x++)                   //  to position `c+((a-b)/2)` (exclusive)
    for(y=t;y<c+t;r[x][y++]=8);    //   And replace the ones with eights
  String s="";                     //  Create a return-String
  for(int[]q:r){                   //  Loop over the rows
    for(int Q:q)                   //   Inner loop over the columns
      s+=Q;                        //    and append the result-String with the current digit
                                   //   End of columns-loop (implicit / single-line body)
    s+="\n";                       //   End add a new-line after every row
  }                                //  End of rows-loop
  return s;                        //  Return the result-String
}                                  // End of method
Kevin Cruijssen
fuente
0

JavaScript (ES6), 112

Función anónima que devuelve una cadena de varias líneas. Caracteres 0,1,2

(a,b,c)=>eval("for(o='',i=-a;i<a;o+=`\n`,i+=2)for(j=-a;j<a;j+=2)o+=(i>=c|i<-c|j>=c|j<-c)+(i>=b|i<-b|j>=b|j<-b)")

Menos golf

(a,b,c)=>{
  for(o='',i=-a;i<a;o+=`\n`,i+=2)
    for(j=-a;j<a;j+=2)
      o+=(i>=c|i<-c|j>=c|j<-c)+(i>=b|i<-b|j>=b|j<-b)
  return o
}  

var F=
(a,b,c)=>eval("for(o='',i=-a;i<a;o+=`\n`,i+=2)for(j=-a;j<a;j+=2)o+=(i>=c|i<-c|j>=c|j<-c)+(i>=b|i<-b|j>=b|j<-b)")

function update()
{
  var [a,b,c]=I.value.match(/\d+/g)
  O.textContent=F(a,b,c)
}

update()
  
a,b,c <input id=I value='10 6 2' oninput='update()'>
<pre id=O></pre>

edc65
fuente
0

PHP> = 5.6, 121 bytes

for($r=A;$p?:$p=($z=$argv[++$i])**2;)$r[((--$p/$z|0)+$o=($w=$w?:$z)-$z>>1)*$w+$p%$z+$o]=_BCD[$i];echo chunk_split($r,$w);

Ejecutar -nro probarlo en línea .

Bucles combinados de nuevo ... ¡Los amo!

Descompostura

for($r=A;                           # initialize $r (result) to string
    $p?:$p=($z=$argv[++$i])**2;)    # loop $z through arguments, loop $p from $z**2-1 to 0
    $r[((--$p/$z|0)+$o=
        ($w=$w?:$z)                     # set $w (total width) to first argument
        -$z>>1)*$w+$p%$z+$o]            # calculate position: (y+offset)*$w+x+offset
        =_BCD[$i];                      # paint allowed character (depending on $i)
echo chunk_split($r,$w);            # insert newline every $w characters and print
Titus
fuente