Use elif to chain your conditions together; only one matching condition will then be picked:
if (question=='add'):
elif (question=='times'):
elif (question=='divide'):
elif (question=='minus'):
The added advantage is that you can now tack on an else block, to catch the case where the user picked none of the above:
if (question=='add'):
elif (question=='times'):
elif (question=='divide'):
elif (question=='minus'):
else:
You could put your question asking in an endless loop, and use break to step out of that loop, and perhaps use continue to restart the loop from the top:
while True:
    question = input('Please choose one. add, times, divide, minus')
    if (question=='add'):
        # 
    elif (question=='times'):
        #
    elif (question=='divide'):
        #
    elif (question=='minus'):
        # 
    else:
        print('Please enter a valid option!')
        continue
    # we got here, so we must've had a proper input
    break        
Also see the canonical Asking the user for input until they give a valid response question here on Stack Overflow.