I have written my own stop_watch module. That will create a thread and go to sleep for a period of seconds. Once the seconds have expired it will call a callback function in the main.c and inform the user the time has expired.
This is so that the user will only have 3 seconds to enter a digit and they will have to enter 5 digits. If the time expires the program has to stop.
2 problems. 1) if they enter the digit in the required time. How can I cancel the thread. I was thinking of using thread_kill or thread_cancel? 2) How can I terminate the in the do_while loop? As the scanf will block while waiting for the user to enter.
Many thanks for any suggestions,
My code below:
#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#include "stop_watch.h"
struct data_struct *g_data_struct;
void timeout_cb(int id)
{
printf("Digit timeout\n");
free(g_data_struct);
}
int main()
{
pthread_t thread_id;
unsigned int digit = 0;
g_data_struct = (struct data_struct*) calloc(1, sizeof(*g_data_struct));
if(!g_data_struct)
{
printf("=== failed to allocate memory ===\n");
return 0;
}
/* start timer for 3 seconds */
g_data_struct->seconds = 3;
g_data_struct->func_ptr = timeout_cb;
thread_id = start_stopwatch(g_data_struct);
do
{
printf("Enter digit: ");
scanf("%d", &digit);
}while(1);
pthread_join(thread_id, NULL);
printf("=== End of Program - all threads in ===\n");
free(g_data_struct);
return 0;
}
#include <stdio.h>
#include <pthread.h>
#include "stop_watch.h"
pthread_t thread_id;
static id = 10;
/* start sleeping and call the callback when seconds have expired */
static void* g_start_timer(void *args)
{
void (*function_pointer)(int id);
int seconds = ((struct data_struct*) args)->seconds;
function_pointer = ((struct data_struct*) args)->func_ptr;
sleep(seconds);
(void) (*function_pointer)(id);
pthread_exit(NULL);
return 0;
}
/* Will sleep in its own thread for a period of seconds */
int start_stopwatch(struct data_struct *g_data_struct)
{
int rc = 0;
int seconds = g_data_struct->seconds;
printf("=== start_stopwatch(): %d\n", seconds);
rc = pthread_create(&thread_id, NULL, g_start_timer, (void *) g_data_struct);
if(rc)
{
printf("=== Failed to create thread\n");
return 1;
}
return thread_id;
}
This question is about C99 gcc, by the way.