Texto de triangulação

39

Escreva um programa ou função que utilize uma sequência garantida para conter apenas caracteres ASCII imprimíveis , exceto espaço, e que seja um número triangular positivo (1, 3, 6, 10, 15, ...) de comprimento.

Imprima ou retorne a mesma sequência, mas moldada em um triângulo usando espaços. Alguns exemplos mostram melhor o que quero dizer:

Se a entrada for R, a saída será

R

Se a entrada for cat, a saída será

 c
a t

Se a entrada for monk3y, a saída será

  m
 o n
k 3 y

Se a entrada for meanIngfu1, a saída será

   m
  e a
 n I n
g f u 1

Se a entrada for ^/\/|\/[]\, a saída será

   ^
  / \
 / | \
/ [ ] \

Se a entrada for

Thisrunofcharactersismeanttohavealengththatcanbeexpressedasatriangularnumber.Diditwork?Youtellme,Ican'tcountverywell,ok?

então a saída será

              T
             h i
            s r u
           n o f c
          h a r a c
         t e r s i s
        m e a n t t o
       h a v e a l e n
      g t h t h a t c a
     n b e e x p r e s s
    e d a s a t r i a n g
   u l a r n u m b e r . D
  i d i t w o r k ? Y o u t
 e l l m e , I c a n ' t c o
u n t v e r y w e l l , o k ?

Basicamente, as novas linhas são inseridas entre as substrings de comprimento triangular, os espaços são adicionados entre todos os caracteres e cada linha é recuada com espaços para ajustar-se à forma do triângulo.

Opcionalmente, uma única nova linha à direita e linhas com espaços à direita são permitidas, mas, caso contrário, sua saída deve corresponder exatamente a esses exemplos. A última linha do triângulo não deve ter espaços à esquerda.

O código mais curto em bytes vence.

Passatempos de Calvin
fonte
Existe um máximo absoluto do comprimento da string?
geokavel
@geokavel Ele deve funcionar para qualquer comprimento de string que seu idioma possa suportar normalmente.
Calvin's Hobbies
11
Aqui está uma árvore de Natal para quem ainda não colocou a sua. * / \ / | \ / | o \ / | o | \ / o | o | \ / || o | o \ / o ||| o | \ / o || o ||| \ / || o | || o | \ / | o ||| o || o \
Timmy
potencialmente relacionado
JohnE 02/12/2015

Respostas:

9

Pitão, 22 bytes

jua+L\ GjdHfTczsM._UzY

Experimente on-line: Demonstration or Test Suite

Explicação:

jua+L\ GjdHfTczsM._UzY   implicit: z = input string
                   Uz    create the list [0, 1, ..., len(z)-1]
                 ._      all prefixes of this list: [[0], [0,1], [0,1,2], ...]
               sM        sum up each sublist: [0, 1, 3, 6, 10, ...]
             cz          split z at these indices
           fT            remove all the unnecessary empty strings
                         this gives us the list of strings of the triangle
 u                   Y   reduce this list, with the initial value G = []
   +L\ G                    prepend a space to each string in G
        jdH                 join the current string with spaces
  a                         and append it to G
j                        print each string on a separate line
Jakube
fonte
12

Python, 81 bytes

def f(s,p=''):
 i=-int(len(2*s)**.5)
 if s:f(s[:i],p+' ');print p+' '.join(s[i:])

Uma função recursiva. Vai do final de s, cortando e imprimindo caracteres. O número de caracteres a tomar é calculado a partir do comprimento des . A função é configurada para imprimir na ordem inversa das chamadas recursivas, que terminam quando sestão vazias e resolvem o backup da linha. Cada camada, o prefixo, ppossui um espaço extra adicionado.

No Python 3, o if pode ser feito via curto-circuito, embora isso não pareça salvar caracteres:

def f(s,p=''):i=-int(len(2*s)**.5);s and[f(s[:i],p+' '),print(p+' '.join(s[i:]))]

Uma alternativa igualmente longa com o encadeamento da desigualdade:

def f(s,p=''):i=-int(len(2*s)**.5);''<s!=f(s[:i],p+' ')!=print(p+' '.join(s[i:]))

Ambos printe fretorno None, o que é difícil de usar.

xnor
fonte
1
Isto é bastante inteligente. Cortando a string uma linha de cada vez, você ainda termina com uma string de comprimento triangular para calcular o número de espaços à esquerda.
Xsot #
6

Retina , 108 102 94 87 82 64 63 bytes

Agradeço ao Sp3000 por me fazer seguir minha abordagem original, que reduziu a contagem de bytes de 108 para 82.

Um enorme agradecimento a Kobi, que encontrou uma solução muito mais elegante, o que me permitiu salvar outros 19 bytes em cima disso.

S_`(?<=^(?<-1>.)*(?:(?<=\G(.)*).)+)
.
$0 
m+`^(?=( *)\S.*\n\1)
<space>

Onde <space>representa um caractere de espaço único (que seria removido pelo SE). Para fins de contagem, cada linha entra em um arquivo separado e \ndeve ser substituída por um caractere de avanço de linha real. Por conveniência, você pode executar o código como está em um único arquivo com o-s sinalizador.

Experimente online.

Explicação

Bem ... como sempre, não posso dar uma introdução completa aos grupos de equilíbrio aqui. Para uma cartilha, veja minha resposta Stack Overflow .

S_`(?<=^(?<-1>.)*(?:(?<=\G(.)*).)+)

O primeiro estágio é um Sestágio plit, que divide a entrada em linhas de comprimento crescente. o_ indica que pedaços vazias devem ser omitidos da divisão (que afeta apenas o final, porque haverá uma correspondência na última posição). O regex em si é inteiramente contido em uma olhada, para que não corresponda a nenhum caractere, mas apenas a posições.

Esta parte é baseada na solução de Kobi com um pouco de golfe adicional que eu me encontrei. Observe que os lookbehinds são correspondidos da direita para a esquerda no .NET, portanto, a melhor explicação a seguir deve ser lida de baixo para cima. Também inseri outra \Gna explicação para maior clareza, embora isso não seja necessário para o padrão funcionar.

(?<=
  ^         # And we ensure that we can reach the beginning of the stack by doing so.
            # The first time this is possible will be exactly when tri(m-1) == tri(n-1),
            # i.e. when m == n. Exactly what we want!
  (?<-1>.)* # Now we keep matching individual characters while popping from group <1>.
  \G        # We've now matched m characters, while pushing i-1 captures for each i
            # between 1 and m, inclusive. That is, group <1> contains tri(m-1) captures.
  (?:       
    (?<=
      \G    # The \G anchor matches at the position of the last match.
      (.)*  # ...push one capture onto group <1> for each character between here
            # here and the last match.
    )       # Then we use a lookahead to...
    .       # In each iteration we match a single character.
  )+        # This group matches all the characters up to the last match (or the beginning
            # of the string). Call that number m.
)           # If the previous match was at position tri(n-1) then we want this match
            # to happen exactly n characters later.

Eu ainda estou admirando o trabalho de Kobi aqui. Isso é ainda mais elegante que o regex de teste principal. :)

Vamos para a próxima etapa:

.
$0 

Simples: insira um espaço após cada caractere que não seja de avanço de linha.

m+`^(?=( *)\S.*\n\1)
<space>

Este último estágio recua todas as linhas corretamente para formar o triângulo. O mé apenas o modo de várias linhas de costume para fazer ^coincidir com o início de uma linha. O +instrui o Retina a repetir esse estágio até que a string pare de mudar (o que, nesse caso, significa que a regex não corresponde mais).

^      # Match the beginning of a line.
(?=    # A lookahead which checks if the matched line needs another space.
  ( *) # Capture the indent on the current line.
  \S   # Match a non-space character to ensure we've got the entire indent.
  .*\n # Match the remainder of the line, as well as the linefeed.
  \1   # Check that the next line has at least the same indent as this one.
)

Portanto, isso corresponde ao início de qualquer linha que não tenha um recuo maior que o seguinte. Em qualquer posição, inserimos um espaço. Esse processo termina quando as linhas são organizadas em um triângulo puro, porque esse é o layout mínimo em que cada linha tem um recuo maior que o seguinte.

Martin Ender
fonte
@ _ @ O que diabos isso faz?
ǹ̷̰ĥ̷̳h̷͉̃a̷̭̿h̸̡̅ẗ̵̨́d̷̰̀ĥ̷̳
@ n̴̖̋h̷͉̃a̷̭̿h̸̡̅ẗ̵̨́d̷̰̀ĥ̷̳ Agora com 100% mais incrível, cortesia de Kobi.
Martin Ender
6

Doces , 67 59 57 bytes

&iZ1-=yZ1+Z*2/>{0g}0=z@1i&{|.}bYR(" ";=)ZR(=a&{;}" ";)"\n";Y1-=ya1j

&1-8*1+r1-2/=y@1i&{|.}bYR(" ";=)ZR(=a&{;}" ";)"\n";Y1-=ya1j

&8*7-r1-2/=y@1i&{|.}bYR(" ";=)ZR(=a&{;}" ";)"\n";Y1-=ya1j

ou:

          &
         8 *
        7 - r
       1 - 2 /
      = y @ 1 i
     & { | . } b
    Y R ( "   " ;
   = ) Z R ( = a &
  { ; } "   " ; ) "
 \ n " ; Y 1 - = y a
1 j

forma longa:

stackSz
digit8    # Y = (sqrt((numCh - 1) * 8 + 1) - 1) / 2   using pythagorean
mult      # Y = (sqrt(numCh * 8 - 7) - 1) / 2  equivalent but shorter
digit7
sub
root
digit1
sub
digit2
div
popA
YGetsA
label digit1
incrZ
stackSz   # bail if we're out of letters
if
  else
  retSub
endif
stack2
pushY     # print the leading spaces (" " x Y)
range1
while
  " " printChr
  popA
endwhile
pushZ
range1      # output this row of characters (Z of them)
while
  popA
  stack1
  stackSz
  if
    printChr    # bail on unbalanced tree
  endif
  " " printChr
endwhile
"\n" printChr
pushY
digit1
sub
popA
YGetsA
stack1
digit1 jumpSub   # loop using recursion
Dale Johnson
fonte
Sim, eu senti o Natal.
Dale Johnson
5

CJam, 27 26 bytes

Agradecimentos ao Sp3000 por economizar 1 byte.

Lq{' @f+_,)@/(S*N+a@\+\s}h

Surpreendentemente perto de Pyth, vamos ver se isso pode ser jogado ...

Teste aqui.

Explicação

L        e# Push an empty array to build up the lines in.
q        e# Read input.
{        e# While the top of the stack is truthy (non-empty)...
  ' @f+  e#   Prepend a space to each line we already have.
  _,)    e#   Get the number of lines we already have and increment.
  @/     e#   Split the input into chunks of that size.
  (S*    e#   Pull off the first chunk (the next line) and join with spaces.
  N+     e#   Append a linefeed.
  a@\+   e#   Append it to our list of lines.
  \s     e#   Pull up the other chunks of the input and join them back into one string.
}h
Martin Ender
fonte
Por que não funciona se eu mudar ' para S???
geokavel
@geokavel Como Sé uma string, não um caractere, ele fserá mapeado sobre essa string em vez da lista de linhas.
Martin Ender
Esse foi o meu palpite. Você tem alguma idéia da justificativa para transformar S em uma string?
geokavel
@geokavel Não, eu não.
Martin Ender
5

Ruby, 84 77 73 bytes

->v{1.upto(n=v.size**0.5*1.4){|i|puts" "*(n-i)+v[i*(i-1)/2,i].chars*" "}}

77 bytes

->v{0.upto(n=(v.size*2)**0.5-1){|i|puts" "*(n-i)+v[i*(i+1)/2,i+1].chars*" "}}

Redução de mais alguns bytes removendo a variável rconforme sugerido por steveverrill.

84 bytes

->v{n=(v.size*2)**0.5-1;0.upto(n){|i|puts" "*(n-i)+v[(r=i*(i+1)/2)..r+i].chars*" "}}

Ungolfed:

->v {
  1.upto(n=v.size**0.5*1.4) { |i|
    puts" "*(n-i)+v[i*(i-1)/2,i].chars*" "
  }
}

Primeiro cálculo do número triangular a partir da sequência de entrada

n=v.size**0.5*1.4

por exemplo, o tamanho da string de entrada é 120 e nosso número triangular n será 15.

puts" "*(n-i)+v[i*(i-1)/2,i].chars*" "

Na linha acima, ele imprime espaços seguidos por séries de cadeias que são buscadas na cadeia de entrada usando o seguinte padrão

[[0,0],[1,2],[3,5],[6,9]]

Uso:

f=->v{1.upto(n=v.size**0.5*1.4){|i|puts" "*(n-i)+v[i*(i-1)/2,i].chars*" "}}
f["Thisrunofcharactersismeanttohavealengththatcanbeexpressesasatriangularnumber.Diditwork?Youtellme,Ican'tcountverywell,ok?"]
              T
             h i
            s r u
           n o f c
          h a r a c
         t e r s i s
        m e a n t t o
       h a v e a l e n
      g t h t h a t c a
     n b e e x p r e s s
    e s a s a t r i a n g
   u l a r n u m b e r . D
  i d i t w o r k ? Y o u t
 e l l m e , I c a n ' t c o
u n t v e r y w e l l , o k ?
Vasu Adari
fonte
Uau, nossas abordagens são muito semelhantes, mas parece que temos um conhecimento complementar sobre golfe. Eu não sabia uptoque não requer um argumento inteiro ( timescertamente). Incorporei parte da sua sintaxe em uma revisão da minha resposta. A maior dica que tenho para você é que você não precisa dessa variável r. Basta usar um em ,vez de ..e o número após a vírgula é o número total de elementos a serem retornados, em vez do final do intervalo.
Level River St
Verdade. Obrigado pela dica eu estou atualizando meu resposta de imediato :)
Vasu Adari
4

Pitão, 27 bytes

Js.IsSGlzWz+*-J=hZdjd<~>zZZ

                               z = input()
                               Z = 0
                               d = ' '
    sSG                        G -> tri(G)
  .I   lz                      Find the (float) input whose output is len(z).
 s                             Convert to int.
J                              Save as J.
         Wz                    while z:
               =hZ             Z += 1
            *-J  Zd            Generate J-Z spaces.
                      ~>zZ     Remove the first Z characters from z.
                     <    Z    Generate those first Z characters.
                   jd          Join on spaces.
           +                   Add the two together and print.

Suíte de teste

Uma abordagem interessante - imperativa e usos .I. Provavelmente jogável.

isaacg
fonte
4

C, 138 136 134 bytes

Toma uma string como entrada:

j,r,k,a;f(char*s){j=strlen(s);r=k=sqrt(1+8*j)/2;for(;r--;printf("\n")){for(j=r;j--;)printf(" ");for(j=k-r;j--;)printf("%c ",s[a++]);}}
Sahil Arora
fonte
Você parece ter vencido o JavaScript com C por 1 byte até agora: D
Mark K Cowan
@MarkKCowan sim, aparentemente. Espero torná-lo ainda menor! :)
Sahil Arora
@SahilArora - Você pode substituir printf(" ")e printf("\n")por puts(" ")e puts("\n"). Cada substituição economizará 2 bytes. :)
enhzflep
@enhzflep Eu já tentei, deu uma saída ambígua!
Sahil Arora
Oh. :( Funciona bem aqui no win7 com o gcc 4.7.1 - Acho que tem a ver com a maneira como a saída printf é liberada para stdout. +1 por bater o Javascript.
enhzflep
4

Abordagem Ruby 2 rev 1, 76 bytes

->s{s=s.chars*' '
0.upto(w=s.size**0.5-1){|i|puts' '*(w-i)+s[i*i+i,i*2+2]}}

Otimizado usando idéias de sintaxe da resposta de Vasu Adari, além de algumas reviravoltas minhas.

Abordagem Ruby 2 rev. 0, 93 bytes

->s{s=s.chars.to_a.join(' ')
w=(s.size**0.5).to_i
w.times{|i|puts' '*(w-i-1)+s[i*i+i,i*2+2]}}

Abordagem completamente diferente. Primeiro, adicionamos espaços entre os caracteres da entrada. Em seguida, imprimimos as linhas linha por linha.

Abordagem Ruby 1, 94 bytes

->s{n=-1;w=((s.size*2)**0.5).to_i
(w*w).times{|i|print i/w+i%w<w-1?'':s[n+=1],-i%w==1?$/:' '}}

isso acabou muito mais tempo do que o previsto.

w contém o número de caracteres imprimíveis na linha inferior ou, equivalentemente, o número de linhas.

Cada linha contém wcaracteres de espaço em branco (o último dos quais é a nova linha), portanto, a idéia é imprimir esses caracteres de espaço em branco e inserir os caracteres imprimíveis sempre que necessário.

Level River St
fonte
3

Minkolang 0.14 , 42 bytes

(xid2;$I2*`,)1-[i1+[" "o]lrx" "$ii-1-D$O].

Experimente aqui.

Explicação

(                Open while loop
 x               Dump top of stack
  i              Loop counter (i)
   d2;           Duplicate and square
      $I2*       Length of input times two
          `,     Push (i^2) <= (length of input)
            )    Close for loop; pop top of stack and exit when it's 0

1-[                              Open for loop that repeats sqrt(len(input))-1 times
   i1+[                          Open for loop that repeats (loop counter + 1) times
       " "o                      Push a space then read in character from input
           ]                     Close for loop
            l                    Push 10 (newline)
             r                   Reverse stack
              x                  Dump top of stack
               " "               Push a space
                  $i             Push the max iterations of for loop
                    i-           Subtract loop counter
                      1-         Subtract 1
                        D        Pop n and duplicate top of stack n times
                         $O      Output whole stack as characters
                           ].    Close for loop and stop.
El'endia Starman
fonte
2
Uma contagem de bytes tão perfeita! bom trabalho!
TanMath
1
@TanMath, mas 42 não é um número triangular!
Paŭlo Ebermann 30/11/2015
3

Python 2, 88 85 bytes

s=t=raw_input()
i=1
while s:print' '*int(len(t*2)**.5-i)+' '.join(s[:i]);s=s[i:];i+=1

Obrigado xnor por salvar 3 bytes.

xsot
fonte
A redução não satrapalha o cálculo do número de espaços?
Xnor
Oh, certo. Eu removi uma variável temporária antes de enviar, mas não percebi que ela invalidava o código.
Xsot #
E se você gostar antes, mas salvar um backup S=s=raw_input()?
Xnor
Boa sugestão. Acho que provavelmente há uma estratégia geral mais curta.
Xsot #
Riscado 88 looks engraçado
pinkfloydx33
3

CJam, 50 bytes

q:QQ,1>{,{),:+}%:RQ,#:IR2ew<{~Q<>:LS*L,I+(Se[N}%}&

Experimente aqui.

Explicação

q:QQ,1>{  e# Only proceed if string length > 1, otherwise just print.
,{),:}%:R e# Generates a list of sums from 0 to k, where k goes from 0 to the length of the string [0,1,3,6,10,15,21,...]
Q,#:I     e# Find the index of the length of the string in the list
R2ew<     e# Make a list that looks like [[0,1],[1,3],[3,6],...,[?,n] ]where n is the length of the string 
{~Q<>:L   e# Use that list to get substrings of the string using the pairs as start and end indices
S*        e# Put spaces between the substrings
L,I+(Se[N e# (Length of the substring + Index of string length in sum array -1) is the length the line should be padded with spaces to. Add a new line at the end.
%}& 
geokavel
fonte
2

JavaScript (ES6), 135 bytes

w=>{r='';for(s=j=0;j<w.length;j+=s++);for(i=j=0;w[j+i];j+=++i)r+=Array(s-i-1).join` `+w.slice(j,i+j+1).split``.join` `+'<br>';return r}

De-golfe + demo:

function t(w) {
    r = '';
    for (s = j = 0; j < w.length; j += s++);
    for (i = j = 0; w[j + i]; j += ++i) r += Array(s - i - 1).join` ` + w.slice(j, i + j + 1).split``.join` ` + '<br>';
    return r;
}

document.write('<pre>' + t(prompt()));

nicael
fonte
Qual é o objetivo for (s = j = 0; j < w.length; j += s++);? Além disso, dentro de a <pre>, você pode usar em \nvez de <br>. Além disso, você esqueceu de mencionar que é o ES6.
Ismael Miguel
O objetivo do primeiro loop é contar o comprimento da última linha, de modo a recuar cada linha corretamente.
Nicael
2

Java, 258 194

Golfe:

String f(String a){String r="";int t=(((int)Math.sqrt(8*a.length()+1))-1)/2-1;int i=0,n=0;while(n++<=t){for(int s=-1;s<t-n;++s)r+=" ";for(int j=0;j<n;++j)r+=a.charAt(i++)+" ";r+="\n";}return r;}

Ungolfed:

public class TriangulatingText {

  public static void main(String[] a) {
    // @formatter:off
    String[] testData = new String[] {
      "R",
      "cat",
      "monk3y",
      "meanIngfu1",
      "^/\\/|\\/[]\\",
      "Thisrunofcharactersismeanttohavealengththatcanbeexpressedasatriangularnumber.Diditwork?Youtellme,Ican'tcountverywell,ok?",
    };
    // @formatter:on

    for (String data : testData) {
      System.out.println("f(\"" + data + "\")");
      System.out.println(new TriangulatingText().f(data));
    }
  }

  // Begin golf
  String f(String a) {
    String r = "";
    int t = (((int) Math.sqrt(8 * a.length() + 1)) - 1) / 2 - 1;
    int i = 0, n = 0;
    while (n++ <= t) {
      for (int s = -1; s < t - n; ++s)
        r += " ";
      for (int j = 0; j < n; ++j)
        r += a.charAt(i++) + " ";
      r += "\n";
    }
    return r;
  }
  // End golf
}

Saída do programa:

f("R")
R 

f("cat")
 c 
a t 

f("monk3y")
  m 
 o n 
k 3 y 

f("meanIngfu1")
   m 
  e a 
 n I n 
g f u 1 

f("^/\/|\/[]\")
   ^ 
  / \ 
 / | \ 
/ [ ] \ 

f("Thisrunofcharactersismeanttohavealengththatcanbeexpressedasatriangularnumber.Diditwork?Youtellme,Ican'tcountverywell,ok?")
              T 
             h i 
            s r u 
           n o f c 
          h a r a c 
         t e r s i s 
        m e a n t t o 
       h a v e a l e n 
      g t h t h a t c a 
     n b e e x p r e s s 
    e d a s a t r i a n g 
   u l a r n u m b e r . D 
  i d i t w o r k ? Y o u t 
 e l l m e , I c a n ' t c o 
u n t v e r y w e l l , o k ? 

fonte
Você provavelmente poderia importar estaticamente System.out para salvar alguns bytes.
RAnders00
import static System.out;tem 25 bytes e System.7 bytes. Ele é usado três vezes e 21 <25, para aumentar o tamanho em 4 bytes. Porém, as boas importações estáticas podem economizar espaço e nem todo mundo sabe sobre elas.
1
Eu estava passando por respostas antigas quando encontrei esta: "escreva um programa ou função " que não percebi a princípio. Tirar o material da classe economizava espaço. Eu fiz isso em uma função adequada e encontrei mais alguns bytes para raspar.
1

JavaScript (ES6), 106 bytes

a=>(y=z=0,(f=p=>p?" ".repeat(--p)+a.split``.slice(y,y+=++z).join` `+`
`+f(p):"")(Math.sqrt(2*a.length)|0))

Usa recursão em vez de um loop for para criar a string.

Para encontrar o comprimento da linha mais longa, use a fórmula do enésimo número triangular T_né T_n = (n^2 + n)/2. Dados ne resolvidos para o T_nuso da fórmula quadrática, temos:

1/2 * n^2 + 1/2 * n - T_n = 0

a = 1/2, b = 1/2, c = -T_n

-1/2 + sqrt(1/2^2 - 4*1/2*-T_n)   
------------------------------- = sqrt(1/4 + 2*T_n) - 1/2
             2*1/2

Acontece que após o revestimento, adicionar 1/4 na raiz quadrada não altera o resultado, portanto, a fórmula para a linha mais longa é Math.sqrt(2*a.length)|0.

intrepidcoder
fonte
1

TeaScript , 44 bytes

r(m=$s(2*xn)|0)ßp.R(m-i)+x·.S(v,v+=Æw)jø+§)µ

Isso usa o mesmo método da minha resposta JavaScript , mas é muito mais curto.

Ungolfed

r(m=$s(2*xn)|0)m(#p.R(m-i)+xs``.S(v,v+=++w)j` `+`
`)j``
intrepidcoder
fonte
1

Powershell, 69 bytes

($args|% t*y|?{$r+="$_ ";++$p-gt$l}|%{$r;rv r,p;$l++})|%{' '*--$l+$_}

Script de teste com menos golfe:

$f = {

(
    $args|% t*y|?{  # test predicate for each char in a argument string 
        $r+="$_ "   # add current char to the result string
        ++$p-gt$l   # return predicate value: current char posision is greater then line num
    }|%{            # if predicate is True
        $r          # push the result string to a pipe
        rv r,p      # Remove-Variable r,p. This variables will be undefined after it.
        $l++        # increment line number
    }

)|%{                # new loop after processing all characters and calculating $l
    ' '*--$l+$_     # add spaces to the start of lines
}                   # and push a result to a pipe

}

@(
    ,("R",
    "R ")

    ,("cat",
    " c ",
    "a t ")

    ,("monk3y",
    "  m ",
    " o n ",
    "k 3 y ")

    ,("meanIngfu1",
    "   m ",
    "  e a ",
    " n I n ",
    "g f u 1 ")

    ,("^/\/|\/[]\",
    "   ^ ",
    "  / \ ",
    " / | \ ",
    "/ [ ] \ ")

    ,("Thisrunofcharactersismeanttohavealengththatcanbeexpressedasatriangularnumber.Diditwork?Youtellme,Ican'tcountverywell,ok?",
    "              T ",
    "             h i ",
    "            s r u ",
    "           n o f c ",
    "          h a r a c ",
    "         t e r s i s ",
    "        m e a n t t o ",
    "       h a v e a l e n ",
    "      g t h t h a t c a ",
    "     n b e e x p r e s s ",
    "    e d a s a t r i a n g ",
    "   u l a r n u m b e r . D ",
    "  i d i t w o r k ? Y o u t ",
    " e l l m e , I c a n ' t c o ",
    "u n t v e r y w e l l , o k ? ")

    ,("*/\/|\/|o\/|o|\/o|o|\/||o|o\/o|||o|\/o||o|||\/||o|||o|\/|o|||o||o\",
    "          * ",
    "         / \ ",
    "        / | \ ",
    "       / | o \ ",
    "      / | o | \ ",
    "     / o | o | \ ",
    "    / | | o | o \ ",
    "   / o | | | o | \ ",
    "  / o | | o | | | \ ",
    " / | | o | | | o | \ ",
    "/ | o | | | o | | o \ ")

) | % {
    $s,$expected = $_
    $result = &$f $s
    "$result"-eq"$expected"
    $result
}

Saída:

True
R
True
 c
a t
True
  m
 o n
k 3 y
True
   m
  e a
 n I n
g f u 1
True
   ^
  / \
 / | \
/ [ ] \
True
              T
             h i
            s r u
           n o f c
          h a r a c
         t e r s i s
        m e a n t t o
       h a v e a l e n
      g t h t h a t c a
     n b e e x p r e s s
    e d a s a t r i a n g
   u l a r n u m b e r . D
  i d i t w o r k ? Y o u t
 e l l m e , I c a n ' t c o
u n t v e r y w e l l , o k ?
True
          *
         / \
        / | \
       / | o \
      / | o | \
     / o | o | \
    / | | o | o \
   / o | | | o | \
  / o | | o | | | \
 / | | o | | | o | \
/ | o | | | o | | o \
confuso
fonte
0

C #, 202

string r(string s,List<string> o,int i=1){o=o.Select(p=>" "+p).ToList();o.Add(String.Join(" ",s.Substring(0,i).ToCharArray()));return s.Length==i?String.Join("\n",o):r(s.Substring(i,s.Length-i),o,i+1);}

Não sei se isso é legal no código-golfe, mas passar uma lista na função é importante? Não consigo encontrar uma maneira de compensar isso sem uma List <string> declarada fora da função, então eu a coloco como parâmetro.

Uso:

 r("1",new List<string>());
 r("123", new List<string>());
 r("123456", new List<string>());
 r("Thisrunofcharactersismeanttohavealengththatcanbeexpressedasatriangularnumber.Diditwork?Youtellme,Icanstcountverywell,ok?",new List<string>());
noisyass2
fonte
0

C, 102 bytes

i,j;main(n,s){for(n=sqrt(strlen(gets(s))*2);j<n;printf("%*.1s",i>1?2:i*(n-j),i++>j?i=!++j,"\n":s++));}
xsot
fonte
0

Bash + sed, 87

for((;i<${#1};i+=j));{
a+=(${1:i:++j})
}
printf %${j}s\\n ${a[@]}|sed 's/\S/ &/g;s/.//'
Trauma Digital
fonte
0

R, 142 bytes

Tenho certeza de que posso entender isso mais. Ainda estou trabalhando nisso. Sinto que estou perdendo uma recursão fácil - mas não consegui reduzi-la corretamente.

f=function(a){n=nchar(a);l=which(cumsum(1:n)==n);w=strsplit(a,c())[[1]];for(i in 1:l){cat(rep(" ",l-i),sep="");cat(w[1:i],"\n");w=w[-(1:i)]}}

destroçado

f=function(a){
    n = nchar(a)                 #number of characters
    l= which(cumsum(1:n)==n)     #which triangle number
    w= strsplit(a,c())[[1]]      #Splits string into vector of characters
    for (i in 1:l) {
        cat(rep(" ",l-i),sep="") #preceeding spaces
        cat(w[1:i],"\n")         #Letters
        w=w[-(1:i)]              #Shifts removes letters (simplifies indexing)
    }
}
user5957401
fonte