Impostazione dell'ora


27

Immagina il seguente orologio di 24 ore che può essere controllato con i tasti freccia:

╔══╗ ┌──┐
║00║:│00│
╚══╝ └──┘
 HH   mm

Premendo due volte la freccia su ( ↑↑) si aumenterà l'immissione dell'ora attualmente focalizzata:

╔══╗ ┌──┐
║02║:│00│
╚══╝ └──┘
 HH   mm

Premendo la freccia destra ( ) si focalizzerà l'altro input.

┌──┐ ╔══╗
│02│:║00║
└──┘ ╚══╝
 HH   mm

Premendo tre volte la freccia giù ( ↓↓↓), questo input diminuirà.

┌──┐ ╔══╗
│02│:║57║
└──┘ ╚══╝
 HH   mm

In breve:

  • La freccia su ( ) aumenterà l'ingresso attualmente attivo.
  • La freccia giù ( ) diminuirà l'ingresso attivo.
  • La freccia destra ( ) sposta lo stato attivo sull'input corretto.
  • La freccia sinistra ( ) sposta lo stato attivo sull'ingresso sinistro.
  • Il movimento su e giù si ripeterà come previsto per un input di tempo.
  • Il movimento sinistro e destro non si aggira intorno.

La sfida

L'orologio inizia alle 00:00con l'ingresso dell'ora attivo (vedi primo schema). Dato un elenco di comandi di input, visualizza il tempo risultante nel HH:mmformato.
L'input può essere una stringa o un elenco (o l'equivalente della lingua), in cui le diverse direzioni di input possono essere una delle opzioni seguenti:

  • ↑↓←→
  • udlr
  • ^v<>
  • il tasto freccia effettivo preme se il programma ha una GUI

Si applicano scappatoie standard.

Casi test

↑↑→↓↓↓ = 02:57
↓→↑←↑→↓ = 00:00
↓→→↓ = 23:59
←←←←→↑ = 00:01
↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓↓→↓ = 23:59

1
@JonathanFrech Una delle opzioni fornite, la scelta di quattro valori univoci (ad esempio 0123) renderebbe la sfida molto più semplice in alcune lingue senza giovare ad altre.
Nit

1
@LuisfelipeDejesusMunoz Sì, è scritto in base alle regole di input.
Nit

3
Penso che questo sarebbe stato più impegnativo se includesse secondi. Ciò avrebbe più logica dietro a ciò che è attualmente in primo piano
Jo King,

3
Manca una regola speciale per gestire il codice Konami.
coredump,

1
@coredump Lo ha considerato, ma probabilmente occuperebbe più spazio del nocciolo della risposta nella maggior parte delle lingue.
Nit

Risposte:


39

HTML su Google Chrome 67 in cinese (semplificato), 39 byte

<input type=time value=00:00 autofocus>

Screenshot

Chrome mostra diversi componenti dell'interfaccia utente in una lingua diversa. Anche un semplice input di tempo: AM / PM verrà mostrato se si utilizza l'inglese (USA). Se vuoi provare questo cambiando la lingua di Chrome. Non ammassare come cambiarlo indietro.


2
Dudee !! hahah penso che non sia valido comunque
Luis felipe De jesus Munoz il

2
Colpire due volte bene vale AM/PMper me
Jo King,

1
@JoKing Penso che dipenda dalle impostazioni locali / delle impostazioni?
Nit

1
@JoKing Dipende dalle impostazioni locali. Forse provi cambiando la lingua di Chrome in cinese Semplifica? (Non
pensare

1
Funziona su Firefox 61.0.1
Francisco Hahn,

12

C (gcc) , 117 107 byte

  • Risparmiato dieci byte grazie a l4m2 .
t,i,m[8];e(char*_){for(*m=i=2[m]=0;t=*_++;t<63?i=t%4:(i[m]+=t&8?1:'w'));printf("%02d:%02d",*m%24,2[m]%60);}

Provalo online!


4
Bella denominazione variabile.
Nit

# C (gcc) , 107 byte <! - language-all: lang-c -> t,i,m[8];e(char*_){for(*m=i=2[m]=0;t=*_++;t<63?i=t%4:(i[m]+=t&8?1:119));printf("%02d:%02d",*m%24,2[m]%60);} Provalo online!
l4m2

6

Stax , 36 35 33 32 byte

áXò↑─↨√▓|êóÇiU&≡Q#┤Æ⌡⌠╟C▐╜√⌡∟▄╩╠

Esegui ed esegui il debug

Usi lrud.

Spiegazione:

'l/{'r/Bs$2lmM{${:14-m|+i36*24+%2|zm':* Full program,
'l/                                     Split the string on "l"
   {        m                           Map over the resulting array
    'r/                                   Split at "r"
       B                                  Uncons left, first on TOS (top of stack)
        s                                 Swap to get tail to top
         $                                Flatten; this removes multiple 'r's
          2l                              Listify two items, BOS (bottom of stack) is first element
             M                          Transpose: get [hour commands, minute commands]
              {                    m    Map:
               $                          Flatten
                {    m                    Map over single commands:
                 :1                         Number of set bits: 5 for 'u', 3 for 'd'
                   4-                       Subtract 4: u -> 1, d -> -1
                      |+                  Sum
                        i                 Iteration index: hours -> 0, minutes -> 1
                         36*24+           Multiply by 36, add 24: 0 -> 24, 1 -> 60
                               %          Modulo, this does -5 % 60 = 55
                                2|z       Stringify, left-padding with "0" to length 2
                                    ':* Join on ":"
                                        Implicit output



5

C # (.NET Core) , 149 132 byte

s=>{var p=0;int[]h={0,0};foreach(var c in s)h[p=c<63?c/2%2:p]+=c>62?c>95?-1:1:0;return$"{(h[0]%24+24)%24:D2}:{(h[1]%60+60)%60:D2}";}

Provalo online!

Usando ^v<>.

Questo mi ha fatto capire che l'operatore modulo in C # non funziona come previsto, perché in C # -1 % 60 = -1, quindi alla fine devo fare quella strana operazione.


(H [1]% 60 + 60)% 60 non può essere sostituito con (h [1] +60)% 60?
IanF1,

2
@ IanF1 no non puoi. Cosa succede se l'utente preme il pulsante giù 100 volte? O 1000 volte?
Charlie,

grazie per il chiarimento :) mi sorprende che in questo modo sia più breve che applicare il modulo al volo (con 59 al posto di -1).
IanF1,

5

Lua (framework love2d), 311 308 byte

l,b,d,t,f,a=love,{24,60},{1,-1},{0,0},1,{"left","right","up","down"}function c(n,i)t[f]=(n+d[i])%b[f]end function l.draw()h,m=t[1],t[2]l.graphics.print((h<10 and 0 ..h or h)..":"..(m<10 and 0 ..m or m),0,0)end function l.keypressed(k)for i,n in pairs(a)do f=k==n and(i>2 and(c(t[f],i-2)or f)or i)or f end end

Versione non sbriciolata:

--initialize all needed values
l,b,d,t,f,a=love,{24,60},{1,-1},{0,0},1,{"left","right","up","down"}

--increase the numbers depending on the focus and up or down
function c(n,i)
  t[f]=(n+d[i])%b[f]
end 

--draw the time to the screen
function l.draw()
  h,m=t[1],t[2]
  l.graphics.print((h<10 and 0 ..h or h)..":"..(m<10 and 0 ..m or m),0,0)
end

--get the keys and check if it is an arrow key
function l.keypressed(k)
  for i,n in pairs(a)do
    f=k==n and(i>2 and(c(t[f],i-2)or f)or i)or f 
  end 
end

Probabilmente non è ancora facile da leggere al 100% perché tutti gli if sono scambiati con un'istruzione trinaria (..e ..o) :)

se avviato in un main.lua con amore, si aprirà una finestra e puoi premere i tasti freccia per cambiare i numeri


potresti anche pubblicare una versione estesa per leggibilità
aaaaa dice di ripristinare Monica il

certo, ho aggiunto una versione estesa senza problemi :)
Lycea,

4

MATL , 57 56 55 byte

1Oi9\"@5<?y@3-ZS*+}wx7@-X^w]]wx&Zjh24 60h\'%02d:%02d'YD

Provalo online!

Rappresenta ora e minuti usando numeri complessi, con la parte reale che è ore e i minuti della parte immaginaria.

Con commenti:

1     % Push 1 on the stack
      % represents which timer box we're in, starts at hour box
      % imaginary number j would represent minutes box
O     % Push initial hour and minutes 0+0j
i9\   % Fetch input, mod each character's ASCII value by 9.
      % Gives 4 1 8 6 for ^ v > < respectively
"     % iterate through (modded) input
  @5<?     % Push current input, see if it's < 5 
           % if so, it's an up or down time change
    y        % so copy out the box indicator (1 or j)
    @3-      % Subtract 3 from the current input
    ZS       % Take the result's sign (-1 for v, 1 for ^)
    *        % Multiply indicator with that
    +        % Add the result to the time value
  }        % else, it's a right or left arrow
    wx       % so bring out the box indicator and delete it
    7@-      % Subtract current input from 7. 1 for < and -1 for >
    X^       % Take the square root of that. 1 for < and j for >
    w        % switch stack to bring time value on top again
  ]       % end if
]     % end loop
wx    % bring box indicator out, delete it
&Zj   % split the complex time value to real and imaginary
h     % then concatenate them into an array
24 60h\ % mod hour and minute values by 24 and 60 respectively
'%02d:%02d'YD % sprintf the time array with 0-padding

4

PHP , 145 134 133 byte

(-11 byte con più golf)

(-1 byte usando il metodo loop di Davіd )

<?for($h=$m=0,$a=h;$c=$argv[++$i];)$c<l?$$a--:($c>r?$$a++:$a=$c<r?h:m);$h%=24;$m%=60;printf('%02d:%02d',$h<0?$h+24:$h,$m<0?$m+60:$m);

Per eseguirlo:

php -n -d error_reporting=0 <filename> <command_1> <command_2> ... <command_n>

Esempio:

php -n -d error_reporting=0 time_setter.php u u r d d d l d

O provalo online!

Gli appunti:

  • Per salvare alcuni byte, ho usato stringhe senza virgolette singole / doppie come wrapper di stringhe. Pertanto, l' error_reporting=0opzione viene utilizzata per non generare avvisi.
  • Comandi di input: u d l r

128 byte, -6: provalo online! (Bella soluzione, a proposito :)
Davіd

@ Davіd: grazie, ma l'aggiornamento ha due problemi. Il primo è che $ h non è impostato, quindi diminuendolo all'avvio non riesce: provalo online!
Night2

@David: E il secondo problema si verifica quando si passa l'ora / minuto in alto o in basso più di 24/60 volte: provalo online!
Night2

@ Davіd: Ma grazie al tuo metodo loop, ho potuto ridurre di 1 byte in più: provalo online!
Night2

ah, va bene, scusa se non ha funzionato del tutto :)
Davyd

4

JavaScript, 104 103 byte

Accetta input come una matrice di caratteri, usando <>^v.

a=>(a.map(z=>z<"^"?a=z<">":a?x+=z<"v"||23:y+=z<"v"||59,x=y=0),g=n=>`0${n}`.slice(-2))(x%24)+`:`+g(y%60)

Provalo online


3

Haskell, 236 byte

f=u 0 0
k _ _ _ _ _ h m[]=z h++':':z m
k a b c d e h m(q:s)=case q of{'^'->e(a h)(b m)s;'v'->e(c h)(d m)s;'>'->v h m s;'<'->u h m s}
u=k(o(+)24)id(o(-)24)id u
v=k id(o(+)60)id(o(-)60)v
o f m x=mod(f x 1)m
z n|n<10='0':show n
z n=show n

fè la funzione principale e ha tipo String -> String:

*Main> f "^^>vvv"
"02:57"
*Main> f "v>^<^>v"
"00:00"
*Main> f "v>>v"
"23:59"
*Main> f "<<<<>^"
"00:01"
*Main> f "vvvvvvvvvvvvvvvvvvvvvvvvv>v"
"23:59"

Essenzialmente ue vsono funzioni reciprocamente ricorsive di tipo Integer -> Integer -> String -> String. Prendono l'ora, il minuto e un elenco di caratteri sul set {v,^,<,>}e restituiscono la stringa di tempo. usi comporta come se la ghiera delle ore fosse evidenziata, chiamando in modo ricorsivo use il capo della lista è dentro {v,^}e vse il capo della lista è dentro{<,>} . vè simile ma per il quadrante dei minuti.

Tutto il resto è solo salvare i personaggi.


3

Lua , 132 byte

loadstring's,t,m=1,{0,0},{24,60}for c in(...):gmatch"."do t[s]=(t[s]+(("d u"):find(c)or 2)-2)%m[s]s=("lr"):find(c)or s end return t'

Provalo online!


Spiegazione

Questa è una funzione anonima (un modo per usarla è mostrato sul link).

s=1 -- s will control the selection (1 is hour and 2 min)
t={0,0} -- is the time itself
m={24,60} -- is the maximum for each 'box' (hour or min)
-- I've actually used Lua's multiple variable assignment: s,t,m=1,{0,0},{24,60}

for c in (...):gmatch(".") do -- go through each character of the input
  t[s] = (t[s] + (("d u"):find(c) or 2)-2) % m[s] -- set the current 'box' as
          t[s] +   -- itself plus ...
                  ("d u"):find(c) or 2   -- it's index on the string "d u" (that means it's going to be 1 or 3)
                                         -- or 2 if it wasn't found (if the current character doesn't sum or subtract from the box)
                                       -2   -- this adjusts the result 1, 2 or 3 to being -1, 0 or 1
                                            -- making the inputs 'd' and 'u' as -1 and +1 respectively, and an input different from both as 0
         (                               ) % m[s]   -- modulo of the maximum of the selected 'box'

  s=("lr"):find(c) or s
    ("lr"):find(c)   -- if the current input character is l or r, then set 's' (the 'box' selection) to being 1 or 2.
                   or s   -- else let it as is
end
return t -- returns 't', a table with hour and minutes respectively

L'output dovrebbe essere nel HH:mmformato, piuttosto che in una tabella
Jo King,

2

Java 8, 121 byte

c->{int i=0,m[]={0,0,0};for(int t:c)if(t<63)i=t%4;else m[i]+=(t&8)>0?1:119;return"".format("%02d:%02d",m[0]%24,m[2]%60);}

La risposta C di Port of Jonathan Frech . Accetta . Provalo online qui .^v<>


2

Gelatina , 36 byte

Credo che O%5;4ṣ3œṡ€4Z%3’§§%"“ð<‘DŻ€ṫ€-j”:dovrebbe funzionare per 32, ma œṡ al momento sembra avere un bug .

O%5;4ṣ3i€4$œṖ"$Z%3’§§%"“ð<‘DŻ€ṫ€-j”:

Un programma completo che stampa il risultato su STDOUT (come collegamento monadico in realtà restituisce un elenco misto di numeri interi (anche se a cifra singola) e caratteri (il :).

Utilizza l' udlropzione per l'input.

Provalo online! Oppure vedi una suite di test .

Come?

O%5;4ṣ3i€4$œṖ"$Z%3’§§%"“ð<‘DŻ€ṫ€-j”: - Link: list of characters (in 'udlr')
O                                    - to ordinals
 %5                                  - modulo five  ...maps u:2, d:0, l:3, r:4
   ;4                                - concatenate a 4 (to always end up with both hrs & mins - even when no r is ever pressed)
     ṣ3                              - split at threes (the l presses)
       i€4$œṖ"$                      - a replacement for œṡ€4 (split each at first occurrence of)...
              $                      - | last two links as a monad:
          $                          - |   last two links as a monad:
         4                           - |     literal four
       i€                            - |     for €ach get first index of (4) else yield 0
             "                       - |   zip with:
           œṖ                        - |     partition at indices
               Z                     - transpose (to get a list of two lists of lists)
                %3                   - modulo by three. To replace any 4(r) with 1
                                     -  ...while keeping any 0(d) as 0, or 2(u) as 2
                  ’                  - decrement. All r are now 0, d are -1 and u are 1
                   §                 - sum each
                    §                - sum each. Now we have the total increase value as
                                     -    ...integers for each of hrs and mins
                       “ð<‘          - code-page indices list = [24,60]
                      "              - zip with:
                     %               -   modulo
                           D         - to decimal lists
                            Ż€       - prepend each with a zero (to cater for values less than ten)
                              ṫ€-    - tail each from index -1. Keeps rightmost two digits of each only)
                                  ”: - literal character ':'
                                 j   - join
                                     - as full program implicit print (smashes the digits and characters together)


2

QBasic , 229 byte

Uno script che accetta input come sequenze di tasti e output sulla console.

Nota: i terminali "sono inclusi solo per l'evidenziazione della sintassi e non contribuiscono al conteggio secondario

z$=CHR$(0)
DO
x=0
y=0
SELECT CASE INKEY$
CASE z$+"K"
r=0
CASE z$+"M"
r=1
CASE z$+"H"
x=1
y=1
CASE z$+"P"
x=23
y=59
END SELECT
IF r THEN m=(m+y)MOD 60ELSE h=(h+x)MOD 24
CLS
?RIGHT$("00000"+LTRIM$(STR$(h*1000+m)),5)
LOCATE 1,3
?":"
LOOP

Commentate

z$=CHR$(0)                                      ''  Set var to null char
DO                                              ''
    x=0                                         ''  Set Hours Shift to 0 
    y=0                                         ''  Set Minutes Shift to 0 
    SELECT CASE INKEY$                          ''  Take keystroke input
        CASE z$+"K"                             ''  If is Left Arrow
            r=0                                 ''    Bool to modify right (minutes) 
        CASE z$+"M"                             ''  If is Right Arrow
            r=1                                 ''    Bool to modify left (hours)
        CASE z$+"H"                             ''  If is Up Arrow
            x=1                                 ''    Set Hours Shift to 1 
            y=1                                 ''    Set Minutes Shift to 1
        CASE z$+"P"                             ''  If is Down Arrow
            x=23                                ''    Set Hours Shift to 23 
            y=59                                ''    Set Minutes Shift to 23 
    END SELECT                                  ''
    IF r THEN m=(m+y)MOD 60ELSE h=(h+x)MOD 24   ''  Shift Minutes If `r=1` Else Shift Hours
    CLS                                         ''  Clear Screen
    ?RIGHT$("00000"+LTRIM$(STR$(h*1000+m)),5)   ''  Use math to concat Hours and Minutes 
                                                ''  then Convert to String and prepend 0s 
                                                ''  to a length of 5
    LOCATE 1,3                                  ''  Cursor to the the third digit
    ?":"                                        ''  Overwrite that digit with a `:`
LOOP                                            ''  Loop

1
Non dovrebbe essere (m+y)?
Neil,

Nella nota, non dovrebbe non essere fare ?
Jonathan Frech,

@JonathanFrech - Sì, dovrebbe essere. Grazie per aver controllato la mia grammatica
Taylor Scott,

Scusa, ho pensato che mfosse per minuti per qualche motivo ... Vedo che la tua versione commentata è più leggibile.
Neil,

2

Powershell, 109 103 byte

-6 byte grazie AdmBorkBork

$t=0,0
$args|%{$t[+$i]+=. @{l={$i=0};r={$i=1};u={1};d={119}}.$_}
"{0:00}:{1:00}"-f($t[0]%24),($t[1]%60)

Script di prova:

$f = {

$t=0,0
$args|%{$t[+$i]+=. @{l={$i=0};r={$i=1};u={1};d={119}}.$_}
"{0:00}:{1:00}"-f($t[0]%24),($t[1]%60)

}

@(
    ,('02:57',('u','u','r','d','d','d'))
    ,('00:00',('d','r','u','l','u','r','d'))
    ,('23:59',('d','r','r','d'))
    ,('00:01',('l','l','l','l','r','u'))
    ,('23:59',('d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','d','r','d'))
) | % {
    $e, $c = $_
    $r = &$f @c
    "$($r-eq$e): $r"
}

Produzione:

True: 02:57
True: 00:00
True: 23:59
True: 00:01
True: 23:59

Spiegazione

L'idea di base è usare a [hashtable], che keyssono comandi di controllo e valuessono blocchi di script. Il codice esegue lo scriptblock per ogni comando dagli argomenti.


1
Puoi sbarazzartene $i=0lanciando il tuo indice di array come $t[+$i]per salvare alcuni byte. Provalo online!
AdmBorkBork,

2

Perl 6 , 101 91 89 86 byte

{$/=[];$!=0;$_>2>($!=$_-3)||($/[$!]+=$_-1)for .ords X%5;($0%24,$1%60).fmt("%02d",":")}

Provalo online!

Blocco di codice anonimo che accetta una stringa di uldrcaratteri e ritorna nel formato specificato


1

perl -F // -E, 72 byte

$x=H;/u/?$$x++:/d/?$$x--:($x=/l/?H:M)for@F;printf"%02d:%02d",$H%24,$M%60

1

Python, 120 byte

o,i=[0,0],0
for s in list(input()):i=(i+(s=='r')-(s=='l')>=1);o[i]+=(s=='u')-(s=='d')
print'%02d:%02d'%(o[0]%24,o[1]%60)

Sembra uno snippet che accetta input in una variabile. Come regola generale, abbiamo bisogno di risposte per presentare un programma completo (prendendo input dagli argomenti del programma o input standard) o una funzione (prendendo input dai parametri della funzione).
OOBalance,

1
Inoltre, questo non si imbatterà in un muro quando un input di, diciamo, ldo rrufa iuscire il range (0,1) e vi o[i]si accede in seguito?
OOBalance,

@OOBalance oh grazie per avermi ricordato che hai bisogno di funzione o unput(). Da requisiti ho immaginato che le azioni L e R non andranno mai in giro (cioè no LL)
aaaaa dice di ripristinare Monica il

@aaaaaa Nessun ciclo significa che lllnon è lo stesso r. Avere llo rrè un input valido, è anche nei casi di test, vedi ad esempio il terzo.
Nit

Questa risposta ha attualmente un IndexError sul terzo caso di test invece di essere emesso 23:59. Provalo online!
0

1

Haskell , 186 byte

f(0,0)'<'
f t i('^':r)=f(i#t$1)i r
f t i('v':r)=f(i#t$ -1)i r
f t i(x:r)=f t x r
f(h,m)_ _=s h++':':s m
('<'#(h,m))n=(mod(24+n+h)24,m)
(_#(h,m))n=(h,mod(60+n+m)60)
s n=['0'|n<10]++show n

Provalo online!


1

R, 368 355 byte

f=function(){C=as.character
i=ifelse
p=paste0
r=1:10
h=C(0:23);m=C(0:59)
h[r]=p(0,h[r])
m[r]=p(0,m[r])
x=y=z=1
while(T){print(p(h[x],":",m[y]))
v=1
n="[UDLRS]"
while(!grepl(n,v))v=toupper(readline(n))
if(v=="L")z=1 else if(v=="R")z=0
if(v=="S")T=F
if(v=="U")if(z)x=i(x==24,1,x+1)else y=i(y==60,1,y+1)
if(v=="D")if(z)x=i(x==1,24,x-1)else y=i(y==1,60,y-1)}}

Sicuramente non è l'approccio migliore, ma funziona.

Funzionalità: esegui la funzione, digita ogni lettera in (in / de) piega o sposta a sinistra / destra, digitando "s" termina il "gioco". Il trucco è che accetterà una e una sola lettera alla volta.

-13 byte Consolidato alcuni valori in una riga, sovrascritto T come F invece di utilizzare break, trovato diversi spazi da eliminare e una stringa memorizzata in una variabile

f=function(){C=as.character                             # Abbreviate functions
i=ifelse
p=paste0
r=1:10                                                  # Initialize and format values
h=C(0:23);m=C(0:59)
h[r]=p(0,h[r])
m[r]=p(0,m[r])
x=y=z=1
while(T){print(p(h[x],":",m[y]))                        # Begin while loop and print time
v=1                                                     # Initial value reset each iteration to retrieve a new direction
n="[UDLRS]"                                             # Used for verification and request
while(!grepl(n,v))v=toupper(readline(n))                # Will only accept proper directions or stopping rule
if(v=="L")z=1 else if(v=="R")z=0                        # Evaluate for hour or minute
if(v=="S")T=F                                           # Stopping rule, overwrite True to False
if(v=="U")if(z)x=i(x==24,1,x+1)else y=i(y==60,1,y+1)    # Rules for Up
if(v=="D")if(z)x=i(x==1,24,x-1)else y=i(y==1,60,y-1)}}  # Rules for Down

Sto anche modificando un formato alternativo per accettare una stringa R e / o un vettore, che pubblicherò la prossima settimana.


1

SmileBASIC, 123 byte

@L
B=BUTTON(2)D=(B==1)-(B==2)S=S+!S*(B>7)-S*(B==4)H=(H+D*!S+24)MOD 24WAIT
M=(M+D*S+60)MOD 60?FORMAT$("%02D:%02D",H,M)GOTO@L

BUTTON() restituisce un numero intero in cui ogni bit rappresenta un pulsante

1 = up
2 = down
4 = left
8 = right
...

BUTTON(2) restituisce solo i pulsanti appena premuti (non trattenuti)

WAITè necessario perché BUTTONsi aggiorna solo una volta per frame (1/60 di secondo). Altrimenti la stessa pressione del pulsante verrebbe rilevata più volte.

Questo può sicuramente essere più breve


0

05AB1E , 38 37 byte

'l¡ε'r¡}0ζćs˜‚€S„udS1®‚:OŽ9¦2ä%T‰J':ý

Utilizza udlrper le direzioni, ma potrebbe anche essere utilizzato ^v<>per lo stesso conteggio byte (i caratteri ↑↓←→non fanno parte della tabella codici 05AB1E, quindi l'utilizzo di questi aumenterebbe molto il conteggio byte, poiché la codifica dovrebbe essere modificata in ASCII).

Provalo online o verifica tutti i casi di test .

Spiegazione:

'l¡            '# Split the (implicit) input on "l"
                #  i.e. "lllrurulddd" → ["","","","ruru","ddd"]
   ε   }        # Map each item to:
    'r¡        '#  Split the item on "r"
                #   i.e. ["","","","ruru","ddd"] → [[""],[""],[""],["","u","u"],["ddd"]]
        0ζ      # Zip/transpose; swapping rows/columns, with "0" as filler
                #  i.e. [[""],[""],[""],["","u","u"],["ddd"]]
                #   → [["","","","","ddd"],["0","0","0","u","0"],["0","0","0","u","0"]]
ć               # Head extracted: pop and push the remainder and head-item to the stack
                #  i.e. [["","","","","ddd"],["0","0","0","u","0"],["0","0","0","u","0"]]
                #   → [["0","0","0","u","0"],["0","0","0","u","0"]] and ["","","","","ddd"]
 s              # Swap to get the remainder
  ˜             # Flatten it
                #  i.e. [["0","0","0","u","0"],["0","0","0","u","0"]]
                #   → ["0","0","0","u","0","0","0","0","u","0"]
               # Pair the head and remainder back together
                #  i.e. ["","","","","ddd"] and ["0","0","0","u","0","0","0","0","u","0"]
                #   → [["","","","","ddd"],["0","0","0","u","0","0","0","0","u","0"]]
    S          # Convert each item to a list of characters
                # (implicitly flattens and removes empty strings)
                #  i.e. [["","","","","ddd"],["0","0","0","u","0","0","0","0","u","0"]]
                #   → [["d","d","d"],["0","0","0","u","0","0","0","0","u","0"]]
      udS1®‚:  # Replace all "u" with "1" and all "d" with "-1"
                #  i.e. [["d","d","d"],["0","0","0","u","0","0","0","0","u","0"]]
                #   → [["-1","-1","-1"],["0","0","0","1","0","0","0","0","1","0"]]
              O # Then take the sum of each inner list
                #  i.e. [["-1","-1","-1"],["0","0","0","1","0","0","0","0","1","0"]]
                #   → [-3,2]
Ž9¦             # Push compressed integer 2460
   2ä           # Split into two parts: [24,60]
     %          # Modulo the two lists
                #  i.e. [-3,2] and [24,60] → [21,2]
      T        # Divmod each with 10
                #  i.e. [21,2] → [[2,1],[0,2]]
        J       # Join each inner list together
                #  i.e. [[2,1],[0,2]] → ["21","02"]
         ':ý   '# Join the list with ":" delimiter
                #  i.e. ["21","02"] → "21:02"
                # (and output the result implicitly)

Vedere questo 05AB1E punta del mio (sezione Come comprimere grandi numeri interi? ) Per capire il motivo per cui Ž9¦è 2460.

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.