Representación de rebajas simple

20

Hay varias formas de crear encabezados en publicaciones en la red de Stack Exchange. El formato que es más comúnmente 1 utilizado en PPCG parece ser:

# Level one header
## Level two header
### Level three header

Tenga en cuenta el espacio después de las marcas hash. Además, tenga en cuenta que las marcas hash finales no están incluidas.

Desafío:

Tome una cadena (posiblemente multilínea) como entrada y envíe la cadena en el siguiente formato:

  • Si el encabezado es el nivel 1, entonces envíe cada letra 4 por 4 veces
  • Si el encabezado es de nivel 2, entonces envíe cada letra 3 por 3 veces
  • Si el encabezado es de nivel 3, entonces envíe cada letra 2 por 2 veces
  • Si una línea no es un encabezado, envíela como está.

Para ilustrar:

--- Level 1 ---
# Hello
--- Output---
HHHHeeeelllllllloooo    
HHHHeeeelllllllloooo
HHHHeeeelllllllloooo
HHHHeeeelllllllloooo

--- Level 2 ---
## A B C def
--- Output ---
AAA   BBB   CCC   dddeeefff
AAA   BBB   CCC   dddeeefff
AAA   BBB   CCC   dddeeefff

--- Level 3 ---
### PPCG!
--- Output---
PPPPCCGG!!
PPPPCCGG!!

¡Simple como eso!


Reglas:

  • Debe admitir la entrada en varias líneas. Usar \netc. para líneas nuevas está bien.
    • No habrá líneas que contengan solo un #seguido de un solo espacio
  • La salida debe presentarse en varias líneas. No puede generar resultados en \nlugar de nuevas líneas literales.
    • Los espacios finales y las nuevas líneas están bien.

Casos de prueba:

La entrada y la salida están separadas por una línea de ....

# This is a text
with two different
### headers!
........................................................    
TTTThhhhiiiissss    iiiissss    aaaa    tttteeeexxxxtttt
TTTThhhhiiiissss    iiiissss    aaaa    tttteeeexxxxtttt
TTTThhhhiiiissss    iiiissss    aaaa    tttteeeexxxxtttt
TTTThhhhiiiissss    iiiissss    aaaa    tttteeeexxxxtttt
with two different
hheeaaddeerrss!!
hheeaaddeerrss!!

This input has
## trailing hash marks ##
#and a hash mark without a space after it.
........................................................    
This input has
tttrrraaaiiillliiinnnggg   hhhaaassshhh   mmmaaarrrkkksss   ######
tttrrraaaiiillliiinnnggg   hhhaaassshhh   mmmaaarrrkkksss   ######
tttrrraaaiiillliiinnnggg   hhhaaassshhh   mmmaaarrrkkksss   ######
#and hash marks without a space after it.

# This ## is ### strange
#### ###
........................................................
TTTThhhhiiiissss    ########    iiiissss    ############    ssssttttrrrraaaannnnggggeeee
TTTThhhhiiiissss    ########    iiiissss    ############    ssssttttrrrraaaannnnggggeeee
TTTThhhhiiiissss    ########    iiiissss    ############    ssssttttrrrraaaannnnggggeeee
TTTThhhhiiiissss    ########    iiiissss    ############    ssssttttrrrraaaannnnggggeeee
#### ###

Multiple


### newlines! # 
:)
........................................................    
Multiple


nneewwlliinneess!!  ##
nneewwlliinneess!!  ##
:)

Line with only a hash mark:
#
### ^ Like that!
........................................................    
Line with only a hash mark:
#
^^  LLiikkee  tthhaatt!!
^^  LLiikkee  tthhaatt!!

1: Realmente no lo he comprobado, pero creo que es cierto.

Stewie Griffin
fuente
¿Podemos tomar la entrada como un conjunto de cadenas?
Ian H.

Respuestas:

7

Apilado , 51 50 bytes

Guardado 1 byte gracias a @RickHitchcock - golfge regex

['^(##?#?) (.+)'[\#'5\-@k CS k*k rep LF#`]3/mrepl]

Pruébalo en línea!

Función anónima que toma información de la pila y la deja en la pila.

Explicación

['^(##?#?) (.+)'[\#'5\-@k CS k*k rep LF#`]3/mrepl]
[                                            mrepl]   perform multiline replacement
 '^(##?#?) (.+)'                                     regex matching headers
                [                        ]3/         on each match:
                 \#'                                   count number of hashes
                    5\-                                5 - (^)
                       @k                              set k to number of repetitions
                          CS                           convert the header to a char string
                             k*                        repeat each char `k` times
                               k rep                   repeat said string `k` times
                                     LF#`              join by linefeeds
Conor O'Brien
fuente
3

JavaScript (ES6), 111105 bytes

Guardado 6 bytes gracias a @Shaggy

s=>s.replace(/^(##?#?) (.+)/gm,(_,a,b)=>`
${b.replace(/./g,e=>e.repeat(l=5-a.length))}`.repeat(l).trim())

Coincide con 1-3 hashes al comienzo de la cadena o precedidos por una nueva línea, luego repite cada carácter en la coincidencia junto con la coincidencia misma, según la longitud de los hashes.

Casos de prueba:

Rick Hitchcock
fuente
2

Retina , 125 104 bytes

m(`(?<=^# .*).
$0$0$0$0
(?<=^## .*).
$0$0$0
(?<=^### .*).
$0$0
^# 
$%'¶$%'¶$%'¶
^## 
$%'¶$%'¶
^### 
$%'¶

Pruébalo en línea

Guardado 21 bytes gracias a Neil.

mbomb007
fuente
Ahorre 3 bytes mediante el uso %)en la tercera etapa que le permite eliminar los %s en las dos primeras etapas. Además, normalmente se coloca Gdespués de la (s (de la cual ahora necesitará dos) en el encabezado.
Neil
Mejor aún, puede usar m)o m(que ahora ahorra 9 bytes porque luego puede eliminar todos los otros ms.
Neil
El encabezado resultó ser innecesario. Además, guardé otros 12 bytes: ¡ Pruébelo en línea!
Neil
Oh, sí, estaba acostumbrado a usar el encabezado para múltiples casos de prueba.
mbomb007
2

MATL , 43 42 40 bytes

¡1 byte eliminado gracias a Rick Hitchcock !

`j[]y'^##?#? 'XXgn:(2M4:QP&mt~+t&Y"0YcDT

Esto genera un espacio final en cada línea (permitido por el desafío) y sale con un error (permitido por defecto) después de producir la salida.

Pruébalo en línea!

Explicación

`            % Do...while loop
  j          %   Input a line as unevaluated string
  []         %   Push empty array
  y          %   Duplicate from below: push input line again
  '^##?#? '  %   Push string for regexp pattern
  XX         %   Regexp. Returns cell array with the matched substrings
  g          %   Get cell array contents: a string, possibly empty
  n          %   Length, say k. This is the title level plus 1, or 0 if no title
  :(         %   Assign the empty array to the first k entries in the input line
             %   This removing those entries from the input
  2M         %   Push k again
  4:QP       %   [1 2 3 4], add 1 , flip: pushes [5 4 3 2]
  &m         %   Push index of k in that array, or 0 if not present. This gives
             %   4 for k=2 (title level 1), 3 for k=3 (tile level 2), 2 for k=2
             %   (title level 1), and 0 for k=0 (no title). The entry 5 in the
             %   array is only used as placeholder to get the desired result.
  t~+        %   Duplicate, negate, add. This transforms 0 into 1
  t&Y"       %   Repeat each character that many times in the two dimensions
  0Yc        %   Postpend a column of char 0 (displayed as space). This is 
             %   needed in case the input line was empty, as MATL doesn't
             %   display empty lines
  D          %   Display now. This is needed because the program will end with
             %   an error, and so implicit display won't apply
  T          %   True. This is used as loop condition, to make the loop infinite
             % End (implicit)
Luis Mendo
fuente
Me preguntaba cuál era la mejor manera de hacer esto en MATLAB ... El producto Kronecker era, por supuesto, la mejor manera de hacerlo :) ¡Genial!
Stewie Griffin
@StewieGriffin Cuando vi el desafío, inmediatamente pensé en el producto Kronecker. Pero acabo de encontrar una forma que es 2 bytes más corta usando repelem( Y"en MATL). kronsigue siendo probablemente el camino más corto en MATLAB
Luis Mendo
1

Carbón , 46 bytes

FN«Sι≔⊕⌕E³…⁺×#κι⁴### θF⎇θ✂ι⁻⁵θLι¹ι«G↓→↑⊕θκ→»D⎚

Pruébalo en línea! El enlace es a la versión detallada del código. El carbón de leña realmente no hace la entrada del conjunto de cadenas, por lo que tuve que agregar la longitud del conjunto como entrada. Explicación:

FN«Sι

Pase el número apropiado de cadenas de entrada.

≔⊕⌕E³…⁺×#κι⁴### θ

Cree una matriz de cadenas tomando la entrada y el prefijo hasta 2 #s, luego truncando a la longitud 4, luego intente encontrar ###en la matriz, luego convierta a indexación 1. Esto da como resultado un número que es uno menos que el zoom de la letra.

F⎇θ✂ι⁻⁵θLι¹ι«

Si el zoom de la letra es 1, haga un bucle sobre toda la cadena; de lo contrario, repita sobre el sufijo apropiado (que es irrazonablemente difícil de extraer en carbón).

G↓→↑⊕θκ→

Dibuje un polígono con la letra que termina en la esquina superior derecha y luego muévase a la derecha listo para la siguiente letra.

»D⎚

Imprima el resultado y reinicie listo para la siguiente cadena de entrada.

Neil
fuente
1

SOGL V0.12 , 31 28 bytes

¶Θ{■^##?#? øβlF⁄κ6κ5%:GI*∑∙P

Pruébalo aquí! - código adicional agregado porque el código es una función y toma entrada en la pila (SOGL no puede tomar entrada de varias líneas de otra manera: /) - inputs.value”- empuja esa cadena, - evalúa como JS, F- llama a esa función

Explicación:

¶Θ                            split on newlines
  {                           for each item
   ■^##?#?                      push "^##?#? "
           øβ                   replace that as regex with nothing
             l                  get the new strings length
              F⁄                get the original strings length
                κ               and subtract from the original length the new strings length
                 6κ             from 6 subtract that
                   5%           and modulo that by 5 - `6κ5%` together transforms 0;2;3;4 - the match length to 1;4;3;2 - the size
                     :          duplicate that number
                      G         and get the modified string ontop
                       I        rotate it clockwise - e.g. "hello" -> [["h"],["e"],["l"],["l"],["o"]]
                        *       multiply horizontally by one copy of the size numbers - e.g. 2: [["hh"],["ee"],["ll"],["ll"],["oo"]]
                         ∑      join that array together - "hheelllloo"
                          ∙     and multiply vertiaclly by the other copy of the size number: ["hheelllloo","hheelllloo"]
                           P    print, implicitly joining by newlines
dzaima
fuente
0

Protón , 130 bytes

x=>for l:x.split("\n"){L=l.find(" ")print(L>3or L+len(l.lstrip("\#"))-len(l)?l:"\n".join(["".join(c*(5-L)for c:l[L+1to])]*(5-L)))}

Pruébalo en línea!

Hiperneutrino
fuente
Creo que no puede recibir ni devolver una lista de líneas, las reglas son bastante estrictas: debe admitir la entrada en varias líneas. , La salida debe presentarse en varias líneas. No puede generar \ n en lugar de nuevas líneas literales. .
Sr. Xcoder
@ Mr.Xcoder Whoops, mi mal. Fijación.
HyperNeutrino
Nota: Está bien si la entrada tiene \n, pero la salida debe mostrarse con nuevas líneas literales.
Stewie Griffin
@ mbomb007 ¡Vaya! Olvidé ponerlo 5-allí. Lo sentimos
HyperNeutrino
@ mbomb007 solucionado
HyperNeutrino
0

Python 3 , 147 bytes

def f(x):
	for l in x.split("\n"):L=l.find(" ");print(L>3or L+len(l.lstrip("#"))-len(l)and l or"\n".join(["".join(c*(5-L)for c in l[L+1:])]*(5-L)))

Pruébalo en línea!

-1 byte gracias al Sr. Xcoder

Hiperneutrino
fuente
@ mbomb007 ¡Vaya! Olvidé ponerlo 5-allí. Lo sentimos
HyperNeutrino
0

C # (.NET Core) , 268 + 18 bytes

n=>{var r="";for(int l=0,c;l<n.Length;l++){var m=n[l];var s=m.Split(' ');var y=s[0];if(!y.All(x=>x==35)|y.Length>3|s.Length<2)r+=m+'\n';else for(int i=0,k=y.Length;i<5-k;i++){for(c=1;c<m.Length-k;)r+=new string(m.Substring(k,m.Length-k)[c++],5-k);r+='\n';}}return r;};

Pruébalo en línea!

Ian H.
fuente
0

Python 3 , 131 bytes

from re import*
print(sub("^(#+) (.*?)$",lambda x:((sub('(.)',r'\1'*(5-len(x[1])),x[2])+'\n')*(5-len(x[1])))[:-1],input(),flags=M))

Pruébalo en línea!

Usé Python 3 para usar []con expresiones regulares.

Neil
fuente
0

PHP, 122 + 1 bytes

for($y=$z=" "==$s[$i=strspn($s=$argn,"#")]&&$i?5-$i++:1+$i=0;$y--;print"
")for($k=$i;~$c=$s[$k++];)echo str_pad($c,$z,$c);

Ejecute como tubería con -nR(funcionará en una línea de entrada después de otra) o pruébelo en línea .

Titus
fuente
0

J , 55 bytes

([:{:@,'^##?#? 'rxmatch])((1 1 4 3 2{~[)([:|:[$"0#)}.)]

No sé cómo hacer que TIO funcione con J regex, por lo que no puedo proporcionar un enlace de trabajo.

Aquí se explica cómo probarlo en el intérprete J (probado con J804)

   f=.([:{:@,'^##?#? 'rxmatch])((1 1 4 3 2{~[)([:|:[$"0#)}.)]
   txt=.'# Hello'; '## A B C def'; '### PPCG!'; '#and a hash mark without a space after it.'; '##### ###'
   ; f each txt

HHHHeeeelllllllloooo                      
HHHHeeeelllllllloooo                      
HHHHeeeelllllllloooo                      
HHHHeeeelllllllloooo                      
AAA   BBB   CCC   dddeeefff               
AAA   BBB   CCC   dddeeefff               
AAA   BBB   CCC   dddeeefff               
PPPPCCGG!!                                
PPPPCCGG!!                                
#and a hash mark without a space after it.
##### ###

Simulo una cadena multilínea a través de una lista de cadenas en caja.

Galen Ivanov
fuente
0

Python 2 , 126 124 117 bytes

while 1:l=raw_input();i=l.find(' ');v=5-i*(l[:i]in'###');exec"print[l,''.join(c*v for c in l[i+1:])][v<5];"*(v>4or v)

Pruébalo en línea!

o

while 1:l=raw_input();i=l.find(' ');t=''<l[:i]in'###';exec"print[l,''.join(c*(5-i)for c in l[i+1:])][t];"*(t<1or 5-i)

Pruébalo en línea!

ovs
fuente
0

JavaScript, 112 bytes

x=>x.replace(/^(##?#?) (.*)/mg,(_,n,w)=>(t=>Array(t).fill(w.replace(/./g,c=>c.repeat(t))).join`
`)(5-n.length))

tsh
fuente
No creo que esto funcione #### ##.
Rick Hitchcock
@RickHitchcock fijo
TSH
0

C # 4.5 158 Bytes

Donde i es la entrada en forma de una cadena.

int l,m,t,s=0;while(i[s]=='#'){s++;};t=s>0?4-s+1:1;for(l=0;l<t;l++){foreach(char c in i.Skip(s>0?s+1:0))for(m=0;m<t;m++)Console.Write(c);Console.WriteLine();}
supermeerkat
fuente