Elixir Array Sugar Syntactic

17

No Elixir, as listas (vinculadas) estão no formato em [head | tail]que head pode ser qualquer coisa e tail é uma lista do restante da lista, e[] - a lista vazia - é a única exceção a isso.

As listas também podem ser escritas como o [1, 2, 3]equivalente a[1 | [2 | [3 | []]]]

Sua tarefa é converter uma lista como descrito. A entrada sempre será uma lista válida (no Elixir) contendo apenas números correspondentes ao regex \[(\d+(, ?\d+)*)?\]. Você pode levar a entrada com (um espaço após cada vírgula) ou sem espaços. A saída pode estar com (um espaço antes e depois de cada| ) ou sem espaços.

Para entradas com zeros iniciais, você pode emitir sem os zeros ou com.

A entrada deve ser tomada como uma sequência de caracteres (se estiver gravando uma função), assim como a saída.

Exemplos

[] -> []
[5] -> [5 | []]
[1, 7] -> [1 | [7 | []]]
[4, 4, 4] -> [4 | [4 | [4 | []]]]
[10, 333] -> [10 | [333 | []]]

relacionados , não uma duplicata, pois isso envolve, em parte, o modo de adição ]até o final. Além disso, a resposta de Haskell aqui é bem diferente da resposta de lá.

Okx
fonte
5
-1 de mim. Os formatos pesados ​​de IO são desencorajados. Se a entrada for uma lista, vamos tomá-lo como uma lista em vez de ter 90% do nosso código apenas analisar a entrada
Jo rei
2
Temos que apoiar os 0s principais? Eles se encaixam no regex.
Jo Rei
2
Possível duplicata da Sugar Free Syntax
NoOneIsHere
5
@JoKing Eu diria que aqui o desafio em si é sobre a conversão entre dois formatos específicos, portanto, analisar a entrada é uma parte fundamental do desafio e não algo extra adicionado a ele. PS eu percebi só agora que seu apelido é realmente xD
Leo
2
@ MuhammadSalman: o desafio é marcado como "análise", portanto, converter de / para uma string é uma parte substancial dela com intenção.
Nimi

Respostas:

9

Haskell, 50 bytes

f.read
f(a:b)='[':show(a+0)++'|':f b++"]"
f _="[]"

Experimente online!

O +0permite que o Haskell tipo verificador de saber que estamos lidando com listas de números, então readvai analisar a cadeia de entrada para nós.

nimi
fonte
1
+1, adoro o truque +0!
B. Mehta
5

Python 2 , 50 bytes

r='%s'
for x in input():r%='[%s|%%s]'%x
print r%[]

Experimente online!

ovs
fonte
1
Tão bonito ;-;
Neil
4

JavaScript (ES6), 50 bytes

s=>eval(s).map(v=>`[${p+=']',v}|`,p='[]').join``+p

Experimente online!


Versão recursiva, 51 bytes

f=(s,[v,...a]=eval(s))=>1/v?`[${v}|${f(s,a)}]`:'[]'

Experimente online!

Arnauld
fonte
4

Retina , 39 33 32 20 bytes

\b]
,]
+`,(.*)
|[$1]

Economizou 13 bytes graças a H.PWiz, ovs, somente ASCII e Neil.
Experimente online!

Explicação

\b]
,]

Se não tivermos uma lista vazia, adicione uma vírgula à direita.

+`,(.*)
|[$1]

Enquanto houver vírgulas, enrole as coisas com |[ thing ].


fonte
@ovs 24?
somente ASCII
também 24?
somente ASCII
@ Somente ASCII Você pode salvar outros 4 bytes substituindo \b]por ,]. (Caso contrário, eu tinha descoberto independentemente a mesma solução.) #
Neil
Oh, está certo. Eu esqueci que \bera algo por algum motivo> _> 20 bytes @Mnemonic
ASCII-only
4

Perl 5 -pl , 31 28 bytes

s/\d\K]/,]/;$\=']'x s/,/|[/g

Experimente online!

Quão?

-p                    # (command line) Implicit input/output via $_ and $\
s/\d\K]/,]/;          # insert a comma at the end if the list is not empty
$\=']'x s/,/|[/g      # At the end of the run, output as many ']' as there are
                      # commas in the input.  Replace the commas with "|["
Xcali
fonte
3

Elixir , 111 85 bytes

f=fn[h|t],f->"[#{h}|#{f.(t,f)}]"
[],_->"[]"
h,f->f.(elem(Code.eval_string(h),0),f)end

Experimente online!

Eu nunca usei Elixir antes. Define uma função que pega uma string e uma referência a ela mesma e retorna uma string.

Brincadeira
fonte
3

Ceilão , 113 bytes

String p(String s)=>s.split(" ,[]".contains).select((x)=>!x.empty).reversed.fold("[]")((t,h)=>"[``h`` | ``t``]");

Experimente online!

Aqui está escrito:

// define a function p mapping Strings to Strings.
String p(String s) =>
    // we split the string at all characters which are brackets, comma or space.
    s.split(" ,[]".contains)    // → {String+}, e.g.  { "", "1", "7", "" }
    // That iterable contains empty strings, so let's remove them.
    // Using `select` instead of `filter` makes the result a sequential instead of
    // an Iterable.
     .select((x)=>!x.empty)    // → [String*], e.g.   [1, 7]
    // now invert the order.
    // (This needs a Sequential (or at least a List) instead of an Iterable.)
     .reversed                 // → [String*], e.g.   [7, 1]
    // Now iterate over the list, starting with "[]", and apply a function
    // to each element with the intermediate result.
     .fold("[]")                       // → String(String(String, String))
    //    This function takes the intermediate result `t` (for tail) and an element
    //    `h` (for head), and puts them together into brackets, with a " | " in the
    //    middle. This uses String interpolation, I could have used `"+` and `+"`
    //    instead for the same length.
          ((t,h)=>"[``h`` | ``t``]");  // → String

Experimente online!

Como observado por ovs em um comentário (agora excluído): Se alguém selecionar as opções "sem espaços" para entrada e saída indicadas na pergunta, poderá proteger mais 3 bytes (os óbvios com espaços).

Se não precisarmos analisar a entrada, mas pudermos obter uma sequência como entrada, ela ficará muito menor (69 bytes).

String p(Object[]s)=>s.reversed.fold("[]")((t,h)=>"[``h`` | ``t``]");

Experimente online!

Paŭlo Ebermann
fonte
2

Python 3 , 65 bytes

lambda k:"["+''.join(f"{u}|["for u in eval(k))+-~len(eval(k))*"]"

Experimente online!

Se a entrada puder ser uma lista, então:

Python 3 , 53 bytes

lambda k:"["+''.join(f"{u}|["for u in k)+-~len(k)*"]"

Experimente online!

Mr. Xcoder
fonte
2

SNOBOL4 (CSNOBOL4) , 114 bytes

	I =INPUT
S	N =N + 1	
	I SPAN(1234567890) . L REM . I	:F(O)
	O =O '[' L ' | '	:(S)
O	OUTPUT =O '[' DUPL(']',N)
END

Experimente online!

	I =INPUT				;* read input
S	N =N + 1				;* counter for number of elements (including empty list)
	I SPAN(1234567890) . L REM . I	:F(O)	;* get value matching \d until none left
	O =O '[' L ' | '	:(S)		;* build output string
O	OUTPUT =O '[' DUPL(']',N)		;* print O concatenated with a '[' and N copies of ']'
END
Giuseppe
fonte
2

Stax , 19 bytes

É▲²:WlÖ└%ï╪☺╒▓"We↨Φ

Execute e depure

Meu primeiro post Stax, então provavelmente não é o ideal.

Descompactado e comentado:

U,                      Put -1 under input
  {                     Block
   i                      Push loop index, needed later
    '[a$'|++              Wrap the element in "[...|"
            m           Map
             '[+        Add another "["
                s2+     Get the latest loop index + 2
                   ']*+ Add that many "]"

Execute e depure este

wastl
fonte
2

Befunge-98 (PyFunge) , 22 21 bytes

'[,1;@j,]';#$&." |",,

Experimente online!

Se não houvesse restrições estranhas na saída, poderíamos fazer isso em 18:

'[,1;@j,]';#$&.'|,

Curiosamente, este é tecnicamente um programa que não faz nada em Python.

Brincadeira
fonte
2

R , 84 71 69 bytes

function(x){while(x<(x=sub('(,|\\d\\K(?=]))(.+)','|[\\2]',x,,T)))1;x}

Experimente online!

  • -15 bytes graças a @KirillL.
digEmAll
fonte
1
71 bytes com uma única substituição com base na minha resposta Ruby.
Kirill L.
@KirillL. : obrigado, eu tinha certeza de que havia uma regex mais curta para fazer isso, mas eu sempre atrapalhava as coisas: D
digEmAll
-2 mais , eu esqueci totalmente de um \Klookbehind mais curto
Kirill L.
1

Gelatina , 18 bytes

ŒVµ⁾[]jj⁾|[ṫ3;”]ṁ$

Um programa completo que imprime o resultado (como um link monádico, ele aceita uma lista de caracteres, mas retorna uma lista de caracteres e números inteiros).

Experimente online!

Quão?

ŒVµ⁾[]jj⁾|[ṫ3;”]ṁ$ - Main link: list of characters  e.g. "[10,333]"
ŒV                 - evaluate as Python code              [10,333]
  µ                - start a new monadic chain, call that X
   ⁾[]             - list of characters                   ['[',']']
      j            - join with X                          ['[',10,333,']']
        ⁾|[        - list of characters                   ['|','[']
       j           - join                                 ['[','|','[',10,'|','[',333,'|','[',']']
           ṫ3      - tail from index three                ['[',10,'|','[',333,'|','[',']']
                 $ - last two links as a monad (f(X)):
              ”]   -   character                          ']'
                ṁ  -   mould like X                       [']',']'] (here 2 because X is 2 long)
             ;     - concatenate                          ['[',10,'|','[',333,'|','[',']',']',']']
                   - implicit (and smashing) print        [10|[333|[]]]
Jonathan Allan
fonte
1

Java 10, 107 bytes

s->{var r="[]";for(var i:s.replaceAll("[\\[\\]]","").split(","))r="["+i+"|"+r+"]";return s.length()<3?s:r;}

Experimente online.

Explicação:

s->{                       // Method with String as both parameter and return-type
  var r="[]";              //  Result-String, starting at "[]"
  for(var i:s.replaceAll("[\\[\\]]","") 
                           //  Removing trailing "[" and leading "]"
             .split(","))  //  Loop over the items
    r="["+i+"|"+r+"]";     //   Create the result-String `r`
  return s.length()<3?     //  If the input was "[]"
          s                //   Return the input as result
         :                 //  Else:
          r;}              //   Return `r` as result
Kevin Cruijssen
fonte
1

ML padrão , 71 bytes

fun p[_]="]|[]]"|p(#","::r)="|["^p r^"]"|p(d::r)=str d^p r;p o explode;

Experimente online! Usa o formato sem espaços. Por exemplo, it "[10,333,4]"rendimentos "[10|[333|[4]|[]]]]".

destroçado

fun p [_]       = "]|[]]"          (* if there is only one char left we are at the end *)
  | p (#","::r) = "|[" ^ p r ^ "]" (* a ',' in the input is replaced by "|[" and an closing "]" is added to the end *)
  | p (d::r)    = str d ^ p r      (* all other chars (the digits and the initial '[') are converted to a string and concatenated to recursive result *)

val f = p o explode  (* convert string into list of chars and apply function p *)

Experimente online!

Laikoni
fonte
1

R , 140 136 bytes

Abaixo 4 bytes de acordo com os bons conselhos de Giuseppe.

function(l,x=unlist(strsplit(substr(l,2,nchar(l)-1),", ")))paste(c("[",paste0(c(x,"]"),collapse=" | ["),rep("]",length(x))),collapse="")

Experimente online!

JayCe
fonte
substré mais curto e o primeiro paste0pode ser pasteobter 136 bytes.
Giuseppe
1
Usando eval, parsee subem vez de unlist, strsplite substr, eu também conseguiu apenas 136 bytes (eu pensei que poderia ser mais curto, mas não era)
Giuseppe
@ Giuseppe Obrigado pelos -4 bytes! Eu gostaria que tivéssemos algo mais curto. Solução recursiva, talvez?
JayCe
1

R , 108 bytes

function(l)Reduce(function(x,y)paste0("[",x,"|",y,"]"),eval(parse(t=sub("]",")",sub("\\[","c(",l)))),"[]",T)

Experimente online!

Demorou quase um ano para encontrar uma solução R melhor que a anterior ... deveria saber Reduceque seria a resposta! Saídas sem espaços, a entrada pode ser com ou sem espaços.

Giuseppe
fonte
0

sed + -E, 46 bytes

:
s/\[([0-9]+)(, ?([^]]*)|())\]/[\1 | [\3]]/
t

Uma abordagem bastante direta. A segunda linha pega [\d+, ...]e muda para [\d | [...]]. A terceira linha retorna à primeira linha, se a substituição tiver sido bem-sucedida. A substituição se repete até falhar e, em seguida, o programa termina. Corra com sed -E -f filename.sed, passando a entrada via stdin.

Silvio Mayolo
fonte
0

Vermelho , 110 bytes

func[s][if s ="[]"[return s]replace append/dup replace/all b: copy s",""|[""]"(length? b)- length? s"]""|[]]"]

Experimente online!

Explicação da versão não destruída:

f: func[s][                      
    if s = "[]" [return s]                    ; if the list is empty, return it    
    b: copy s                                 ; save a copy of the input in b 
    replace/all b "," "|["                    ; replace every "," with "|["  
    append/dup b "]" (length? b) - length? s  ; append as many "]" as there were ","
    replace b "]" "|[]]"                      ; replace the first "]" with "|[]]"     
]                                             ; the last value is returned implicitly

Vermelho é tão fácil de ler, que duvido que eu tenha acrescentado os comentários acima :)

Galen Ivanov
fonte