[Solved] Can not convert 13 digit UNIX timestamp in python


#!python2

# Epoch time needs to be converted to a human readable format.
# Also, epoch time uses 10 digits, yours has 13, the last 3 are milliseconds

import datetime, time

epoch_time = 1520912901432

# truncate last 3 digits because they're milliseconds
epoch_time = str(epoch_time)[0: 10]

# print timestamp without milliseconds
print datetime.datetime.fromtimestamp(float(epoch_time)).strftime('%m/%d/%Y -- %H:%M:%S')
'''
03/12/2018 -- 21:48:21
'''

# %   %   %   %   %   %   %   %   %   %   %   %   %   %   %   %   %   %   %   %   %   %

# If you need milliseconds
epoch_time = 1520912901432

# get first 10 digits
leading = str(epoch_time)[0: 10]

# get last 3 digits
trailing = str(epoch_time)[-3:]

# print timestamp with milliseconds
print datetime.datetime.fromtimestamp(float(leading)).strftime('%m/%d/%Y -- %H:%M:%S.') + ('%s' % int(trailing))
'''
03/12/2018 -- 21:48:21.432
'''

Python 2 time module: https://docs.python.org/2/library/time.html

solved Can not convert 13 digit UNIX timestamp in python