Explain Codes LogoExplain Codes Logo

Json datetime between Python and JavaScript

python
datetime
json
serialization
Anton ShumikhinbyAnton Shumikhin·Feb 27, 2025
TLDR

For a simple JSON datetime conversion, serialize Python datetime to an ISO 8601 string using datetime.isoformat(), and in JavaScript, deserialize with new Date(). Both languages recognize this format, offering cross-language compatibility.

Python:

# Python loves ISO 8601. No, it's not a Star Wars droid. It's a date format! json_datetime = datetime.datetime.now().isoformat() # '2023-04-01T12:34:56.789Z'

JavaScript:

// At this exact moment in the galaxy, a JavaScript date was born! const dateFromJson = new Date('2023-04-01T12:34:56.789Z');

Customizing datetime serialization

JSON datetime handling can be intricate for diverse object types or timezone considerations. Python's json.dumps has a default parameter for this. You could implement a lambda or a custom function for versatile serialization.

Python (using lambda function to kick timezones into the cosmos):

import datetime import json def datetime_handler(x): if isinstance(x, datetime.datetime): return x.isoformat() elif isinstance(x, datetime.date): return x.isoformat() # If it quacks like a duck, but isn't one, throw TypeError! raise TypeError("Unknown type") json_data = json.dumps(datetime.datetime.now(), default=datetime_handler)

This type-checking mechanism maintains your datetime's accuracy under sterilized conditions.

Timezones and universal formats

Getting timezones right is crucial to keeping your datetime accurate. Preserve datetime in UTC format to eliminate timezone discrepancies. Use strftime('%Y-%m-%dT%H:%M:%SZ') to generate UTC formatted strings.

Python UTC datetime:

# Python's internal clock chiming in UTC json_datetime = datetime.datetime.utcnow().strftime('%Y-%m-%dT%H:%M:%SZ')

Visualizing the datetime journey

Let's map out the journey of a JSON datetime from Python to JavaScript:

Python (🐍) Time: "2023-04-12T10:00:00.000Z" JavaScript (🕸) Time: new Date("2023-04-12T10:00:00.000Z")

Packed and shipped through JSON:

🐍 --> 📦 (JSON) --> 🕸

The Key Idea:

- Both languages comprehend ISO 8601 format - `JSON` is the translator that makes datetime "speak" both languages - Picture `JSON` as the universal translator from a sci-fi movie

From Python to JSON:

datetime.datetime.now().isoformat()

JavaScript translating from JSON:

new Date(jsonDateString)

Remember: when it comes to dates/times in programming, ISO 8601 is the language of peace!

Handling complex/nested data

Real-world cases often bury datetimes in nested structures or within arrays. For encoding and decoding complex data structures, Python's JSONEncoder subclass or object_hook keep the datetime accuracy intact.

Python wielding a custom encoder:

class DateTimeEncoder(json.JSONEncoder): def default(self, obj): if isinstance(obj, (datetime.datetime, datetime.date)): return obj.isoformat() # Unknown object types get booted via TypeError return json.JSONEncoder.default(self, obj) json_data = json.dumps(your_data, cls=DateTimeEncoder)

Transfer with precision

To maintain microseconds in datetime objects across languages, consider shaving them off for systems like JavaScript's Date object, which isn't a fan of too much precision.

In Python, .replace(microsecond=0) before serialization works like a charm:

# Python going YOLO on microseconds json_datetime = datetime.datetime.now().replace(microsecond=0).isoformat()

Deserialization Jedi moves in JavaScript

While the new Date() constructor is handy for deserializing ISO 8601 datetime strings in JavaScript, for more exotic formats or older JavaScript engines, consider using a library like Moment.js or date-fns for more robust ISO 8601 support.

JavaScript deserialization with Moment.js:

// Feel the force of Moment.js! const moment = require('moment'); const dateFromJson = moment('2023-04-01T12:34:56.789Z').toDate();

When in doubt, trust libraries

Even though native functions provide support for ISO 8601, sometimes libraries like dateutil in Python offer a more complete toolbox. They often provide robust functions to deal with timezones and formats correctly.

Python with dateutil:

# Python's tryst with dateutil from dateutil import parser json_datetime = parser.parse('2023-04-01T12:34:56.789Z')

Edge cases in serialization

Consider edge situations where timezone offsets appear in the serialized string (like +02:00). Accommodate these in your custom serialization function to ensure data integrity when deserialized elsewhere.