Hi can anyone help me with the C code for calculating time difference between two keyboard key hits????

Recommended Answers

All 2 Replies

What kind of keyboard hits? Do you want to detect any form of keypress? Does it have to happen while another activity is going on? Be more specific.

It's likely (it depends on what you want exactly) that it's not possible in a platform independent way. Assuming you develop on Windows you could for example have something like the following:

#include <stdio.h>
#include <windows.h>

int main (void)
{
    HANDLE            handle       = GetStdHandle(STD_INPUT_HANDLE);
    KEY_EVENT_RECORD *currentEvent = NULL;
    DWORD             eventCount;
    INPUT_RECORD      inputRecord;

    // Run this example endlessly.
    for (;;)
    {
        // Determine if anything can be read
        PeekConsoleInput(handle, &inputRecord, 1, &eventCount);

        // See if there was an event
        if(eventCount > 0)
        {
            // Read it.
            ReadConsoleInput(handle, &inputRecord, 1, &eventCount);

            currentEvent = &(inputRecord.Event.KeyEvent);

            // Filter for key events and only display it for the key being down.
            // Option for filtering the holding of a key are limited so omitted here.
            if (inputRecord.EventType == KEY_EVENT && currentEvent->bKeyDown)
            {
                printf("Detected key-press: %d. (%c)\n", currentEvent->wVirtualKeyCode,
                                                         currentEvent->uChar.AsciiChar);
            }
        }
    }

    return 0;
}

Using this, I assume you could extend it so it records timestamps and calculates the difference between them? (And if not, ask here and mentioned specifically what isn't working)

To show how important it is you specify clearly what you want, another partial solution (which is less flexible and can't detect everything but might fit your needs) would be the following:

#include <stdio.h>
#include <conio.h>

int main (void)
{
    for (;;)
    {
        // A key has been pressed, but not yet read.
        if (kbhit())
        {
            // Read it and show us something.
            printf("Key pressed: %d.\n", _getch());
        }
    }

    return 0;
}

I'll leave it up to you to take what you need and modify it to include timestamps.

Be a part of the DaniWeb community

We're a friendly, industry-focused community of developers, IT pros, digital marketers, and technology enthusiasts meeting, networking, learning, and sharing knowledge.