How to generate a fixed-length hash based on current date and time in Python?

Batteries included:

Python3

import hashlib
import time

hashlib.sha1().update(str(time.time()).encode("utf-8"))
print(hashlib.sha1().hexdigest())
print(hashlib.sha1().hexdigest()[:10])

Python2

import hashlib
import time

hash = hashlib.sha1()
hash.update(str(time.time()))
print hash.hexdigest()
print hash.hexdigest()[:10]

I think my comment is a reasonable answer so I am going to post it. The code uses the python time() function to get the number of seconds since the unix epoch:

import time
import datetime
ts = int(time.time())  # this removes the decimals

# convert the timestamp to a datetime object if you want to extract the date
d = datetime.datetime.fromtimestamp(ts)

The time stamp is currently a 10 digit integer that can easily be converted back to a datetime object for other uses. If you want to further shrink the length of the timestamp you could encode the number in hexadecimal or some other format. ie.

hex(int(time.time()))

This reduces the length to 8 characters if you remove the 0x prefix

EDIT:

In your comment you specified that you don't want people to figure out the original date so I would suggest doing something like:

hex(int(time.time() + 12345))[2:]   #The [2:] removes the 0x prefix

Just chose a number and remember to subtract it when you are trying to extract the timestamp. Without knowing this number the user would have a very difficult time inferring the real date from your code.

int(stamp,16) - 12345