[Answered ]-Set timer for a Django view execution

1👍

Ultimately, this is what I did and it seems to work fine. I actually need it to run no more than once a day, hence the conditional below.

Thanks for all the suggestions!!!

def webhook2 (request):
    today = datetime.now().date()
    with open('timestamp.txt') as f:
        tstamp = f.read()
        last_run = datetime.strptime(tstamp, '%Y-%m-%d')
        last_run_date = datetime.date(last_run)
        print ("last run: " + str(last_run_date))
        

    if last_run_date < today:

        
        file = open("timestamp.txt" ,"w")
        file.write(str(today))
        file.close()

        if request.method == 'POST':
            msg = str(request.body)
            final_msg=msg[2:-1]
            print("Data received from Webhook is: ", request.body)

            # creates a google calendar event
            function_logic()

            return HttpResponse("Webhook received! Event added to calendar")
    
    
    else:
        print ("we already have a record for today")

        return HttpResponse("Not adding a record. We already have one for today.")

0👍

Your timer is being reset everytime because it is inside a function that is execute everytime when request is being made.
You should try to set the timer globally, such as outside your function. ( be aware when your script will re-run, timer will be reset again ).

import threading as th

def hello():
    print("hello, world")

tm = None

def webhook(request):
   
    # check here if timer is dead then process the request.
    if timer_is_dead || tm is None:
        
        # accessing global value and setting it for first time
        if tm is None:
            global tm
            tm =  th.Timer(3600, hello)
            tm.start()
        
        if request.method == 'POST' and not tm.is_alive():
     
            code_to.ecexute()

            # start timer again for next hour
            
            return HttpResponse("Webhook received!")
    else:
        return HttResponse("Not Allowed")

Edit: Handling first request and then starting timer

Leave a comment