Jimmy questi array verso il basso


23

Il mio collega, Jimmy è un po 'nuovo in C / C ++. È anche un tipo di discente lento. Ora, per essere onesti, il suo codice viene sempre compilato, ma ha alcune abitudini davvero sciatte. Ad esempio, tutti sanno che è possibile definire un array come questo:

int spam[] = {4, 8, 15, 16, 23, 42};

Tutti quelli che lo sono, tranne Jimmy. È convinto che l' unico modo per creare un array sia così:

int spam[6];
spam[0] = 4;
spam[1] = 8;
spam[2] = 15;
spam[3] = 16;
spam[4] = 23;
spam[5] = 42;

Continuo a risolverlo per lui nella revisione del codice, ma non imparerà. Quindi ho bisogno che tu scriva uno strumento che lo fa automagicamente per lui quando commette¹.

La sfida

Voglio che tu scriva un programma completo o una funzione che accetta una stringa multilinea come input e produce la versione più compatta dell'array C. L'input seguirà sempre questo formato, spazi inclusi:

identifier_one identifier_two[some_length];
identifier_two[0] = some_number;
identifier_two[1] = some_number;
identifier_two[2] = some_number;
...
identifier_two[some_length - 1] = some_number;

In breve, l'input sarà sempre valido e ben definito C. In modo più dettagliato:

Tutti gli identificatori saranno costituiti solo da lettere e caratteri di sottolineatura. La lunghezza sarà sempre almeno una e non ci saranno mai indici mancanti o fuori limite. Si può anche presumere che gli indici siano in ordine. Per esempio:

foo bar[3];
bar[0] = 1
bar[2] = 9;

foo bar[1];
bar[0] = 1;
bar[1] = 3;

e

foo bar[3];
bar[2] = 9;
bar[0] = 1
bar[1] = 3

sono tutti input non validi e possono causare comportamenti indefiniti nell'invio. Puoi anche supporre che tutti i numeri saranno numeri decimali validi, negativi o positivi. L'ingresso non avrà spazi estranei. L'output deve sempre seguire questo formato, spazi inclusi:

identifier_one identifier_two[] = {n1, n2, n3, ...};

Ecco alcuni dati di esempio:

Input:
spam eggs[10];
eggs[0] = 0;
eggs[1] = 4;
eggs[2] = 8;
eggs[3] = -3;
eggs[4] = 3;
eggs[5] = 7;
eggs[6] = 888;
eggs[7] = 555;
eggs[8] = 0;
eggs[9] = -2;

Output:
spam eggs[] = {0, 4, 8, -3, 3, 7, 888, 555, 0, -2};

Input:
char ans[2];
ans[0] = 52;
ans[1] = 50;

Output:
char ans[] = {52, 50};

Input:
blah_blah quux[1];
quux[0] = 105;

Output:
blah_blah quux[] = {105};

È possibile accettare input e output in qualsiasi formato ragionevole, come STDIN / STDOUT, argomenti di funzioni e valore di ritorno, lettura e scrittura di file, ecc. Si applicano scappatoie standard. Vince la risposta più breve in byte!


¹ Questa è passiva-aggressiva e un'idea terribile. Hai Non questa idea da me.


8
Mi
scuso


@DLosc Ah, questo è quello che Jimmy sta usando nel suo script pre-commit!
Bergi,

9
Certo che Jimmy non è un golfista di codice.
jimmy23013,

Questa sfida ha davvero fatto impazzire i miei Jimmies .
DanTheMan,

Risposte:


8

Vim, 43 36 byte

Non devi dare a Jimmy una sceneggiatura, basta insegnargli a usare un editor di testo adeguato. (rendimenti letterali per chiarezza)

:%s/.*=//|%s/;\n/,/<cr><cr>
3wcf ] = {<esc>
$s};

Bello! In questo caso specifico, <C-a>è più corto di t], il che è un piccolo trucco divertente. Inoltre, penso che tu abbia bisogno tecnicamente di 2 <cr>poiché richiede una conferma.
DJMcMayhem


Inoltre, norm df=è più breve dis/.*=//g
DJMcMayhem

1
Inoltre, 3wC] = {<esc>è più breve di <C-a>di]$s = {<esc>.
DJMcMayhem

1
@Geobits Dov'è la tua risposta Emacs?
Neil,

7

CJam, 43 36 byte

qN/('[/~;"[] = {"@{S/W=W<}%", "*"};"

Esempio online

Spiegazione:

qN/                                     |Read all lines to array
   ('[/~;                               |slice first line left of [
         "[] = {"                       |add formatting to stack
                 @                      |rotate to remaining lines
                  {      }%             |for each line in array
                   S/W=                 |split after last space
                       W<               |remove last character (;)
                           ", "*        |insert ", " to array
                                "};"    |add formatting

Un grande ringraziamento a Martin Ender per i miglioramenti apportati alla mia prima risposta CJam.


6

JavaScript (ES6), 65 64 63 byte

s=>`${s.split`[`[0]}[] = {${s.match(/-?\d+(?=;)/g).join`, `}};`

5

Retina , 30 28 byte

Il conteggio dei byte presuppone la codifica ISO 8859-1.

\d+];¶.+ 
] = {
;¶.+=
,
;
};

Provalo online!

Spiegazione

Useremo il seguente input come esempio:

spam eggs[4];
eggs[0] = 0;
eggs[1] = 4;
eggs[2] = 8;
eggs[3] = -3;

Fase 1

\d+];¶.+ 
] = {

Nota che c'è uno spazio finale sulla prima riga.

Iniziamo abbinando un numero seguito da ];e un avanzamento riga, quindi tutto fino all'ultimo spazio sulla riga successiva. Questa partita può essere trovata solo alla fine della prima riga (a causa di ];). Tutto questo è sostituito da ] = {. Cioè, trasforma il nostro input di esempio in:

spam eggs[] = {0;
eggs[1] = 4;
eggs[2] = 8;
eggs[3] = -3;

Fase 2

;¶.+=
,

Ora abbiniamo tutto dalla ;a =alla successiva nella riga successiva e sostituiamo con a ,. Questo trasforma la stringa in:

spam eggs[] = {0, 4, 8, -3;

Fase 3

;
};

Tutto ciò che rimane è fissare la fine e lo facciamo sostituendo l'unico rimasto ;con };:

spam eggs[] = {0, 4, 8, -3};

5

Julia, 112 108 105 byte

f(s)=string(split(s,'[')[1],"[] = {",join([m[1] for m in [eachmatch(r"= *(-?\d+)",s)...]],", "),"};")

Spiegazione

string(                                                         # build output string
split(s,'[')[1],                                                # get declaration (e.g. spam eggs)
"[] = {",                                                       # add [] = {
join(                                                           # collect numbers
    [m[1] for m in [eachmatch(r"= *(-?\d+)",s)...]],            # regex out (signed) numbers
    ", "),                                                      # and join comma separated
"};"                                                            # add };
)                                                               # close string(

Byte salvati sostituendo collect (eachmatch ()) con [eachmatch () ...] e con una regex più breve


Ciao, benvenuto in PPCG! Questa sembra un'ottima prima risposta. +1 da me. Poiché la sfida indica " È possibile accettare input e output in qualsiasi formato ragionevole ", è possibile rimuovere lo spazio dopo il separatore virgola nella eachmatchchiamata di funzione per un output meno grazioso e -1 byte. Non ho mai programmato me stesso a Julia, ma potresti trovare questo post interessante da leggere: Suggerimenti per giocare a golf a Julia . Di nuovo benvenuto, e goditi il ​​tuo soggiorno. :)
Kevin Cruijssen,

1
grazie mille per le tue gentili parole :) PPCG sembrava essere divertente da esaminare, quindi ho pensato di provarlo. Scegli Julia per questa risposta in quanto non ancora presente
nyro_0

L'uso matchallsarebbe probabilmente più breve dello splatting eachmatch.
Alex A.

ho provato a usare matchall prima, ma non mi permette di usare i gruppi regex (la parte tra parentesi a cui sono particolarmente interessato) al contrario di ogni corrispondenza. (o non riuscivo a trovarlo nella documentazione?)
nyro_0

3

Lua, 121 byte.

function g(s)print(s:gmatch('.-%[')()..'] = {'..s:gsub('.-\n','',1):gsub('.-([%d.-]+);\n?','%1, '):gsub(',%s+$','};'))end

spiegato

function g(s)
    print(                              -- Print, Self Explaintry.
        s:gmatch('.-%[')()..'] = {'     -- Find the 'header', match the first line's class and assignment name (everything up to the 'n]') and append that. Then, append ] = {.
                                        -- In the eggs example, this looks like; 'spam eggs[] = {' now
        ..                              -- concatenate...
        s:gsub('.-\n','',1)             -- the input, with the first line removed.
        :gsub('.-([%d.-]+);\n?','%1, ') -- Then that chunk is searched, quite boringly, a number followed by a semicolon, and the entire string is replaced with an array of those,
                                        -- EG, '1, 2, 3, 4, 5, 6, '
        :gsub(',%s+$','};')          -- Replace the final ', ' (if any) with a single '};', finishing our terrifying combination
    )
end

3

Lotto, 160 byte

@echo off
set/ps=
set s=%s:[=[] = {&rem %
set r=
:l
set t=
set/pt=
if "%t%"=="" echo %r%};&exit/b
set t=%t:* =%
set r=%r%%s%%t:~2,-1%
set s=, 
goto l

Nota: la linea set s=,termina con uno spazio. Accetta input su STDIN. Che strano linea 3 prende l'input (ad esempio, int spam[6];e cambia il [nella [] = {&remconseguente set s=int spam[] = {&rem 6];che poi viene interpretata come due dichiarazioni, set s=int spam[] = {e rem 6];, l'ultima delle quali è un commento. Poi per ogni linea cancelliamo il testo fino al primo spazio (perché si può utilizzare =in un modello e la corrispondenza non è avida) ed estrarre il valore.


3

C, 121 byte

n=2;main(i){for(;putchar(getchar())^91;);for(printf("] = {");~scanf("%*[^=]%*c%d",&i);n=0)printf(", %d"+n,i);puts("};");}

3

Python 112 111

Molto semplice per me, per favore, suggerisci qualsiasi miglioramento che mi viene in mente.

def f(l):
 a,*b=l.split('\n')
 return a[:a.index('[')]+'[] = {'+', '.join(r.split(' = ')[1][:-1]for r in b)+'};'


# TEST

lines = """spam eggs[10];
eggs[0] = 0;
eggs[1] = 4;
eggs[2] = 8;
eggs[3] = -3;
eggs[4] = 3;
eggs[5] = 7;
eggs[6] = 888;
eggs[7] = 555;
eggs[8] = 0;
eggs[9] = -2;"""
print (f(lines))
assert f(lines) == 'spam eggs[] = {0, 4, 8, -3, 3, 7, 888, 555, 0, -2};'

A una rapida occhiata, vedo che c'è uno spazio bianco inutile in [:-1] for.
Yytsi,

2

05AB1E , 31 30 28 byte

žh-|vy#¤¨ˆ\}¨… = ¯ïžuDÀÀ‡';J

Spiegazione

žh-¨                            # remove numbers and ";" from first input
    |v      }                   # for each of the rest of the inputs
      y#                        # split on spaces
        ¤¨                      # take the last element (number) minus the last char (";") 
          ˆ\                    # store in global array and throw the rest of the list away
             … =                # push the string " = "
                 ¯ï             # push global array and convert to int
                   žuDÀÀ‡       # replace square brackets of array with curly ones
                         ';     # push ";"
                           J    # join everything and display

Provalo online!

Salvataggio di un byte grazie ad Adnan


žuDÀÀinvece di „[]„{}salvare un byte :).
Adnan,

@Adnan: giusto, buona cattura!
Emigna,

2

Java 7, 159 158 149 154 byte

String c(String[]a){a[0]=a[0].split("\\d")[0]+"] = {\b";for(String i:a)a[0]+=i.split("= [{]*")[1];return a[0].replace(";",", ").replaceFirst("..$","};");}

Più byte salvati grazie a @cliffroot .

Codice non testato e test:

Provalo qui.

class M{
  static String c(String[] a){
    a[0] = a[0].split("\\d")[0] + "] = {\b";
    for(String i : a){
      a[0] += i.split("= [{]*")[1];
    }
    return a[0].replace(";", ", ").replaceFirst("..$", "};");
  }

  public static void main(String[] a){
    System.out.println(c(new String[]{ "spam eggs[10];", "eggs[0] = 0;", "eggs[1] = 4;",
      "eggs[2] = 8;", "eggs[3] = -3;", "eggs[4] = 3;", "eggs[5] = 7;", "eggs[6] = 888;",
      "eggs[7] = 555;", "eggs[8] = 0;", "eggs[9] = -2;" }));
    System.out.println(c(new String[]{ "char ans[2]", "ans[0] = 52;", "ans[1] = 50;" }));
    System.out.println(c(new String[]{ "blah_blah quux[1];", "quux[0] = 105;" }));
  }
}

Produzione:

spam eggs[] = {0, 4, 8, -3, 3, 7, 888, 555, 0, -2};
char ans[] = {52, 50};
blah_blah quux[] = {105};

1
pochi byte salvatiString c(String[]a){a[0]=a[0].split("\\d")[0]+"]={ \b";for(String i:a)a[0]+=i.split("=[{]*")[1];return a[0].replace(';',',').replaceFirst(".$","};");}
cliffroot,

@cliffroot Grazie! In effetti alcuni trucchi interessanti come riutilizzare Stringil parametro nel e sostituire l'ultimo carattere con "};");invece di un "")+"};";.
Kevin Cruijssen,

2

Perl, 42 + 2 ( -0p) = 44 byte

s%\d+].*%] = {@{[join",",/(-?\d+);/g]}};%s

Bisogni -pe -0bandiere per funzionare. Per esempio :

perl -0pe 's%\d+].*%] = {@{[join",",/(-?\d+);/g]}};%s' <<< "blah_blah quux[1];
quux[0] = 105;"

1

Gelatina , 27 byte

Ỵ©ḢḟØDṖ“ = {”®Ḳ€Ṫ€Ṗ€j⁾, ⁾};

Provalo online!

Spiegazione

Ỵ         Split into lines
 ©Ḣ       Take the first one, store the others in ®
   ḟØD    Remove digits
      Ṗ   Remove trailing ;

“ = {”    Print a literal string

®         Recall the remaining lines
 Ḳ€       Split each into words
   Ṫ€     Keep each last word
     Ṗ€   Remove each trailing ;

j⁾,       Join by “, ”
    ⁾};   Literal “};”

1

sed 51

1s,\[.*,[] = {,
:
N
s,\n.*= ,,
s/;/, /
$s/, $/};/
t

1

Java, 106 byte

La manipolazione delle stringhe in Java è un inferno, come sempre.

a->a[0].join("",a).replaceAll(";\\w+\\[\\d+\\] = ",", ").replaceAll("\\d+\\], ","] = {").replace(";","};")

Questa è una risposta regex pura. Crea un singolo concatenato String, quindi esegui replaceXxxfino a quando non va bene.

Test e non golfati:

import java.util.function.Function;

public class Main {

  public static void main(String[] args) {
    Function<String[], String> f = a ->
        String.join("", a)                          // I think this would join. Not sure, though. Golfed into a[0].join because static members are accessible from instances.
            .replaceAll(";\\w+\\[\\d+\\] = ", ", ") // replace with regex
            .replaceAll("\\d+\\], ", "] = {")       // replace with regex
            .replace(";", "};");                    // replace no regex

    String[] spam = {
      "int spam[6];",
      "spam[0] = 4;",
      "spam[1] = 8;",
      "spam[2] = 15;",
      "spam[3] = 16;",
      "spam[4] = 23;",
      "spam[5] = 42;"
    };
    test(f, spam, "int spam[] = {4, 8, 15, 16, 23, 42};");

    String[] eggs = {
      "spam eggs[10];",
      "eggs[0] = 0;",
      "eggs[1] = 4;",
      "eggs[2] = 8;",
      "eggs[3] = -3;",
      "eggs[4] = 3;",
      "eggs[5] = 7;",
      "eggs[6] = 888;",
      "eggs[7] = 555;",
      "eggs[8] = 0;",
      "eggs[9] = -2;"
    };
    test(f, eggs, "spam eggs[] = {0, 4, 8, -3, 3, 7, 888, 555, 0, -2};");

    String[] ans = {
      "char ans[2];",
      "ans[0] = 52;",
      "ans[1] = 50;"
    };
    test(f, ans, "char ans[] = {52, 50};");

    String[] quux = {
      "blah_blah quux[1];",
      "quux[0] = 105;"
    };
    test(f, quux, "blah_blah quux[] = {105};");

  }

  static void test(Function<String[], String> f, String[] input, String expected) {
    System.out.printf("Result:   %s%nExpected: %s%n", f.apply(input), expected);
  }
}

0

Gelatina , 33 byte

ỴḊḲ€Ṫ€K⁾;,yṖ“{“};”j
ỴḢḟØDṖ,⁾ =,ÇK

TryItOnline

Come?

ỴḊḲ€Ṫ€K⁾;,yṖ“{“};”j - Link 1, parse and reform the values, same input as the Main link
Ỵ                   - split on line feeds
 Ḋ                  - dequeue (remove the first line)
  Ḳ€                - split each on spaces
    Ṫ€              - tail each (get the numbers with trailing ';')
      K             - join on spaces
       ⁾;,          - ";,"
          y         - map (replace ';' with ',')
           Ṗ        - pop (remove the last ',')
            “{“};”  - list of strings ["{","};"]
                  j - join (making "{" + "n0, n1, ,n2, ..." + "};")

ỴḢḟØDṖ,⁾ =,ÇK - Main link, takes one argument, the multiline string
Ỵ             - split on line feeds
 Ḣ            - head (just the first line)
   ØD         - digits yield "0123456789"
  ḟ           - filter out
     Ṗ        - pop (remove the trailing ';')
      ,   ,   - pair
       ⁾ =    - the string " ="
           Ç  - call the previous Link (1)
            K - join on spaces (add the space after the '=')

Elettore giù: cosa c'è che non va?
Jonathan Allan,


0

JavaScript, 125 byte

So che è più lungo di altri, ma volevo davvero usarlo eval. Solo per divertimento.

f=function(s){m=/^(\w+ )(\w+).*?(;.*)/.exec(s)
eval("var "+m[2]+"=new Array()"+m[3]+'alert(m[1]+m[2]+"={"+eval(m[2])+"};")')}

Per eseguire, incolla quanto segue qui :

s='int spam[6];\
spam[0] = 4;\
spam[1] = 8;\
spam[2] = 15;\
spam[3] = 16;\
spam[4] = 23;\
spam[5] = 42;'
f=function(s){m=/^(\w+ )(\w+).*?(;.*)/.exec(s)
eval("var "+m[2]+"=new Array()"+m[3]+'alert(m[1]+m[2]+"={"+eval(m[2])+"};")')}
f(s)

0

Haxe, 234 byte

function R(L:Array<String>){var S=L[0];var W=S.indexOf(" ");var T=S.substr(0,W),M=S.substring(W+1,S.indexOf("["));var r=[for(i in 1...L.length)L[i].substring(L[i].lastIndexOf(" ")+1,L[i].length-1)].join(', ');return'$T $M[] = {$r};';}

I nomi di funzioni lunghe hanno ucciso questo: D

Prova qui i testcase !


0

V , 25 , 24 byte

3wC] = {òJd2f $s, òhC};

Provalo online! Questo contiene un <esc>carattere non stampabile , quindi ecco un hexdump:

0000000: 3377 435d 203d 207b 1bf2 4a64 3266 2024  3wC] = {..Jd2f $
0000010: 732c 20f2 6843 7d3b                      s, .hC};

Spiegazione:

3w                              "Move forward 3 words
  C     <esc>                   "Delete everything until the end of the line, and enter this text:
   ] = {                        "'] = {'
             ò         ò        "Recursively:
              J                 "  Join these two lines (which enters a space)
               d                "  Delete everything until you
                2f              "  (f)ind the (2)nd space
                   $            "  Move to the end of this line
                    s           "  Delete a character, and enter:
                     ,          "  ', '
                                "
                        h       "Move one character to the left
                         C      "Delete everything until the end of the line, and enter this text:
                          };    "'};'
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.