Keyboard input/Keypress check: Difference between revisions

m
Use inputReady instead of the deprecated function keypress
m (Use inputReady instead of the deprecated function keypress)
 
(32 intermediate revisions by 23 users not shown)
Line 6:
If no key has been pressed, the program should continue without waiting.
<br><br>
=={{header|6502 Assembly}}==
{{works with|https://skilldrick.github.io/easy6502/ Easy6502}}
Easy6502 uses zero page address FF as a memory-mapped port for keyboard input. The ASCII value of the last key you pressed is stored in this address, independent of the program's current execution state.
<syntaxhighlight lang="6502asm">define sysLastKey $ff
 
main:
jsr getKeyPress
;put the rest of your program here.
jsr delay
jmp main
 
 
getKeyPress:
lda $ff
sta $00
rts
 
delay:
nop
nop
dex
bne delay
rts</syntaxhighlight>
{{out}}
<pre>
Pressing various keys results in the following:
0000: 73 ;lower case "s"
0000: 31 ;"1"
0000: 20 ;spacebar
</pre>
 
=={{header|Action!}}==
The KEY variable returns the key code, or 255 if no key was pressed.
<syntaxhighlight lang="action">Proc Main()
Byte KEY,k=764
KEY=K
Return</syntaxhighlight>
 
=={{header|Ada}}==
 
<langsyntaxhighlight Adalang="ada">Ch : Character;
Available : Boolean;
 
Ada.Text_IO.Get_Immediate (Ch, Available);</langsyntaxhighlight>
 
If key was pressed, Available is set to True and Ch contains the value.
If not, Available is set to False.
 
=={{header|Amazing Hopper}}==
Version: hopper-FLOW!
<syntaxhighlight lang="amazing hopper">
#include <flow.h>
 
DEF-MAIN(argv, argc)
BREAK-ON
SET(c,0)
WHILE (1)
COND( KEY-PRESSED? )
SCAN-CODE(c)
BREAK-IF ( c ) IS-ESCAPE
CEND
PRNL( "CODE = ", c )
WEND
PRNL( "Last key pressed: ", c )
END
</syntaxhighlight>
{{out}}
<pre>
CODE = 0
:
CODE = 100
:
Last key pressed: 27
$
</pre>
 
=={{header|ARM Assembly}}==
{{works with|as|Raspberry Pi}}
<syntaxhighlight lang="arm assembly">
 
/* Programme assembleur ARM Raspberry */
/* Assembleur ARM Raspberry : Vincent Leboulou */
/* Blog : http://assembleurarmpi.blogspot.fr/ */
/* modèle B 512MO */
/************************************/
/* Constantes */
/************************************/
.equ STDIN, 0 @ Linux input console
.equ STDOUT, 1 @ Linux output console
.equ EXIT, 1 @ Linux syscall
.equ READ, 3 @ Linux syscall
.equ WRITE, 4 @ Linux syscall
.equ IOCTL, 0x36 @ Linux syscall
.equ SIGACTION, 0x43 @ Linux syscall
.equ SYSPOLL, 0xA8 @ Linux syscall
 
.equ TCGETS, 0x5401
.equ TCSETS, 0x5402
.equ ICANON, 2
.equ ECHO, 10
.equ POLLIN, 1
 
.equ SIGINT, 2 @ Issued if the user sends an interrupt signal (Ctrl + C)
.equ SIGQUIT, 3 @ Issued if the user sends a quit signal (Ctrl + D)
.equ SIGTERM, 15 @ Software termination signal (sent by kill by default)
.equ SIGTTOU, 22 @
 
.equ TAILLEBUFFER, 10
 
 
/*******************************************/
/* Structures */
/********************************************/
/* structure termios see doc linux*/
.struct 0
term_c_iflag: @ input modes
.struct term_c_iflag + 4
term_c_oflag: @ output modes
.struct term_c_oflag + 4
term_c_cflag: @ control modes
.struct term_c_cflag + 4
term_c_lflag: @ local modes
.struct term_c_lflag + 4
term_c_cc: @ special characters
.struct term_c_cc + 20 @ see length if necessary
term_fin:
 
/* structure sigaction see doc linux */
.struct 0
sa_handler:
.struct sa_handler + 4
sa_mask:
.struct sa_mask + 4
sa_flags:
.struct sa_flags + 4
sa_sigaction:
.struct sa_sigaction + 4
sa_fin:
 
/* structure poll see doc linux */
.struct 0
poll_fd: @ File Descriptor
.struct poll_fd + 4
poll_events: @ events mask
.struct poll_events + 4
poll_revents: @ events returned
.struct poll_revents + 4
poll_fin:
 
/*********************************/
/* Initialized data */
/*********************************/
.data
szMessPgmOk: .asciz "End program OK.\n"
szMessErreur: .asciz "Error detected.\n"
sMessResult: .ascii "Value : "
sMessValeur: .fill 11, 1, ' ' @ size => 11
szCarriageReturn: .asciz "\n"
/*************************************************/
szMessErr: .ascii "Error code hexa : "
sHexa: .space 9,' '
.ascii " decimal : "
sDeci: .space 15,' '
.asciz "\n"
szMessKey: .ascii "Value key ==>"
sHexaKey: .space 9,' '
.asciz "\n"
.align 4
 
/*********************************/
/* UnInitialized data */
/*********************************/
.bss
.align 4
iEnd: .skip 4 @ 0 loop 1 = end loop
iTouche: .skip 4 @ value key pressed
stOldtio: .skip term_fin @ old terminal state
stCurtio: .skip term_fin @ current terminal state
stSigAction: .skip sa_fin @ area signal structure
stSigAction1: .skip sa_fin
stPoll1: .skip poll_fin @ area poll structure
stPoll2: .skip poll_fin
 
/*********************************/
/* code section */
/*********************************/
.text
.global main
main: @ entry of program
/* read terminal state */
mov r0,#STDIN @ input console
mov r1,#TCGETS
ldr r2,iAdrstOldtio
mov r7, #IOCTL @ call system Linux
svc #0
cmp r0,#0 @ error ?
beq 1f
ldr r1,iAdrszMessErreur @ error message
bl displayError
b 100f
1:
adr r0,sighandler @ adresse routine traitement signal
ldr r1,iAdrstSigAction @ adresse structure sigaction
str r0,[r1,#sa_handler] @ maj handler
mov r0,#SIGINT @ signal type
ldr r1,iAdrstSigAction
mov r2,#0 @ NULL
mov r7, #SIGACTION @ call system
svc #0
cmp r0,#0 @ error ?
bne 98f
mov r0,#SIGQUIT
ldr r1,iAdrstSigAction
mov r2,#0 @ NULL
mov r7, #SIGACTION @ call system
svc #0
cmp r0,#0 @ error ?
bne 98f
mov r0,#SIGTERM
ldr r1,iAdrstSigAction
mov r2,#0 @ NULL
mov r7, #SIGACTION @ appel systeme
svc #0
cmp r0,#0
bne 98f
@
adr r0,iAdrSIG_IGN @ address signal igonre function
ldr r1,iAdrstSigAction1
str r0,[r1,#sa_handler]
mov r0,#SIGTTOU @invalidate other process signal
ldr r1,iAdrstSigAction1
mov r2,#0 @ NULL
mov r7,#SIGACTION @ call system
svc #0
cmp r0,#0
bne 98f
@
/* read terminal current state */
mov r0,#STDIN
mov r1,#TCGETS
ldr r2,iAdrstCurtio @ address current termio
mov r7,#IOCTL @ call systeme
svc #0
cmp r0,#0 @ error ?
bne 98f
mov r2,#ICANON | ECHO @ no key pressed echo on display
mvn r2,r2 @ and one key
ldr r1,iAdrstCurtio
ldr r3,[r1,#term_c_lflag]
and r3,r2 @ add flags
str r3,[r1,#term_c_lflag] @ and store
mov r0,#STDIN @ maj terminal current state
mov r1,#TCSETS
ldr r2,iAdrstCurtio
mov r7, #IOCTL @ call system
svc #0
cmp r0,#0
bne 98f
@
2: @ loop waiting key
ldr r0,iAdriEnd @ if signal ctrl-c -> end
ldr r0,[r0]
cmp r0,#0
bne 3f
ldr r0,iAdrstPoll1 @ address structure poll
mov r1,#STDIN
str r1,[r0,#poll_fd] @ maj FD
mov r1,#POLLIN @ action code
str r1,[r0,#poll_events]
mov r1,#1 @ items number structure poll
mov r2,#0 @ timeout = 0
mov r7,#SYSPOLL @ call system POLL
svc #0
cmp r0,#0 @ key pressed ?
ble 2b @ no key pressed -> loop
@ read key
mov r0,#STDIN @ File Descriptor
ldr r1,iAdriTouche @ buffer address
mov r2,#TAILLEBUFFER @ buffer size
mov r7,#READ @ read key
svc #0
cmp r0,#0 @ error ?
ble 98f
ldr r2,iAdriTouche @ key address
ldr r0,[r2]
ldr r1,iAdrsHexaKey
bl conversion16 @ conversion hexa
ldr r0,iAdrszMessKey @ display key value in hexa
bl affichageMess
ldrb r0,[r2] @ key value
cmp r0,#113 @ saisie q ?
beq 3f
cmp r0,#81 @ saisie Q ?
beq 3f
mov r0,#0
str r0,[r2] @ raz key area
b 2b @ loop
 
3: @ end loop display Ok message
ldr r0,iAdrszMessPgmOk
bl affichageMess
b 99f
98: @ error display
ldr r1,iAdrszMessErreur @ error message
bl displayError
99: @ end then restaur begin state terminal
mov r0,#STDIN
mov r1,#TCSETS
ldr r2,iAdrstOldtio
mov r7,#IOCTL @ call system
svc #0
cmp r0,#0
beq 100f
ldr r1,iAdrszMessErreur @ error message
bl displayError
 
100: @ standard end of the program
mov r0, #0 @ return code
mov r7, #EXIT @ request to exit program
svc #0 @ perform the system call
iAdrsMessValeur: .int sMessValeur
iAdrszMessErreur: .int szMessErreur
iAdrszCarriageReturn: .int szCarriageReturn
iAdrstOldtio: .int stOldtio
iAdrstCurtio: .int stCurtio
iAdrstSigAction: .int stSigAction
iAdrstSigAction1: .int stSigAction1
iAdrszMessPgmOk: .int szMessPgmOk
iAdrsMessResult: .int sMessResult
iAdrSIG_IGN: .int 1
iAdriEnd: .int iEnd
iAdrstPoll1: .int stPoll1
iAdriTouche: .int iTouche
iAdrszMessKey: .int szMessKey
iAdrsHexaKey: .int sHexaKey
/******************************************************************/
/* traitement du signal */
/******************************************************************/
/* r0 contains */
sighandler:
push {r0,r1}
ldr r0,iAdriEnd
mov r1,#1 @ maj zone end
str r1,[r0]
pop {r0,r1}
bx lr
/***************************************************/
/* display error message */
/***************************************************/
/* r0 contains error code r1 : message address */
displayError:
push {r0-r2,lr} @ save registers
mov r2,r0 @ save error code
mov r0,r1
bl affichageMess
mov r0,r2 @ error code
ldr r1,iAdrsHexa
bl conversion16 @ conversion hexa
mov r0,r2 @ error code
ldr r1,iAdrsDeci @ result address
bl conversion10 @ conversion decimale
ldr r0,iAdrszMessErr @ display error message
bl affichageMess
100:
pop {r0-r2,lr} @ restaur registers
bx lr @ return
iAdrszMessErr: .int szMessErr
iAdrsHexa: .int sHexa
iAdrsDeci: .int sDeci
/******************************************************************/
/* display text with size calculation */
/******************************************************************/
/* r0 contains the address of the message */
affichageMess:
push {r0,r1,r2,r7,lr} @ save registres
mov r2,#0 @ counter length
1: @ loop length calculation
ldrb r1,[r0,r2] @ read octet start position + index
cmp r1,#0 @ if 0 its over
addne r2,r2,#1 @ else add 1 in the length
bne 1b @ and loop
@ so here r2 contains the length of the message
mov r1,r0 @ address message in r1
mov r0,#STDOUT @ code to write to the standard output Linux
mov r7, #WRITE @ code call system "write"
svc #0 @ call systeme
pop {r0,r1,r2,r7,lr} @ restaur registers
bx lr @ return
/******************************************************************/
/* Converting a register to a decimal unsigned */
/******************************************************************/
/* r0 contains value and r1 address area */
/* r0 return size of result (no zero final in area) */
/* area size => 11 bytes */
.equ LGZONECAL, 10
conversion10:
push {r1-r4,lr} @ save registers
mov r3,r1
mov r2,#LGZONECAL
1: @ start loop
bl divisionpar10U @ unsigned r0 <- dividende. quotient ->r0 reste -> r1
add r1,#48 @ digit
strb r1,[r3,r2] @ store digit on area
cmp r0,#0 @ stop if quotient = 0
subne r2,#1 @ else previous position
bne 1b @ and loop
@ and move digit from left of area
mov r4,#0
2:
ldrb r1,[r3,r2]
strb r1,[r3,r4]
add r2,#1
add r4,#1
cmp r2,#LGZONECAL
ble 2b
@ and move spaces in end on area
mov r0,r4 @ result length
mov r1,#' ' @ space
3:
strb r1,[r3,r4] @ store space in area
add r4,#1 @ next position
cmp r4,#LGZONECAL
ble 3b @ loop if r4 <= area size
100:
pop {r1-r4,lr} @ restaur registres
bx lr @return
/***************************************************/
/* division par 10 unsigned */
/***************************************************/
/* r0 dividende */
/* r0 quotient */
/* r1 remainder */
divisionpar10U:
push {r2,r3,r4, lr}
mov r4,r0 @ save value
//mov r3,#0xCCCD @ r3 <- magic_number lower raspberry 3
//movt r3,#0xCCCC @ r3 <- magic_number higter raspberry 3
ldr r3,iMagicNumber @ r3 <- magic_number raspberry 1 2
umull r1, r2, r3, r0 @ r1<- Lower32Bits(r1*r0) r2<- Upper32Bits(r1*r0)
mov r0, r2, LSR #3 @ r2 <- r2 >> shift 3
add r2,r0,r0, lsl #2 @ r2 <- r0 * 5
sub r1,r4,r2, lsl #1 @ r1 <- r4 - (r2 * 2) = r4 - (r0 * 10)
pop {r2,r3,r4,lr}
bx lr @ leave function
iMagicNumber: .int 0xCCCCCCCD
/******************************************************************/
/* Converting a register to hexadecimal */
/******************************************************************/
/* r0 contains value and r1 address area */
conversion16:
push {r1-r4,lr} @ save registers
mov r2,#28 @ start bit position
mov r4,#0xF0000000 @ mask
mov r3,r0 @ save entry value
1: @ start loop
and r0,r3,r4 @value register and mask
lsr r0,r2 @ move right
cmp r0,#10 @ compare value
addlt r0,#48 @ <10 ->digit
addge r0,#55 @ >10 ->letter A-F
strb r0,[r1],#1 @ store digit on area and + 1 in area address
lsr r4,#4 @ shift mask 4 positions
subs r2,#4 @ counter bits - 4 <= zero ?
bge 1b @ no -> loop
 
100:
pop {r1-r4,lr} @ restaur registers
bx lr @return
 
</syntaxhighlight>
 
=={{header|AutoHotkey}}==
Waits for the user to type a string (not supported on Windows 9x: it does nothing).
<langsyntaxhighlight AutoHotkeylang="autohotkey">; Input [, OutputVar, Options, EndKeys, MatchList]
Input, KeyPressed, L1 T2 ; Length = 1, Timeout = 2 seconds</langsyntaxhighlight>
 
 
Checks if a keyboard key or mouse/joystick button is down or up. Also retrieves joystick status.
<langsyntaxhighlight AutoHotkeylang="autohotkey">; GetKeyState, OutputVar, KeyName [, Mode]
GetKeyState, State, RButton ; Right mouse button.</langsyntaxhighlight>
 
 
Function version of GetKeyState.
<langsyntaxhighlight AutoHotkeylang="autohotkey">; KeyIsDown := GetKeyState("KeyName" [, "Mode"])
State := GetKeyState("RButton", "P") ; Right mouse button. P = Physical state.</langsyntaxhighlight>
 
=={{header|AWK}}==
<syntaxhighlight lang="awk">
# syntax: TAWK -f KEYBOARD_INPUT_KEYPRESS_CHECK.AWK
BEGIN {
arr["\b"] = "BACKSPACE"
arr["\t"] = "TAB"
arr["\x0D"] = "ENTER"
printf("%s Press any key; ESC to exit\n",ctime())
while (1) {
nkeys++
key = getkey()
if (key in arr) { key = arr[key] }
space = ((length(key) > 1 && nkeys > 1) || length(p_key) > 1) ? " " : ""
keys = keys space key
if (key == "ESC") { break }
p_key = key
}
printf("%s %d keys were pressed\n",ctime(),nkeys)
printf("%s\n",keys)
exit(0)
}
</syntaxhighlight>
{{out}}
<pre>
Mon Dec 30 14:03:57 2019 Press any key; ESC to exit
Mon Dec 30 14:04:03 2019 12 keys were pressed
hello world ESC
</pre>
 
=={{header|Axe}}==
Note that while the syntax for getting the most recent keypress is identical to [[#TI-83_BASIC|TI-83 BASIC]], the keycodes themselves are different.
<syntaxhighlight lang ="axe">getKey→K</langsyntaxhighlight>
 
=={{header|BASIC}}==
 
==={{header|Applesoft BASIC}}===
<syntaxhighlight lang="applesoftbasic">K = PEEK(-16384) : IF K > 127 THEN POKE -16368,0 : K$ = CHR$(K)</syntaxhighlight>
 
==={{header|BaCon}}===
<langsyntaxhighlight lang="freebasic">
PRINT "Press <escape> to exit now..."
key = GETKEY
IF key = 27 THEN
END
END IF</langsyntaxhighlight>
 
==={{header|Applesoft BASICBASIC256}}===
<syntaxhighlight lang="freebasic">do
<lang ApplesoftBasic>K = PEEK(-16384) : IF K > 127 THEN POKE -16368,0 : K$ = CHR$(K)</lang>
k$ = key
until k$ <> ""
 
if length(k$) = 2 then
print "The key pressed was "; k$; " (ascii "; chr(k$); ")"
else
print "An extended key was pressed"
end if</syntaxhighlight>
 
==={{header|BBC BASIC}}===
<syntaxhighlight lang="bbcbasic"> key$ = INKEY$(0)</syntaxhighlight>
If there was no keypress an empty string is returned. Alternatively a numeric key-code may be obtained; if there was no keypress -1 is returned:
<syntaxhighlight lang="bbcbasic"> key% = INKEY(0)</syntaxhighlight>
 
==={{header|IS-BASIC}}===
<langsyntaxhighlight ISlang="is-BASICbasic">100 LET K$=INKEY$</langsyntaxhighlight>
 
or
 
<syntaxhighlight lang IS="is-BASICbasic">100 GET K$</langsyntaxhighlight>
 
==={{header|QBasic}}===
<syntaxhighlight lang="qbasic">DO: k$ = INKEY$: LOOP UNTIL k$ <> ""
PRINT k$</syntaxhighlight>
 
==={{header|Yabasic}}===
<code>inkey$</code> interrupts (halt) the flow of the program until a key is pressed.
 
<code>inkey$</code> may only be used, if <code>clear screen</code> has been called at least once.
<syntaxhighlight lang="yabasic">clear screen
k$ = inkey$</syntaxhighlight>
 
==={{header|ZX Spectrum Basic}}===
{{works with|Locomotive Basic}}
 
<langsyntaxhighlight lang="zxbasic">10 REM k$ will be empty, if no key has been pressed
20 LET k$ = INKEY$</langsyntaxhighlight>
 
==={{header|BBC BASIC}}===
<lang bbcbasic> key$ = INKEY$(0)</lang>
If there was no keypress an empty string is returned. Alternatively a numeric key-code may be obtained; if there was no keypress -1 is returned:
<lang bbcbasic> key% = INKEY(0)</lang>
 
=={{header|C}}==
For POSIX systems. Ctrl-C to stop:<langsyntaxhighlight Clang="c">#include <stdio.h>
#include <termios.h> /* general terminal interface: tcgetattr, tcsetattr, tcflush */
#include <unistd.h> /* synchronous I/O multiplexing: select, FD_CLR, FD_ISSET, FD_SET, FD_ZERO */
#include <unistd.h>
#include <fcntl.h>
 
Line 110 ⟶ 628:
while(1) {
set_mode(1);
/* force C library buffers to be written to kernel buffers,
and flush pending input to avoid previously pressed keys */
fflush(stdout);
while (!(c = get_key())) usleep(10000);
printf("key %d\n", c);
}
}</langsyntaxhighlight>
 
=={{header|Common Lisp}}==
==={{header|ncurses}}===
To interface the ncurses C library from Lisp, the ''croatoan'' library is used.
<syntaxhighlight lang="lisp">(defun keypress-check ()
(with-screen (scr :input-echoing nil :input-blocking nil :input-buffering nil :enable-function-keys t)
(loop
;; Determine if a key has been pressed ...
(if (key-pressed-p scr)
;; ... and store this in a variable.
(let ((ch (get-char scr)))
;; exit the loop by pressing q.
(if (eql (code-char ch) #\q)
(return)
(princ (code-char ch) scr)))
(progn
;; If no key has been pressed, the program should continue without waiting.
(princ #\. scr)
(refresh scr)
;; we wait anyway to spare the CPU.
(sleep 0.15))))))</syntaxhighlight>
 
=={{header|C sharp|C#}}==
<langsyntaxhighlight lang="csharp">string chr = string.Empty;
if(Console.KeyAvailable)
chr = Console.ReadKey().Key.ToString();</langsyntaxhighlight>
 
=={{header|Clojure}}==
Line 127 ⟶ 669:
<pre>$ lein trampoline run</pre>
 
<langsyntaxhighlight lang="clojure">
(ns keypress.core
(:import jline.Terminal)
Line 144 ⟶ 686:
(prompt)
(shutdown-agents))
</syntaxhighlight>
</lang>
 
=={{header|D}}==
<langsyntaxhighlight lang="d">extern (C) {
void _STI_conio();
void _STD_conio();
Line 162 ⟶ 704:
 
_STD_conio();
}</langsyntaxhighlight>
 
=={{header|Delphi}}==
This is valid for a GUI application!
<langsyntaxhighlight Delphilang="delphi">unit Unit1;
 
interface
Line 193 ⟶ 735:
end;
 
end.</langsyntaxhighlight>
 
=={{header|Elena}}==
{{trans|C#}}
ELENA 3.4.x :
<langsyntaxhighlight lang="elena">import extensions.;
 
public program()
{
[
auto chr := emptyLiteral.emptyString;
if (console isKeyAvailable.KeyAvailable)
[{
chr := console .readChar()
]}
}</syntaxhighlight>
]</lang>
 
=={{header|ERRE}}==
<syntaxhighlight lang="erre">
<lang ERRE>
!$KEY
.........
GET(K$)
.........
</syntaxhighlight>
</lang>
Note: If no key was pressed K$ is empty string "".
 
=={{header|Euphoria}}==
<langsyntaxhighlight Euphorialang="euphoria">integer key
key = get_key() -- if key was not pressed get_key() returns -1</langsyntaxhighlight>
 
 
=={{header|F_Sharp|F#}}==
{{trans|C#}}
<langsyntaxhighlight lang="fsharp">open System;
 
let chr = if Console.KeyAvailable then Console.ReadKey().Key.ToString() else String.Empty</langsyntaxhighlight>
 
=={{header|Forth}}==
<langsyntaxhighlight lang="forth">variable last-key
: check key? if key last-key ! then ;</langsyntaxhighlight>
 
=={{header|FreeBASIC}}==
<langsyntaxhighlight lang="freebasic">' FB 1.05.0 Win64
 
Dim k As String
Line 246 ⟶ 788:
End If
 
Sleep</langsyntaxhighlight>
 
Sample input/output
Line 254 ⟶ 796:
The key pressed was A (ascii 65)
</pre>
 
=={{header|FutureBasic}}==
<syntaxhighlight lang="futurebasic">
_window = 1
 
void local fn BuildWindow
subclass window _window, @"Keyboard input/Keypress check"
text,24
print %(180,190)@"Press any key"
end fn
 
void local fn DoDialog( ev as long, tag as long )
select ( ev )
case _windowKeyDown
select ( tag )
case _window
cls : printf %(180,190)@"\"%@\" key pressed",fn EventCharacters
DialogEventSetBool( YES )// we handled
end select
end select
end fn
 
fn BuildWindow
 
on dialog fn DoDialog
 
HandleEvents
</syntaxhighlight>
 
=={{header|Gambas}}==
<langsyntaxhighlight lang="gambas">Public Sub Form_KeyPress()
 
'Requires a TextBox or similar on the Form to work
Print Key.Text;
 
End</langsyntaxhighlight>
Output:
<pre>
Line 269 ⟶ 839:
=={{header|Go}}==
{{libheader|Curses}}
<langsyntaxhighlight lang="go">package main
 
import (
Line 291 ⟶ 861:
s.Refresh()
time.Sleep(500 * time.Millisecond)
}</syntaxhighlight>
 
s.Println()
gc.Echo(false)
Line 309 ⟶ 880:
gc.Cursor(1)
s.GetChar()
You don't need external dependencies to achieve this. You can use a channel and set a timeout on it.
}</lang>
::<syntaxhighlight lang="go">package main
// stackoverflow.com/questions/43965556/how-to-read-a-key-in-go-but-continue-application-if-no-key-pressed-within-x-seco
import (
"bufio"
"os"
"log"
"fmt"
"time"
)
 
var reader = bufio.NewReader(os.Stdin)
 
func readKey(input chan rune) {
char, _, err := reader.ReadRune()
if err != nil {
log.Fatal(err)
}
input <- char
}
 
func main() {
input := make(chan rune, 1)
fmt.Println("Checking keyboard input...")
go readKey(input)
select {
case i := <-input:
fmt.Printf("Input : %v\n", i)
case <-time.After(5000 * time.Millisecond):
fmt.Println("Time out!")
}
}</syntaxhighlight>
 
=={{header|Haskell}}==
<langsyntaxhighlight lang="haskell">import Control.Concurrent
import Control.Monad
import Data.Maybe
Line 331 ⟶ 933:
else putStrLn "Awaiting char.." >>
threadDelay 500000 >> wait c
</syntaxhighlight>
</lang>
Output:
<pre>
Line 342 ⟶ 944:
 
=={{header|Icon}} and {{header|Unicon}}==
<langsyntaxhighlight Iconlang="icon">procedure main()
delay(1000) # give user a chance to input
if kbhit() then # test for input
Line 348 ⟶ 950:
else # use getche for echo
write("No input waiting")
end</langsyntaxhighlight>
 
=={{header|J}}==
 
(Note that keypress handling depends on the host. Here, we illustrate jqt.)<syntaxhighlight lang="j">wd'pc p closeok;cc c isidraw;pshow;'
p_c_char=: {{variable=: sysdata}}</syntaxhighlight>
 
=={{header|Java}}==
{{works with|java|8}}
<langsyntaxhighlight lang="java">import java.awt.event.*;
import javax.swing.*;
 
Line 374 ⟶ 981:
});
}
}</langsyntaxhighlight>
 
=={{header|JavaScript}}==
<syntaxhighlight lang="javascript">
let thePressedKey;
 
function handleKey(evt) {
thePressedKey = evt;
console.log(thePressedKey);
}
 
document.addEventListener('keydown', handleKey);
</syntaxhighlight>
 
=={{header|Julia}}==
<langsyntaxhighlight Julialang="julia">using Gtk
 
function keypresswindow()
Line 398 ⟶ 1,017:
 
keypresswindow()
</syntaxhighlight>
</lang>
 
 
=={{header|Kotlin}}==
Translated from the Java entry but then modified so as to quit the program when the Enter key is pressed:
<langsyntaxhighlight lang="scala">// version 1.1
 
import java.awt.event.KeyAdapter
Line 433 ⟶ 1,051:
f.isVisible = true
}
}</langsyntaxhighlight>
 
=={{header|Lingo}}==
<langsyntaxhighlight lang="lingo">-- in some movie script
 
-- event handler
Line 442 ⟶ 1,060:
pressedKey = _key.key
put "A key was pressed:" && pressedKey
end</langsyntaxhighlight>
 
=={{header|LiveCode}}==
Line 448 ⟶ 1,066:
 
Example
<langsyntaxhighlight LiveCodelang="livecode">repeat 100 times
-- exit loop if "." or the escapeKey is pressed
if 46 is in the keysDown or 65307 is in the keysdown then
Line 457 ⟶ 1,075:
wait 200 millisec
end if
end repeat</langsyntaxhighlight>
Example of event message handling (at stack, card or control level)
<langsyntaxhighlight LiveCodelang="livecode">on keyDown k
-- do stuff, keycode is held in k
if k is not 46 then pass keyDown // will be trapped if "." is pressed, others will be passed on through the message path
end keyDown</langsyntaxhighlight>
You can substitute keyUp, rawKeyUp, rawKeyDown for keyUp in above. The non-raw handlers do not readily cope with special key presses, and they have their own handlers such as escapeKey, enterKey, altkey, commandKey... look up "key" in the LC dictionary to find more.
 
=={{header|Logo}}==
<langsyntaxhighlight lang="logo">if key? [make "keyhit readchar]</langsyntaxhighlight>
 
=={{header|M2000 Interpreter}}==
===Without delay===
<syntaxhighlight lang="m2000 interpreter">
<lang M2000 Interpreter>
k$=inkey$
</syntaxhighlight>
</lang>
 
===Using delay===
<syntaxhighlight lang="m2000 interpreter">
<lang M2000 Interpreter>
K$=""
If Inkey(2000)<>-1 then k$=Key$
Print k$
</syntaxhighlight>
</lang>
 
===Check specific key===
<syntaxhighlight lang="m2000 interpreter">
<lang M2000 Interpreter>
k$=""
If keypress(32) then k$=" "
</syntaxhighlight>
</lang>
 
=={{header|Mathematica}}/{{header|Wolfram Language}}==
This will create a little panel, once the panel has focus the keys are captured and displayed inside the panel.
<syntaxhighlight lang="mathematica">i = {};
EventHandler[Panel[Dynamic[i],
ImageSize -> {300, 300}], {"KeyDown" :>
AppendTo[i, CurrentValue["EventKey"]]}]</syntaxhighlight>
 
=={{header|MiniScript}}==
{{works with|Mini Micro}}
<syntaxhighlight lang="miniscript">x = key.available</syntaxhighlight>
 
=={{header|Nim}}==
 
Using https://github.com/johnnovak/illwill
 
<syntaxhighlight lang="nim">import os, illwill
 
illwillInit(fullscreen=false)
 
while true:
var key = getKey()
case key
of Key.None:
echo "not received a key, I can do other stuff here"
of Key.Escape, Key.Q:
break
else:
echo "Key pressed: ", $key
sleep(1000)
</syntaxhighlight>
 
=={{header|Oforth}}==
<langsyntaxhighlight Oforthlang="oforth">import: console
 
: checkKey
Line 493 ⟶ 1,144:
System.Console receiveTimeout(2000000) ->key // Wait a key pressed for 2 seconds
key ifNotNull: [ System.Out "Key pressed : " << key << cr ]
"Done" println ; </langsyntaxhighlight>
 
Other options :
<langsyntaxhighlight Oforthlang="oforth">System.Console receive ->key // Wait until a key is pressed ( = receiveTimeout(null) )
System.Console receiveChar ->aChar // Wait until a character is pressed. All other keys are ignored
System.Console receiveTimeout(0) ->key // Check if a key is pressed and return immediatly</langsyntaxhighlight>
 
=={{header|Perl}}==
<langsyntaxhighlight lang="perl">#!/usr/bin/perl
use strict;
use warnings;
Line 512 ⟶ 1,163:
}
print "got key '$key'\n";
ReadMode('restore');</langsyntaxhighlight>
 
In many cases one does not want to wait for each step end. In this case you can use two parallel processes:
<langsyntaxhighlight lang="perl">#!/usr/bin/perl
use strict;
use warnings;
Line 564 ⟶ 1,215:
}
ReadMode('restore');
}</langsyntaxhighlight>
 
This code prints <code>"doing something"</code> 10 times and then ends. Parallelly another process prints every key you type in.
 
=={{header|Perl 6Phix}}==
<!--<syntaxhighlight lang="phix">-->
{{works with|Rakudo|2018.10}}
<span style="color: #004080;">integer</span> <span style="color: #000000;">key</span> <span style="color: #0000FF;">=</span> <span style="color: #7060A8;">get_key</span><span style="color: #0000FF;">()</span> <span style="color: #000080;font-style:italic;">-- if key was not pressed get_key() returns -1</span>
<!--</syntaxhighlight>-->
 
=={{header|PicoLisp}}==
<lang perl6>use Term::ReadKey;
<syntaxhighlight lang="picolisp">(setq *LastKey (key))</syntaxhighlight>
 
=={{header|Plain English}}==
react {
Print the numeric value wheneverof any key- pressed(:!echo) {without waiting.
<syntaxhighlight lang="plainenglish">To run:
given .fc {
Start up.
when 'q' { done }
Handle any events.
default { .uniname.say }
Shut down.
}
}
}</lang>
 
To handle any events:
=={{header|Phix}}==
Deque an event.
<lang Phix>integer key = get_key() -- if key was not pressed get_key() returns -1</lang>
If the event is nil, exit.
Handle the event.
Repeat.
 
To handle an event:
=={{header|PicoLisp}}==
If the event's kind is "key down", handle the event (key down).
<lang PicoLisp>(setq *LastKey (key))</lang>
 
To handle an event (key down):
Put the event's key into a key.
Write "" then the key to the console.
If the key is the escape key, relinquish control.</syntaxhighlight>
 
=={{header|PowerShell}}==
The following uses the special <code>$Host</code> variable which points to an instance of the PowerShell host application. Since the host's capabilities may vary this may not work in all PowerShell hosts. In particular, this works in the console host, but not in the PowerShell ISE.
<langsyntaxhighlight lang="powershell">if ($Host.UI.RawUI.KeyAvailable) {
$key = $Host.UI.RawUI.ReadKey()
}</langsyntaxhighlight>
 
=={{header|PureBasic}}==
Returns a character string if a key is pressed during the call of Inkey(). It doesn't interrupt (halt) the program flow.
 
If special keys (non-ASCII) have to be handled, RawKey() should be called after Inkey().
<syntaxhighlight lang="purebasic">k$ = Inkey()</syntaxhighlight>
 
=={{header|Python}}==
<langsyntaxhighlight lang="python">#!/usr/bin/env python
# -*- coding: utf-8 -*-
from __future__ import absolute_import, division, unicode_literals, print_function
Line 646 ⟶ 1,312:
if __name__ == "__main__":
main()
</syntaxhighlight>
</lang>
 
=={{header|PureBasic}}==
Returns a character string if a key is pressed during the call of Inkey(). It doesn't interrupt (halt) the program flow.
 
If special keys (non-ASCII) have to be handled, RawKey() should be called after Inkey().
<lang PureBasic>k$ = Inkey()</lang>
 
=={{header|Racket}}==
Line 658 ⟶ 1,318:
Using <tt>stty</tt> to get the terminal into raw mode.
 
<langsyntaxhighlight lang="racket">
#lang racket
(define-syntax-rule (with-raw body ...)
Line 674 ⟶ 1,334:
(printf "You pressed ~a\n" (read-char))
(printf "You didn't press a key\n")))
</syntaxhighlight>
</lang>
 
=={{header|Raku}}==
(formerly Perl 6)
{{works with|Rakudo|2018.10}}
 
<syntaxhighlight lang="raku" line>use Term::ReadKey;
 
react {
whenever key-pressed(:!echo) {
given .fc {
when 'q' { done }
default { .uniname.say }
}
}
}</syntaxhighlight>
 
=={{header|REXX}}==
Line 682 ⟶ 1,357:
:::* PC/REXX
:::* Personal REXX
<langsyntaxhighlight lang="rexx">/*REXX program demonstrates if any key has been presssed. */
 
Line 690 ⟶ 1,365:
∙</langsyntaxhighlight>
 
=={{header|Ring}}==
<langsyntaxhighlight lang="ring">
if getchar() see "A key was pressed" + nl
else see "No key was pressed" + nl ok
</syntaxhighlight>
</lang>
 
=={{header|Robotic}}==
<syntaxhighlight lang="robotic">
: "loop"
if "KEY_PRESSED" != 0 then "#store"
* "Last key pressed: &storedKey&"
goto "loop"
 
: "#store"
set "storedKey" to "KEY_PRESSED"
goto "#return"
</syntaxhighlight>
 
=={{header|RPL}}==
≪ '''IF''' KEY '''THEN''' 'Entry' STO '''END''' ≫
If no key is pressed and the <code>Entry</code> variable does not exist yet, it won't be created.
 
=={{header|Ruby}}==
<langsyntaxhighlight lang="ruby">
begin
check = STDIN.read_nonblock(1)
Line 707 ⟶ 1,398:
 
puts check if check
</syntaxhighlight>
</lang>
Test in unix shell:
<langsyntaxhighlight lang="bash">
% ruby keypress_check.rb
% echo -n y | ruby keypress_check.rb
y
</syntaxhighlight>
</lang>
 
 
=={{header|Scala}}==
<langsyntaxhighlight Scalalang="scala">import java.awt.event.{KeyAdapter, KeyEvent}
 
import javax.swing.{JFrame, SwingUtilities}
Line 749 ⟶ 1,439:
foo()
})
}</langsyntaxhighlight>
 
=={{header|Seed7}}==
The library [http://seed7.sourceforge.net/libraries/keybd.htm keybd.s7i] defines
the file [http://seed7.sourceforge.net/libraries/keybd.htm#KEYBOARD KEYBOARD] and
the function [http://seed7.sourceforge.net/libraries/keybd.htm#keypressed%28in_keyboard_file%29inputReady(in_console_keybd_file) keypressedinputReady],
which can be used to determine if a key has been pressed.
<langsyntaxhighlight lang="seed7">if keypressedinputReady(KEYBOARD) then
writeln("A key was pressed");
else
writeln("No key was pressed");
end if;</langsyntaxhighlight>
 
=={{header|Tcl}}==
There are two ways to handle listening for a key from the terminal. The first is to put the channel connected to the terminal into non-blocking mode and do a <code>read</code> on it:
<langsyntaxhighlight lang="tcl">fconfigure stdin -blocking 0
set ch [read stdin 1]
fconfigure stdin -blocking 1
Line 771 ⟶ 1,462:
} else {
# Got the character $ch
}</langsyntaxhighlight>
The second method is to set up an event listener to perform callbacks when there is at least one character available:
<langsyntaxhighlight lang="tcl">fileevent stdin readable GetChar
proc GetChar {} {
set ch [read stdin 1]
Line 782 ⟶ 1,473:
}
 
vwait forever; # run the event loop if necessary</langsyntaxhighlight>
Note that in both cases, if you want to get characters as users actually type them then you have to [http://wiki.tcl.tk/14693 put the terminal in raw mode]. That's formally independent of the actual reading of a character.
 
=={{header|TI-83 BASIC}}==
TI-83 BASIC has a built in getKey function.
<langsyntaxhighlight lang="ti83b">
:getKey→G
</syntaxhighlight>
</lang>
This returns the key code of the key pressed which is the row number followed by the column number. The left up and down arrow keys are grouped with row 2 as 24, 25, and 26, and the down arrow key is grouped with row 3 as 34.
 
=={{header|Wee Basic}}==
This returns the key code of the key pressed.
<syntaxhighlight lang="wee basic">let keycode=0
print 1 "Press any key and its key code will appear."
while keycode=0
let keycode=key()
wend
print 1 keycode
end</syntaxhighlight>
 
=={{header|Wren}}==
<syntaxhighlight lang="wren">import "scheduler" for Scheduler
import "timer" for Timer
import "io" for Stdin, Stdout
 
Stdin.isRaw = true // no echoing or buffering
 
var b
 
Scheduler.add {
b = Stdin.readByte()
}
 
System.print("Awaiting keypress..")
Timer.sleep(2000) // allow 2 seconds say
if (b) {
System.write("The key with code %(b) was pressed")
System.print((b > 31 && b < 127) ? " namely '%(String.fromByte(b))'." : ".")
} else {
System.print("No key was pressed, carrying on...")
}
 
Stdin.isRaw = false</syntaxhighlight>
 
{{out}}
Sample session when 'a' key pressed.
<pre>
Awaiting keypress..
The key with code 97 was pressed namely 'a'.
</pre>
 
=={{header|XPL0}}==
<langsyntaxhighlight XPL0lang="xpl0">include c:\cxpl\codes; \intrinsic 'code' declarations
int K, N;
[N:= 0;
Line 800 ⟶ 1,532:
N:= N+1;
until K;
]</langsyntaxhighlight>
 
{{omit from|ACL2}}
28

edits