The Python Standard Libary is part of your Python installation. It contains a wide range of packages which may be helpful while building your Python masterpieces. This notebook lists some of the commonly used packages and their main functionalities.
import datetime as dt
local_now = dt.datetime.now()
print('local now: {}'.format(local_now))
utc_now = dt.datetime.utcnow()
print('utc now: {}'.format(utc_now))
# You can access any value separately:
print('{} {} {} {} {} {}'.format(local_now.year, local_now.month,
local_now.day, local_now.hour,
local_now.minute, local_now.second))
print('date: {}'.format(local_now.date()))
print('time: {}'.format(local_now.time()))
strftime()¶For string formatting the datetime
formatted1 = local_now.strftime('%Y/%m/%d-%H:%M:%S')
print(formatted1)
formatted2 = local_now.strftime('date: %Y-%m-%d time:%H:%M:%S')
print(formatted2)
strptime()¶For converting a datetime string into a datetime object
my_dt = dt.datetime.strptime('2000-01-01 10:00:00', '%Y-%m-%d %H:%M:%S')
print('my_dt: {}'.format(my_dt))
tomorrow = local_now + dt.timedelta(days=1)
print('tomorrow this time: {}'.format(tomorrow))
delta = tomorrow - local_now
print('tomorrow - now = {}'.format(delta))
print('days: {}, seconds: {}'.format(delta.days, delta.seconds))
print('total seconds: {}'.format(delta.total_seconds()))
import sys
!{sys.executable} -m pip install pytz
import datetime as dt
import pytz
naive_utc_now = dt.datetime.utcnow()
print('naive utc now: {}, tzinfo: {}'.format(naive_utc_now, naive_utc_now.tzinfo))
# Localizing naive datetimes
UTC_TZ = pytz.timezone('UTC')
utc_now = UTC_TZ.localize(naive_utc_now)
print('utc now: {}, tzinfo: {}'.format(utc_now, utc_now.tzinfo))
# Converting localized datetimes to different timezone
PARIS_TZ = pytz.timezone('Europe/Paris')
paris_now = PARIS_TZ.normalize(utc_now)
print('Paris: {}, tzinfo: {}'.format(paris_now, paris_now.tzinfo))
NEW_YORK_TZ = pytz.timezone('America/New_York')
ny_now = NEW_YORK_TZ.normalize(utc_now)
print('New York: {}, tzinfo: {}'.format(ny_now, ny_now.tzinfo))
import logging
# Handy way for getting a dedicated logger for every module separately
logger = logging.getLogger(__name__)
logger.setLevel(logging.WARNING)
logger.debug('This is debug')
logger.info('This is info')
logger.warning('This is warning')
logger.error('This is error')
logger.critical('This is critical')
import logging
# This is only required for Jupyter notebook environment
from importlib import reload
reload(logging)
my_format = '%(asctime)s | %(name)-12s | %(levelname)-10s | %(message)s'
logging.basicConfig(format=my_format)
logger = logging.getLogger('MyLogger')
logger.warning('Something bad is going to happen')
logger.error('Uups, it already happened')
import random
rand_int = random.randint(1, 100)
print('random integer between 1-100: {}'.format(rand_int))
rand = random.random()
print('random float between 0-1: {}'.format(rand))
If you need pseudo random numbers, you can set the seed for random. This will reproduce the output (try running the cell multiple times):
import random
random.seed(5) # Setting the seed
# Let's print 10 random numbers
for _ in range(10):
print(random.random())
import re
secret_code = 'qwret 8sfg12f5 fd09f_df'
# "r" at the beginning means raw format, use it with regular expression patterns
search_pattern = r'(g12)'
match = re.search(search_pattern, secret_code)
print('match: {}'.format(match))
print('match.group(): {}'.format(match.group()))
numbers_pattern = r'[0-9]'
numbers_match = re.findall(numbers_pattern, secret_code)
print('numbers: {}'.format(numbers_match))
import re
def validate_only_lower_case_letters(to_validate):
pattern = r'^[a-z]+$'
return bool(re.match(pattern, to_validate))
print(validate_only_lower_case_letters('thisshouldbeok'))
print(validate_only_lower_case_letters('thisshould notbeok'))
print(validate_only_lower_case_letters('Thisshouldnotbeok'))
print(validate_only_lower_case_letters('thisshouldnotbeok1'))
print(validate_only_lower_case_letters(''))