Skip to content

Commit

Permalink
Merge pull request #9 from mondaycom/feat/ori/add-logger-payload-option
Browse files Browse the repository at this point in the history
Add option for payload in the logger
  • Loading branch information
oricho123 authored Nov 24, 2024
2 parents 7c57e8d + ad8344e commit 94a0b56
Show file tree
Hide file tree
Showing 5 changed files with 161 additions and 40 deletions.
1 change: 1 addition & 0 deletions docs/WriteLogRequestBody.md
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@

Name | Type | Description | Notes
------------ | ------------- | ------------- | -------------
**payload** | **Dict[str, object]** | Construct a type with a set of properties K of type T | [optional]
**error** | [**WriteLogRequestBodyError**](WriteLogRequestBodyError.md) | | [optional]
**message** | **str** | |
**method** | [**LogMethods**](LogMethods.md) | |
Expand Down
189 changes: 152 additions & 37 deletions monday_code/configuration.py
Original file line number Diff line number Diff line change
Expand Up @@ -13,21 +13,123 @@


import copy
import http.client as httplib
import logging
from logging import FileHandler
import multiprocessing
import sys
from typing import Optional
from typing import Any, ClassVar, Dict, List, Literal, Optional, TypedDict
from typing_extensions import NotRequired, Self

import urllib3

import http.client as httplib

JSON_SCHEMA_VALIDATION_KEYWORDS = {
'multipleOf', 'maximum', 'exclusiveMaximum',
'minimum', 'exclusiveMinimum', 'maxLength',
'minLength', 'pattern', 'maxItems', 'minItems'
}

ServerVariablesT = Dict[str, str]

GenericAuthSetting = TypedDict(
"GenericAuthSetting",
{
"type": str,
"in": str,
"key": str,
"value": str,
},
)


OAuth2AuthSetting = TypedDict(
"OAuth2AuthSetting",
{
"type": Literal["oauth2"],
"in": Literal["header"],
"key": Literal["Authorization"],
"value": str,
},
)


APIKeyAuthSetting = TypedDict(
"APIKeyAuthSetting",
{
"type": Literal["api_key"],
"in": str,
"key": str,
"value": Optional[str],
},
)


BasicAuthSetting = TypedDict(
"BasicAuthSetting",
{
"type": Literal["basic"],
"in": Literal["header"],
"key": Literal["Authorization"],
"value": Optional[str],
},
)


BearerFormatAuthSetting = TypedDict(
"BearerFormatAuthSetting",
{
"type": Literal["bearer"],
"in": Literal["header"],
"format": Literal["JWT"],
"key": Literal["Authorization"],
"value": str,
},
)


BearerAuthSetting = TypedDict(
"BearerAuthSetting",
{
"type": Literal["bearer"],
"in": Literal["header"],
"key": Literal["Authorization"],
"value": str,
},
)


HTTPSignatureAuthSetting = TypedDict(
"HTTPSignatureAuthSetting",
{
"type": Literal["http-signature"],
"in": Literal["header"],
"key": Literal["Authorization"],
"value": None,
},
)


AuthSettings = TypedDict(
"AuthSettings",
{
},
total=False,
)


class HostSettingVariable(TypedDict):
description: str
default_value: str
enum_values: List[str]


class HostSetting(TypedDict):
url: str
description: str
variables: NotRequired[Dict[str, HostSettingVariable]]


class Configuration:
"""This class contains various settings of the API client.
Expand Down Expand Up @@ -61,20 +163,26 @@ class Configuration:
"""

_default = None

def __init__(self, host=None,
api_key=None, api_key_prefix=None,
username=None, password=None,
access_token=None,
server_index=None, server_variables=None,
server_operation_index=None, server_operation_variables=None,
ignore_operation_servers=False,
ssl_ca_cert=None,
retries=None,
*,
debug: Optional[bool] = None
) -> None:
_default: ClassVar[Optional[Self]] = None

def __init__(
self,
host: Optional[str]=None,
api_key: Optional[Dict[str, str]]=None,
api_key_prefix: Optional[Dict[str, str]]=None,
username: Optional[str]=None,
password: Optional[str]=None,
access_token: Optional[str]=None,
server_index: Optional[int]=None,
server_variables: Optional[ServerVariablesT]=None,
server_operation_index: Optional[Dict[int, int]]=None,
server_operation_variables: Optional[Dict[int, ServerVariablesT]]=None,
ignore_operation_servers: bool=False,
ssl_ca_cert: Optional[str]=None,
retries: Optional[int] = None,
*,
debug: Optional[bool] = None,
) -> None:
"""Constructor
"""
self._base_path = "http://localhost:59999" if host is None else host
Expand Down Expand Up @@ -198,7 +306,7 @@ def __init__(self, host=None,
"""date format
"""

def __deepcopy__(self, memo):
def __deepcopy__(self, memo: Dict[int, Any]) -> Self:
cls = self.__class__
result = cls.__new__(cls)
memo[id(self)] = result
Expand All @@ -212,11 +320,11 @@ def __deepcopy__(self, memo):
result.debug = self.debug
return result

def __setattr__(self, name, value):
def __setattr__(self, name: str, value: Any) -> None:
object.__setattr__(self, name, value)

@classmethod
def set_default(cls, default):
def set_default(cls, default: Optional[Self]) -> None:
"""Set default instance of configuration.
It stores default configuration, which can be
Expand All @@ -227,7 +335,7 @@ def set_default(cls, default):
cls._default = default

@classmethod
def get_default_copy(cls):
def get_default_copy(cls) -> Self:
"""Deprecated. Please use `get_default` instead.
Deprecated. Please use `get_default` instead.
Expand All @@ -237,7 +345,7 @@ def get_default_copy(cls):
return cls.get_default()

@classmethod
def get_default(cls):
def get_default(cls) -> Self:
"""Return the default configuration.
This method returns newly created, based on default constructor,
Expand All @@ -247,11 +355,11 @@ def get_default(cls):
:return: The configuration object.
"""
if cls._default is None:
cls._default = Configuration()
cls._default = cls()
return cls._default

@property
def logger_file(self):
def logger_file(self) -> Optional[str]:
"""The logger file.
If the logger_file is None, then add stream handler and remove file
Expand All @@ -263,7 +371,7 @@ def logger_file(self):
return self.__logger_file

@logger_file.setter
def logger_file(self, value):
def logger_file(self, value: Optional[str]) -> None:
"""The logger file.
If the logger_file is None, then add stream handler and remove file
Expand All @@ -282,7 +390,7 @@ def logger_file(self, value):
logger.addHandler(self.logger_file_handler)

@property
def debug(self):
def debug(self) -> bool:
"""Debug status
:param value: The debug status, True or False.
Expand All @@ -291,7 +399,7 @@ def debug(self):
return self.__debug

@debug.setter
def debug(self, value):
def debug(self, value: bool) -> None:
"""Debug status
:param value: The debug status, True or False.
Expand All @@ -313,7 +421,7 @@ def debug(self, value):
httplib.HTTPConnection.debuglevel = 0

@property
def logger_format(self):
def logger_format(self) -> str:
"""The logger format.
The logger_formatter will be updated when sets logger_format.
Expand All @@ -324,7 +432,7 @@ def logger_format(self):
return self.__logger_format

@logger_format.setter
def logger_format(self, value):
def logger_format(self, value: str) -> None:
"""The logger format.
The logger_formatter will be updated when sets logger_format.
Expand All @@ -335,7 +443,7 @@ def logger_format(self, value):
self.__logger_format = value
self.logger_formatter = logging.Formatter(self.__logger_format)

def get_api_key_with_prefix(self, identifier, alias=None):
def get_api_key_with_prefix(self, identifier: str, alias: Optional[str]=None) -> Optional[str]:
"""Gets API key (with prefix if set).
:param identifier: The identifier of apiKey.
Expand All @@ -352,7 +460,9 @@ def get_api_key_with_prefix(self, identifier, alias=None):
else:
return key

def get_basic_auth_token(self):
return None

def get_basic_auth_token(self) -> Optional[str]:
"""Gets HTTP basic authentication header (string).
:return: The token for basic HTTP authentication.
Expand All @@ -367,15 +477,15 @@ def get_basic_auth_token(self):
basic_auth=username + ':' + password
).get('authorization')

def auth_settings(self):
def auth_settings(self)-> AuthSettings:
"""Gets Auth Settings dict for api client.
:return: The Auth Settings information dict.
"""
auth = {}
auth: AuthSettings = {}
return auth

def to_debug_report(self):
def to_debug_report(self) -> str:
"""Gets the essential information for debugging.
:return: The report for debugging.
Expand All @@ -387,7 +497,7 @@ def to_debug_report(self):
"SDK Package Version: 0.0.1".\
format(env=sys.platform, pyversion=sys.version)

def get_host_settings(self):
def get_host_settings(self) -> List[HostSetting]:
"""Gets an array of host settings
:return: An array of host settings
Expand All @@ -399,7 +509,12 @@ def get_host_settings(self):
}
]

def get_host_from_settings(self, index, variables=None, servers=None):
def get_host_from_settings(
self,
index: Optional[int],
variables: Optional[ServerVariablesT]=None,
servers: Optional[List[HostSetting]]=None,
) -> str:
"""Gets host URL based on the index and variables
:param index: array index of the host settings
:param variables: hash of variable and the corresponding value
Expand Down Expand Up @@ -439,12 +554,12 @@ def get_host_from_settings(self, index, variables=None, servers=None):
return url

@property
def host(self):
def host(self) -> str:
"""Return generated host."""
return self.get_host_from_settings(self.server_index, variables=self.server_variables)

@host.setter
def host(self, value):
def host(self, value: str) -> None:
"""Fix base path."""
self._base_path = value
self.server_index = None
6 changes: 4 additions & 2 deletions monday_code/models/write_log_request_body.py
Original file line number Diff line number Diff line change
Expand Up @@ -17,7 +17,7 @@
import re # noqa: F401
import json

from pydantic import BaseModel, ConfigDict, StrictStr
from pydantic import BaseModel, ConfigDict, Field, StrictStr
from typing import Any, ClassVar, Dict, List, Optional
from monday_code.models.log_methods import LogMethods
from monday_code.models.write_log_request_body_error import WriteLogRequestBodyError
Expand All @@ -28,10 +28,11 @@ class WriteLogRequestBody(BaseModel):
"""
WriteLogRequestBody
""" # noqa: E501
payload: Optional[Dict[str, Any]] = Field(default=None, description="Construct a type with a set of properties K of type T")
error: Optional[WriteLogRequestBodyError] = None
message: StrictStr
method: LogMethods
__properties: ClassVar[List[str]] = ["error", "message", "method"]
__properties: ClassVar[List[str]] = ["payload", "error", "message", "method"]

model_config = ConfigDict(
populate_by_name=True,
Expand Down Expand Up @@ -87,6 +88,7 @@ def from_dict(cls, obj: Optional[Dict[str, Any]]) -> Optional[Self]:
return cls.model_validate(obj)

_obj = cls.model_validate({
"payload": obj.get("payload"),
"error": WriteLogRequestBodyError.from_dict(obj["error"]) if obj.get("error") is not None else None,
"message": obj.get("message"),
"method": obj.get("method")
Expand Down
2 changes: 1 addition & 1 deletion setup.py
Original file line number Diff line number Diff line change
Expand Up @@ -21,7 +21,7 @@
# prerequisite: setuptools
# http://pypi.python.org/pypi/setuptools
NAME = "monday-code"
VERSION = "0.2.1"
VERSION = "0.2.2"
PYTHON_REQUIRES = ">= 3.8"
REQUIRES = [
"urllib3 >= 1.25.3, < 3.0.0",
Expand Down
Loading

0 comments on commit 94a0b56

Please sign in to comment.