Raggruppamento rapido di elenchi


17

Il raggruppamento prende un elenco e lo divide in nuovi elenchi di elementi adiacenti uguali. Per esempio

[1,1,2,1,1] -> [[1,1],[2],[1,1]]

Se poi prendi la lunghezza di questi gruppi otterrai un nuovo elenco di numeri interi

[1,1,2,1,1] -> [2,1,2]

Il tuo compito è scrivere un programma che prende un elenco di numeri interi positivi e trova il numero di volte che puoi raggruppare e allungarlo prima che l'elenco risultante abbia un singolo elemento. Ad esempio, l'elenco [1,2,3,3,2,1]può essere raggruppato 4 volte

[1,2,3,3,2,1]
[1,1,2,1,1]
[2,1,2]
[1,1,1]
[3]

Questo è quindi le risposte verranno classificate in byte con un numero inferiore di byte migliori.

Casi test

[1,2,3,3,2,1] -> 4
[1,2,3,4,5,6,7] -> 2
[1,1,1,1,1,1] -> 1
[2] -> 0
[1,2,4] -> 2
[1,2,2,1,1,2] -> 4
[1,2,2,1,1,2,1,2,2] -> 5
[1] -> 0

3
Questa è fondamentalmente la codifica della lunghezza di esecuzione senza memorizzare i valori.
Mee,

[1]è un input valido e dovrebbe dare 0, giusto?
ETHproductions

Sì, lo aggiungerò perché è un caso un po 'complicato.
Post Rock Garf Hunter,

Risposte:




3

Japt , 12 byte

ÊÉ©1+ßUò¦ ml

Provalo online!

Spiegazione

 Ê É © 1+ßUò¦  ml
Ul -1&&1+ßUò!= ml    Ungolfed
                     Implicit: U = input array
Ul -1                Take U.length - 1.
     &&              If this is non-zero:
          Uò!=         Split U between non-equal elements.
               ml      Take the length of each run of equal elements.
         ß             Run the entire program again on the resulting array.
       1+              Add one to the return value.

La ricorsione è un approccio davvero non convenzionale per Japt, ma sembra essere 4 byte più corto della prossima alternativa ...


@Shaggy La mia versione a 16 byte con F.a()è ancora accessibile attraverso la cronologia delle revisioni. Mi piacerebbe vedere il tuo 14-byter però!
ETHproductions

3

Brachylog , 12 byte

;.{ḅlᵐ}ⁱ⁾l1∧

Provalo online!

Spiegazione

;.{   }ⁱ⁾        Iterate Output times the following predicate on the input:
   ḅ               Group consecutive equal elements together
    lᵐ             Map length
         l1∧     The result of this iteration must have length 1

2

C (gcc) , 108 byte

j,k,n;f(A,l)int*A;{for(j=k=n=0;j<l;j++)if(n++,A[j]-A[k])A[k++]=--n,A[k]=A[j],n=1;A=l>1?-~f(A,k,A[k++]=n):0;}

Provalo online!

Spiegazione

j,k,n;                // array pos, group pos, group val
f(A,l)int*A;{         // function takes array and length
 for(j=k=n=0;j<l;j++) // initialize, loop through array
  if(n++,             // increase n (*), check if group ended
  A[j]-A[k])          // group ended
   A[k++]=--n,        // advance group pos, decrease n, counteracting (*)
   A[k]=A[j],         // store new group type
   n=1;               // group is at least one long
 A=l>1?               // check if array length is larger than one
  -~f(A,k,A[k++]=n)   // fix last group length, enter recursion
  :0;}                // array length is less than two, return zero

Provalo online!


2

JavaScript (ES6), 67 65 63 byte

f=a=>a[1]?1+f(q=j=i=[],a.map(x=>x^a[++i]?j=!q.push(++j):++j)):0

Stranamente, JavaScript e Japt sembrano avere lo stesso algoritmo più breve per una volta ...


2

K (oK) , 20 19 byte

Soluzione:

#2_{#:'(&~~':x)_x}\

Provalo online!

Esempi:

#2_{#:'(&~~':x)_x}\1 2 3 3 2 1
4
#2_{#:'(&~~':x)_x}\1 2 3 4 5 6 7
2
#2_{#:'(&~~':x)_x}\1 1 1 1 1 1
1
#2_{#:'(&~~':x)_x}\1#2
0
#2_{#:'(&~~':x)_x}\1 2 4
2

Spiegazione:

Questo è piuttosto semplice, mi chiedo se esiste un approccio ancora migliore ... Trova gli indici in cui l'input differisce, dividi in quegli indici e poi conta la lunghezza di ogni sotto-elenco. Iterate fino a quando i risultati convergono in 1.

#2_{#:'(&~~':x)_x}\ / the solution
   {             }\ / scan over lambda until results converge
                x   / implicit input
               _    / cut at indices
       (      )     / do this together
         ~~':x      / differ... not (~) match (~) each-previous (':) x)
        &           / indices where true
    #:'             / count (#:) each (')
 2_                 / drop first two results
#                   / count result

Appunti:

La seguente soluzione a 14 byte funziona per tutti tranne un elenco di elementi singoli:

#1_(-':&~~':)\

Provalo online!


2

J , 25 23 byte

1 byte salvato grazie a streetster

1 byte salvato grazie a FrownyFrog

2#@}.#;.1@(0,2=/\])^:a:

Provalo online!

Soluzione iniziale:

_2+[:#(#;.1~1,2~:/\])^:a:

Provalo online!

Spiegazione

      (               )^:a: - repeat until result stops changing, store each iteration
        ;.1~                - cut the input (args swapped)              
            1,2~:/\]      - where the items are no longer the same
       #                    - and take the length of the sublists
 2+[:#                      - finally subtract 2 from the number of steps

1
Puoi fare 'drop due' e poi 'count' anziché _2+salvare un byte?
streetster,

1
Penso che #;.1@(0,2=/\])salva 1 byte.
FrownyFrog,

@ FrownyFrog Sì, lo fa. Grazie!
Galen Ivanov,

@streetster Sì, aiuta a salvare un byte. Grazie!
Galen Ivanov,

2

Stax , 9 byte

ÆÑfá╒]`*Ä

Esegui ed esegui il debug online

La rappresentazione ASCII dello stesso programma è questa.

{D}{|RMHgf%

Questo utilizza una funzione stax chiamata generatore che produce valore in base alla trasformazione e ai blocchi di filtro.

{ }            the filter for the generator
 D             tail of array; this is truthy for length >= 2
   {    gf     generator block - termination condition is when the filter fails
    |R         run-length encode into pairs [element, count]
      M        transpose matrix
       H       last element
          %    length of final generated array

2

Python 2 , 84 byte

f=lambda a:len(a)>1and-~f(eval(''.join('1'+',+'[x==y]for x,y in zip(a,a[1:]))+'1,'))

Provalo online!

Come?

fè una funzione ricorsiva che, se il suo input, aha lunghezza 2 o più ( len(a)>1) restituisce 1+f(x)* dove xsono le lunghezze di gruppo di a; mentre se il suo input è di lunghezza 1 o 0 ritorna False(uguale a 0 in Python) - questo perché il lato destro di andnon viene valutato quando la sinistra è falsa.

* -~f(x)è -(-1 - f(x))ma può attestare il andcontrario 1+f(x)of(x)+1 )

Le lunghezze del gruppo vengono calcolate creando il codice che viene quindi valutato con eval(...). Il codice creato è qualcosa di simile 1,1,1+1+1,1,1+1,1,che viene valutato come una tupla (1,1,3,1,2,1).

Il codice viene creato zippando attraverso ae asenza la sua testa ( ...for x, y in zip(a,a[1:])creando xe yciascuna delle coppie adiacenti in a. Se la coppia è uguale si x==yvaluta in True(1) altrimenti False(0) - questo risultato viene usato per indicizzare nella stringa ,+ cedendo +e ,rispettivamente e ciascuno carattere risultante è preceduto da un 1( '1'+...) - il tutto poi è una finale, finali 1,. allegato Ad esempio, se asono stati [5,5,2,9,9,9]quindi le x,ycoppie sarebbero (5,5)(5,2)(2,9)(9,9)(9,9)facendo le uguaglianze 10011allora sarebbero i caratteri +,,++, che con la precedente 1s diventa 1+1,1,1+1+e posteriore finale 1,making1+1,1,1+1+1,che valuta (2,1,3)come richiesto.

Si noti che il trailing ,garantisce che un input con un singolo gruppo sia valutato come una tupla anziché come un intero (es. [3,3]-> 1+1,-> (2)anziché [3,3]- 1+1- -> 2)




1

Perl 5 , 53 50 49 45 byte

Include +3per-p

Fornisci l'elenco dei numeri come una riga su STDIN

#!/usr/bin/perl -p
s%%$\+=1<s:\d+:$.++x($'-$&and$.=1):eg%eg}{

Provalo online!


1

Buccia , 8 byte

-1 byte grazie a @Zgarb!

←Vε¡(mLg

Provalo online!

Spiegazione

←Vε¡(mLg)  -- example input: [1,2,3,3,2,1]
   ¡(   )  -- repeatedly apply the function & collect results
    (  g)  -- | group: [[1],[2],[3,3],[2],[1]]
    (mL )  -- | map length: [1,1,2,1,1]
           -- : [[1,2,3,3,2,1],[1,1,2,1,1],[2,1,2],[1,1,1],[3],[1],[1],...
 V         -- index where
  ε        -- | length is <= 1: [0,0,0,0,1,1...
           -- : 5
←          -- decrement: 4

1
←Vεè un controllo più breve per trovare l'indice dell'elenco singleton.
Zgarb,


1

05AB1E , 9 byte

[Dg#γ€g]N

Provalo online!

Spiegazione

[Dg#   ]     # loop until the length of the current value is 1
    γ        # split into groups of consecutive equal elements
     €g      # get length of each
        N    # push the iteration variable N



1

SmileBASIC, 110 108 byte

DEF R L,J
K=LEN(L)FOR I=1TO K
N=POP(L)IF O-N THEN UNSHIFT L,0
INC L[0]O=N
NEXT
IF I<3THEN?J ELSE R L,J+1
END

Chiamare la funzione come R list,0; l'output viene stampato sulla console.



0

R , 51 45 byte

f=function(a)"if"(sum(a|1)>1,f(rle(a)$l)+1,0)

Provalo online!

Prendi ricorsivamente la lunghezza della codifica della lunghezza della corsa e incrementa il contatore.


0

Retina 0.8.2 , 31 byte

,.*
$&_
}`(\b\d+)(,\1)*\b
$#2
_

Provalo online! Il link include casi di test. Spiegazione:

,.*
$&_

Se c'è una virgola, faremo un'altra iterazione, quindi aggiungi un carattere di conteggio.

}`(\b\d+)(,\1)*\b
$#2

Sostituisci ogni corsa con la sua lunghezza decrementata. Le fasi precedenti si ripetono fino a quando non rimangono più virgole.

_

Conta il numero di iterazioni.


0

Perl 6 , 52 byte

{+($_,*.comb(/(\d+)[" "$0»]*/).map(+*.words)...^1)}

Provalo

Allargato:

{  # bare block lambda with implicit parameter 「$_」

  + (              # turn the following into a Numeric (get the count)


      $_,          # seed the sequence with the input

      *.comb(      # turn into a string, and grab things that match:

        /          # regex
          ( \d+ )  # a run of digits (number)
          [
            " "    # a space
                   # (gets inserted between elements of list when stringified)

            $0     # another instance of that number
            »      # make sure it isn't in the middle of a number

          ]*       # get as many as possible
        /
      ).map(
        +*.words  # turn each into a count of numbers
      )

      ...^        # keep doing that until (and throw away last value)

      1           # it gives a value that smart-matches with 1
                  # (single element list)
  )
}



0

Kotlin , 123 byte

Accetta List<Int>.

{var a=it;var b=0;while(a.size>1){var c=a[0];var d=0;with(a){a=listOf();forEach{if(it!=c){a+=d;d=0};d++;c=it};a+=d};b++};b}

Più leggibile:

{ l ->
    var input = l
    var result = 0
    while (input.size > 1) {
        var last = input[0]
        var runSize = 0
        with(input) {
            input = listOf()
            forEach { current ->
                if (current != last) {
                    input += runSize
                    runSize = 0
                }
                runSize++
                last = current
            }
            input += runSize
        }
        result++
    }
    result
}

Provalo online!


131 byte, TIO

{l->var a=l;var b=0;while(a.size>1){var c=a[0];var d=0;a.let{a=arrayListOf();for(e in it){if(e!=c){a+=d;d=0};d++;c=e};a+=d};b++};b}

181 byte, TIO

Include 39 per import kotlin.coroutines.experimental.*.

{l->var a=l;var b=0;while(a.size>1){var c=a[0];var d=0;a=buildSequence{for(e in a){if(e!=c){yield(d);d=0;};d++;c=e};yield(d)}.toList();b++};b}

0

Rosso , 140 byte

func[b][n: 0 while[(length? b)> 1][l: copy[]parse split form b" "[any[copy s[set t string! thru any t](append l length? s)]]b: l n: n + 1]n]

Provalo online!

Volevo solo dare un altro tentativo al dialetto Parse di Red.

Ungolfed

f: func [b] [
    n: 0
    while [(length? b) > 1][
        l: copy []
        parse split form b " " [
            any [copy s [set t string! thru any t]
                (append l length? s)]
        ]
        b: l
        n: n + 1
    ]
    n
]
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.