Renderização de remarcação simples

20

Existem várias maneiras de criar cabeçalhos em postagens na rede Stack Exchange. O formato que é mais comumente 1 usado em PPCG parece ser:

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

Observe o espaço após as marcas de hash. Além disso, observe que marcas de hash à direita não estão incluídas.

Desafio:

Pegue uma string (possivelmente multilinha) como entrada e produza a string no seguinte formato:

  • Se o cabeçalho estiver no nível 1, emita cada letra 4 a 4 vezes
  • Se o cabeçalho estiver no nível 2, emita cada letra 3 a 3 vezes
  • Se o cabeçalho estiver no nível 3, emita cada letra 2 a 2 vezes
  • Se uma linha não é um cabeçalho, emita-a como está.

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!!

Simples assim!


Regras:

  • Você deve suportar a entrada em várias linhas. Usar \netc. para novas linhas está OK.
    • Não haverá linhas contendo apenas um #seguido por um único espaço
  • A saída deve ser apresentada em várias linhas. Você não pode produzir em \nvez de novas linhas literais.
    • Espaços à direita e novas linhas estão OK.

Casos de teste:

Entrada e saída são separadas por uma linha 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: Eu realmente não verifiquei, mas acho que é verdade.

Stewie Griffin
fonte
Podemos considerar a entrada como uma matriz de strings?
Ian H.

Respostas:

7

Empilhados , 51 50 bytes

Guardado 1 byte graças a @RickHitchcock - golfed regex

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

Experimente online!

Função anônima que pega a entrada da pilha e a deixa na pilha.

Explicação

['^(##?#?) (.+)'[\#'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
fonte
3

JavaScript (ES6), 111 105 bytes

Guardado 6 bytes graças a @Shaggy

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

Corresponde a 1 a 3 hashes no início da string ou precedido por uma nova linha; depois, repete cada caractere na partida junto com a partida, com base no comprimento dos hashes.

Casos de teste:

Rick Hitchcock
fonte
2

Retina , 125 104 bytes

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

Experimente online

Economizou 21 bytes graças a Neil.

mbomb007
fonte
Salve 3 bytes usando %)o terceiro estágio, que permite remover os %s nos dois primeiros estágios. Além disso, normalmente se coloca o Gdepois dos (s (dos quais agora você precisará de dois) no cabeçalho.
187 Neil
Melhor ainda, você pode usar m)ou m(que agora salva 9 bytes porque é possível remover todos os outros ms.
Neil
O cabeçalho acabou sendo desnecessário. Além disso, salvei outros 12 bytes: Experimente online!
Neil
Ah, sim, eu estava acostumado a usar o cabeçalho para vários casos de teste.
mbomb007
2

MATL , 43 42 40 bytes

1 byte removido graças a Rick Hitchcock !

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

Isso gera um espaço à direita em cada linha (permitido pelo desafio) e sai com um erro (permitido por padrão) após a produção da saída.

Experimente online!

Explicação

`            % 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
fonte
Eu queria saber qual era a melhor maneira de fazer isso no MATLAB ... O produto Kronecker era, obviamente, a melhor maneira de fazê-lo :) Legal!
Stewie Griffin
@StewieGriffin Quando vi o desafio, pensei imediatamente no produto Kronecker. Mas acabei de encontrar uma maneira que é 2 bytes mais curta usando repelem( Y"em MATL). kronainda é provavelmente o caminho mais curto no MATLAB
Luis Mendo
2

Perl 5, 47 +1 (-p) bytes

s/^##?#? //;$.=6-("@+"||5);$_=s/./$&x$./ger x$.

experimente online

Nahuel Fouilleul
fonte
1

Carvão , 46 bytes

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

Experimente online! Link é a versão detalhada do código. O carvão vegetal não faz realmente a entrada da matriz de strings, então tive que adicionar o comprimento da matriz como uma entrada. Explicação:

FN«Sι

Faça um loop sobre o número apropriado de cadeias de entrada.

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

Crie uma matriz de seqüências de caracteres usando a entrada e prefixando até 2 s, depois truncando para o comprimento 4, tente encontrar ###na matriz e depois converta em indexação 1. Isso resulta em um número um a menos que o zoom da letra.

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

Se o zoom da letra for 1, faça um loop sobre toda a cadeia, caso contrário, faça o loop sobre o sufixo apropriado (que é irracionalmente difícil de extrair no carvão vegetal).

G↓→↑⊕θκ→

Desenhe um polígono preenchido com a letra que termina no canto superior direito e mova-se para a direita, pronto para a próxima letra.

»D⎚

Imprima a saída e redefina pronta para a próxima sequência de entrada.

Neil
fonte
1

SOGL V0.12 , 31 28 bytes

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

Experimente aqui! - código extra adicionado porque o código é uma função e recebe entrada na pilha (SOGL não pode receber entrada com várias linhas caso contrário: /) - inputs.value”- pressiona essa string, - avalia como JS, F- chama essa função

Explicação:

¶Θ                            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
fonte
0

Próton , 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)))}

Experimente online!

HyperNeutrino
fonte
Eu acho que você não tem permissão para receber e retornar uma lista de linhas, as regras são bastante rígidas: você deve dar suporte à entrada em várias linhas. , A saída deve ser apresentada em várias linhas. Você não pode produzir \ n em vez de novas linhas literais. .
Xcoder
@ Mr.Xcoder Opa, meu mal. Fixação.
HyperNeutrino
Nota: Não há problema se a entrada tiver \n, mas a saída deve ser mostrada com novas linhas literais.
Stewie Griffin
@ mbomb007 Opa, eu esqueci de colocar o 5-lá. Desculpe
HyperNeutrino
@ mbomb007 fixado
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)))

Experimente online!

-1 byte graças ao Sr. Xcoder

HyperNeutrino
fonte
@ mbomb007 Opa, eu esqueci de colocar o 5-lá. Desculpe
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;};

Experimente online!

Ian H.
fonte
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))

Experimente online!

Eu usei o Python 3 para usar []com o regex.

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

Execute como pipe com -nR(funcionará em uma linha de entrada após a outra) ou tente online .

Titus
fonte
0

J , 55 bytes

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

Não sei como fazer o TIO funcionar com o J regex, por isso não posso fornecer um link de trabalho.

Veja como testá-lo no intérprete J (testado com 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 uma sequência multilinha através de uma lista de sequências em caixa.

Galen Ivanov
fonte
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)

Experimente online!

ou

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)

Experimente online!

ovs
fonte
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
fonte
Eu não acho que isso funcione #### ##.
Rick Hitchcock
@RickHitchcock corrigido
tsh
0

C # 4.5 158 bytes

Onde i é a entrada na forma de uma string.

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
fonte