Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Python Windows `msvcrt.getch()` only detects every 3rd keypress?

My code is below:

import msvcrt
while True:
    if msvcrt.getch() == 'q':    
       print "Q was pressed"
    elif msvcrt.getch() == 'x':    
       sys.exit()
    else:
       print "Key Pressed:" + str(msvcrt.getch()

This code is based on this question; I was using it to acquaint myself with getch.

I've noticed that it takes 3 pressing the key 3 times to output the text once. Why is this? I'm trying to use it as an event loop, and that's too much of a lag...

Even if I type 3 different keys, it only outputs the 3rd keypress.

How can I force it to go faster? Is there a better way to achieve what I'm trying to achieve?

Thanks!

evamvid

like image 840
evamvid Avatar asked Dec 20 '22 17:12

evamvid


2 Answers

you call the function 3 times in your loop. try calling it only once like this:

import msvcrt
while True:
    pressedKey = msvcrt.getch()
    if pressedKey == 'q':    
       print "Q was pressed"
    elif pressedKey == 'x':    
       sys.exit()
    else:
       print "Key Pressed:" + str(pressedKey)
like image 110
wizard23 Avatar answered Jan 06 '23 07:01

wizard23


You can optimize things a little bit by also using themsvcrt.kbhit function which will allow you callmsvcrt.getch()only as much as is necessary:

while True:
    if msvcrt.kbhit():
        ch = msvcrt.getch()
        if ch in '\x00\xe0':  # arrow or function key prefix?
            ch = msvcrt.getch()  # second call returns the scan code
        if ch == 'q':
           print "Q was pressed"
        elif ch == 'x':
           sys.exit()
        else:
           print "Key Pressed:", ch

Note that theKey Pressedvalue printed won't make sense for things like function keys. That's because it those cases it's really the Windows scan code for the key, not a regular key code for the character.

like image 36
martineau Avatar answered Jan 06 '23 07:01

martineau