Dessinez des boîtes ASCII dans des boîtes

23

Problème

entrée donnée a,b,c

a,b,csont des entiers pairs positifs

et a > b > c

Faire une boîte de n'importe quel caractère autorisé avec des dimensions a x a

Centrer une boîte d'un caractère autorisé différent avec des dimensions b x bdans le précédent

Centrer une boîte d'un autre caractère autorisé différent avec des dimensions c x cdans le précédent

Les caractères autorisés sont des caractères ASCII [a-zA-z0-9!@#$%^&*()+,./<>?:";=_-+]

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

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

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

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

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

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

Règles

  • Victoires de code les plus courtes
  • N'oubliez pas que vous pouvez choisir le caractère à imprimer dans la plage indiquée
  • Nouvelles lignes de fin acceptées
  • Espace de fin accepté
  • les fonctions peuvent renvoyer une chaîne avec des retours à la ligne, un tableau de chaînes ou l'imprimer
LiefdeWen
la source
5
L'entrée sera-t-elle toujours valide (c'est-à-dire que chaque numéro est au moins 2 de moins que le précédent)? Et les nombres seront-ils toujours (tous pairs) ou (tous impairs) pour assurer un dessin symétrique?
scatter
Assez similaire à Afficher l'âge des cernes .
manatwork
1
@Christian les 3 premières lignes définissent ces exigences, faites-le moi savoir si elles sont suffisantes.
LiefdeWen
@StefanDelport Vous avez raison, ça m'a manqué. Merci.
scatter

Réponses:

7

Fusain , 14 octets

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

Essayez-le en ligne! Le lien est vers la version détaillée du code.

Neil
la source
1
Le mode verbeux devrait maintenant fonctionner
ASCII uniquement
7

Gelée ,  20  19 octets

-1 octet en utilisant le rapide `pour éviter un lien, comme suggéré par Erik l'Outgolfer.

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

Un programme complet prenant une liste d' [a,b,c]impression des boîtes en utilisant a:2 b:1 c:0
... en fait, tout comme, il fonctionnera jusqu'à 10 boîtes, où la boîte est plus à l' intérieur 0( par exemple ).

Essayez-le en ligne!

Comment?

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
la source
7

Python 2, 107 103 octets

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

Programme complet, imprime des boîtes avec a=2, b=1,c=0

Réponse légèrement pire, avec compréhension de la liste (104 octets):

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
la source
5

C #, 274 232 octets

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 même pour C # donc peut certainement être joué au golf mais mon esprit est devenu vide.

Version complète / formatée:

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
la source
Vous semblez avoir retrouvé votre esprit, j + m <= n + cpeut devenir n + c > j + m
LiefdeWen
De plus alors que i + m >= nden < i + m
LiefdeWen
vous utilisez i+m4 fois, vous pouvez donc l'ajouter à une variable dans votre forpour en sauver
LiefdeWen
Pas vérifié correctement, mais: vous n'utilisez jamais iisolément, il suffit d'initialiser i=met de comparer i<b+m; ou ... utilisez simplement i, init i=0but loop on i<a, puis ajoutez à r[i]=new string('#',a),côté de j=0, et ajoutez une condition pour vérifier qu'il iest dans les limites de jla boucle de (cela devrait être payant, car vous perdez tout le Linq).
VisualMelon
3

Haskell , 126 octets

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

Essayez-le en ligne!

Bartavelle
la source
3

JavaScript (ES6), 174 170 147 octets

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

Essayez-le

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>


Explication

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.
Hirsute
la source
2

V , 70, 44 , 42 octets

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

Essayez-le en ligne!

C'est hideux. Eww. Bien mieux. Toujours pas le plus court, mais au moins un peu golfique.

Sauvegardé deux octets grâce à @ 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
la source
Vous pouvez combiner vos deux dernières lignes pour deux octets d'économie Essayez-le en ligne!
nmjcman101
@ nmjcman101 Ah, bon point. Merci!
DJMcMayhem
1

MATL , 26 23 22 20 18 octets

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

L'entrée est un vecteur de colonne [a; b; c]. Caractères Utilisations de sortie 2, 1, 0.

Essayez-le en ligne!

En passant, cela fonctionne jusqu'à dix boîtes, pas seulement trois Voici un exemple avec cinq boîtes .

Luis Mendo
la source
1

Mathematica, 49 octets

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

Prend des informations [c, b, a]. La sortie est a=1, b=2, c=3.

Comment?

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
la source
@Jenny_mathy Dans la question: * les fonctions peuvent renvoyer une chaîne avec des sauts de ligne, un tableau de chaînes ou l'imprimer. " GridNe fait Stringni ne le Printfait.
JungHwan Min
0

PHP> = 7.1, 180 octets

Dans ce cas, je déteste que les variables commencent par un $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 Online

Jörg Hülsermann
la source
Dans ce cas, la peinture avant impression est beaucoup plus courte. : D Ou est-ce parce que j'utilise $argvcomme un tableau? As-tu essayé ça? Avez-vous essayé des ternaires séparés?
Titus
@Titus Je ne sais pas mais mon approche corrige l'entrée de nombres impairs invalides
Jörg Hülsermann
0

Mathematica, 173 octets

(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)&

contribution

[12,6,2]

J42161217
la source
0

Python 2 , 87 octets

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

Essayez-le en ligne!

Calcule arithmétiquement les nombres à imprimer en ajoutant des nombres du formulaire 111100. Il y a beaucoup de laideur, probablement une amélioration.

xnor
la source
0

Java 8, 265 252 octets

 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 octets en remplaçant les caractères par des chiffres.

Peut certainement être joué au golf en utilisant une approche différente.

Explication:

Essayez-le ici.

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
la source
0

JavaScript (ES6), 112

Fonction anonyme renvoyant une chaîne de plusieurs lignes. Caractères 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)")

Moins 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
la source
0

PHP> = 5,6, 121 octets

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);

Exécutez-le -nrou testez-le en ligne .

Boucles combinées à nouveau ... je les aime!

panne

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
la source