I am trying to have try and except block in my code to catch an error, then put it to sleep for 5 seconds and then I want to continue where it left off. Following is my code and currently as soon as it catches exception, it does not continue and stops after exception.
from botocore.exceptions import ClientError
tries = 0
try:
    for pag_num, page in enumerate(one_submitted_jobs):
        if 'NextToken' in page:
            print("Token:",pag_num)
        else:
            print("No Token in page:", pag_num)
except ClientError as exception_obj:
    if exception_obj.response['Error']['Code'] == 'ThrottlingException':
        print("Throttling Exception Occured.")
        print("Retrying.....")
        print("Attempt No.: " + str(tries))
        time.sleep(5)
        tries +=1
    else:
        raise
How can I make it to continue after exception? Any help would be great.
Note - I am trying to catch AWS's ThrottlingException error in my code.
Following code is for demonstration to @Selcuk to show what I have currently from his answer. Following will be deleted as soon as we agree if I am doing it correct or not.
tries = 1
pag_num = 0
# Only needed if one_submitted_jobs is not an iterator:
one_submitted_jobs = iter(one_submitted_jobs)
while True:
    try:
        page = next(one_submitted_jobs)
        # do things
        if 'NextToken' in page:
            print("Token: ", pag_num)
        else:
            print("No Token in page:", pag_num)
        pag_num += 1
    
    except StopIteration:
        break
    
    except ClientError as exception_obj:
        # Sleep if we are being throttled
        if exception_obj.response['Error']['Code'] == 'ThrottlingException':
            print("Throttling Exception Occured.")
            print("Retrying.....")
            print("Attempt No.: " + str(tries))
            time.sleep(3)
            tries +=1 
 
    