Skip to content

Instantly share code, notes, and snippets.

View samukasmk's full-sized avatar

Samuel Sampaio samukasmk

View GitHub Profile
@samukasmk
samukasmk / recursion_replace_dict_sub_values.py
Last active September 1, 2023 15:01
[Recursion Algorithm In Practice] This script look for str objects in all sub childrens of a dict to replace values, using a recursion function.
def replace_dynamic_variable(element):
# If the element is a string, replace "{variable_dynamic}" with "hacked"
if isinstance(element, str):
element = element.replace("{variable_dynamic}", "hacked")
# If the element is a dictionary, iterate through each key-value pair
elif isinstance(element, dict):
for key, value in element.items():
element[key] = replace_dynamic_variable(value)
@samukasmk
samukasmk / raise_multiple_exceptions.py
Created August 30, 2023 13:45
Rasing multiple exception in Python Language
import traceback
# define some sample function with a nonexisting var
def my_function():
some_var = nonexisting_var
# create dict to store all raised exceptions
raised_exceptions = {}
# for 3 times execute a broken function (that generates execptions)
@samukasmk
samukasmk / get-current-time-in-isoformat.py
Created July 28, 2023 15:15
Sample script to get current time in isoformat by replacing ':' to '.' for file paths
from datetime import datetime
datetime.now().strftime("%Y-%m-%d.%H.%M.%S.%f")
# >>> '2023-07-28.12.00.09.521821'
datetime.now().isoformat('.').replace(':', '.')
# >>> '2023-07-28.12.00.26.037908'
@samukasmk
samukasmk / pydantic-check-sub-dict-fields.py
Created July 20, 2023 21:37
Pydantic: Check sub dict fields
from typing import Any
from typing_extensions import TypedDict
from pydantic import BaseModel
class SchemaStructField(TypedDict):
name: str
type: str
nullable: bool
@samukasmk
samukasmk / pyspark-schema-from-json.py
Created July 20, 2023 21:11
PySpark: Define schema StructFields from dict (json)
import pyspark
from pyspark.sql import SparkSession
from pyspark.sql.types import StructType
# create spark session
spark = SparkSession.builder.getOrCreate()
# define values by list
dataframe_values = [
@samukasmk
samukasmk / mongodb-query-join.js
Created June 16, 2023 11:47
Aggregation samples like Join made in relational databases
// docker-compose exec mongo mongosh 'mongodb://starwars:starwars@mongo:27017/starwars'
// obtenção simples
db.planet.find()
db.movie.find()
// obtenção agregada
db.movie.aggregate([
@samukasmk
samukasmk / binary_search_non_recursive.py
Created April 6, 2023 16:19
Non-recursive Binary Search for billionaire elements
"""
Binary search:
It's a search in an ordered array that takes well less time to find a element compared to a linear search
Developed by:
Samuel Sampaio [20230406] @samukasmk
Goal:
Do not use the use of recursion for objects with billionaire elements
avoiding python's limitation with the maximum number of recursions (around 999)
Big O complexity analyses:
O(log n)
@samukasmk
samukasmk / python_multi_decorator_sample.py
Last active March 10, 2023 02:52
An example of a python decorator receiving params in decorator and in custom function
from functools import wraps
# Declaring my decorator
def my_decorator(decorator_custom_arg=None, *decorator_args, **decorator_kwargs):
def decorator(func):
print('declaring decorator -',
'decorator_custom_arg:', decorator_custom_arg,
'decorator_args:', decorator_args,
'decorator_kwargs:', decorator_kwargs)
@samukasmk
samukasmk / asyncio_http_client_sample.py
Created February 24, 2023 16:15
AsyncIO example of simple http usage in parallel with gather
# This example is from @dunossauro:
# https://github.com/dunossauro/live-de-python/blob/main/codigo/Live154/exemplo_20.py
from asyncio import gather, get_event_loop_policy, set_event_loop_policy
from httpx import AsyncClient
import uvloop
set_event_loop_policy(uvloop.EventLoopPolicy())
base_url = 'https://pokeapi.co/api/v2/pokemon/{number}'
@samukasmk
samukasmk / asyncio_custom_content_manager_on_aiohttp_session.py
Last active February 24, 2023 16:12
Custom management of aiohttp session with my own custom manager and manipulating headers after instantiaed
import aiohttp
import asyncio
class Downloader():
def __init__(self):
self.session = None
async def __aenter__(self):
self.session = aiohttp.ClientSession()