Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Closes #38 fix(tests): added compliance tests (#38) #49

Merged
merged 1 commit into from
Jan 22, 2025
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions pytest.ini
Original file line number Diff line number Diff line change
Expand Up @@ -4,3 +4,4 @@ markers =
payload_set: mark test a part of the main payload set (plugin run)

timeout = 100
addopts = -x
15 changes: 15 additions & 0 deletions readme.md
Original file line number Diff line number Diff line change
Expand Up @@ -28,6 +28,8 @@ S3 Platform Plugin Template - это репозиторий предоставл
- [Тесты](#тесты)
- [Как запустить тесты](#запуск-тестов)
- [Правила написания парсера](#правила-написания-парсеров)
- [Пример конфигурации](#примеры-конфигурации)
- [Конфигурация параметров запуска плагина](#пример-конфигурации-параметров-запуска-плагина)

## Быстрый старт

Expand Down Expand Up @@ -274,3 +276,16 @@ class MyTemplateParser(S3PParserBase):

```

## Примеры конфигурации

### Пример конфигурации параметров запуска плагина
Ниже приведен пример конфигурации `payload.entry.params`.
```python
from s3p_sdk.plugin.config import payload
from s3p_sdk.module import WebDriver

[
payload.entry.ModuleParamConfig(key='web_driver', module_name=WebDriver, bus=True), # Передается модуль
payload.entry.ConstParamConfig(key='url', value='url to the source page'), # Передается константа
]
```
6 changes: 2 additions & 4 deletions src/s3_platform_plugin_template/config.py
Original file line number Diff line number Diff line change
Expand Up @@ -49,10 +49,8 @@
entry=payload.entry.EntryConfig(
method='content',
params=[
payload.entry.ModuleParamConfig(key='driver', module_name=WebDriver, bus=True),
payload.entry.ConstParamConfig(key='url',
value='url to the source page'),
]
payload.entry.ModuleParamConfig(key='web_driver', module_name=WebDriver, bus=True),
] # Подробнее можно почитать [тут](./readme.md#пример-конфигурации-параметров-запуска-плагина
)
)
)
Expand Down
9 changes: 7 additions & 2 deletions tests/config/fixtures.py
Original file line number Diff line number Diff line change
Expand Up @@ -34,12 +34,12 @@ def __init__(self, dir: str):
raise FileNotFoundError(f"File not found {Path(dir) / 'plugin.xml'}")


@pytest.fixture(scope="module")
@pytest.fixture(scope="session")
def project_config() -> Project:
return Project(str(Path(__file__).parent.parent.parent))


@pytest.fixture(scope="module")
@pytest.fixture(scope="session")
def fix_plugin_config(project_config) -> PluginConfig:
"""Загружает конфигурацию из config.py файла по динамическому пути на основании конфигурации"""
config_path = Path(project_config.root) / 'src' / project_config.name / 'config.py'
Expand All @@ -48,3 +48,8 @@ def fix_plugin_config(project_config) -> PluginConfig:
module = importlib.util.module_from_spec(spec)
spec.loader.exec_module(module)
return module.config


@pytest.fixture(scope="session")
def fix_necessary_payload_entry_params() -> tuple[str, ...]:
return 'refer', 'plugin', 'restrictions', 'self'
36 changes: 36 additions & 0 deletions tests/config/test_compliance_config.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,36 @@
import inspect

import pytest

from tests.fixtures.payload_class import fix_plugin_class
from tests.config.fixtures import fix_plugin_config, project_config, fix_necessary_payload_entry_params


@pytest.mark.pre_set
class TestPluginConfigCompliance:

def test_payload_entry_params_equaled_payload_init_params(self, fix_plugin_config, fix_plugin_class,
fix_necessary_payload_entry_params):
"""
Тест проверяет соответствие начальных параметров в конфигурации и аргументов
"""
full_arg_spec = inspect.getfullargspec(fix_plugin_class.__init__)
entry_params = list(full_arg_spec.args)

for necessary_param in fix_necessary_payload_entry_params:
assert necessary_param in entry_params
entry_params.remove(necessary_param)

for param in fix_plugin_config.payload.entry.params:
assert param.key not in fix_necessary_payload_entry_params, f"Custom param should not overload necessary params"
assert param.key in full_arg_spec.args, f'Param `{param.key}` must be processed in the payload class constructor'

assert set(full_arg_spec.args) == set([param.key for param in fix_plugin_config.payload.entry.params]).union(set(fix_necessary_payload_entry_params))

def test_payload_entry_param_key_unique(self, fix_plugin_config):

param_keys = []
for param in fix_plugin_config.payload.entry.params:
param_keys.append(param.key)

assert len(param_keys) == len(set(param_keys))
Empty file added tests/fixtures/__init__.py
Empty file.
11 changes: 11 additions & 0 deletions tests/fixtures/payload_class.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,11 @@
from typing import Type

import pytest

# TODO: Указать путь до класса плагина
from s3_platform_plugin_template.template_payload import MyTemplateParser as imported_payload_class


@pytest.fixture(scope="module")
def fix_plugin_class() -> Type[imported_payload_class]:
return imported_payload_class
22 changes: 8 additions & 14 deletions tests/payload/test_plugin_run.py
Original file line number Diff line number Diff line change
@@ -1,7 +1,7 @@
import datetime
import importlib.util
import os
from typing import Type
from typing import Callable, Union

import pytest
from pathlib import Path
Expand Down Expand Up @@ -41,7 +41,7 @@ def fix_s3pPlugin(self) -> S3PPlugin:
return S3PPlugin(1, 'unittests/repo/1', True, None, None, SOURCE, "3.0")

@pytest.fixture(scope="module", autouse=True)
def fix_payload(self, project_config, fix_plugin_config) -> Type[S3PParserBase]:
def fix_payload(self, project_config, fix_plugin_config) -> S3PParserBase:
MODULE_NAME: str = 's3p_test_plugin_payload'
"""Загружает конфигурацию из config.py файла по динамическому пути на основании конфигурации"""
payload_path = Path(project_config.root) / 'src' / project_config.name / fix_plugin_config.payload.file
Expand All @@ -58,19 +58,13 @@ def fix_payload(self, project_config, fix_plugin_config) -> Type[S3PParserBase]:
assert issubclass(parser_class, S3PParserBase), f"{class_name} is not a subclass of S3PParserBase."
return parser_class

def run_payload(self, payload: Type[S3PParserBase], _plugin: S3PPlugin, driver: WebDriver, refer: S3PRefer, max_document: int):
def run_payload(self, payload: Union[S3PParserBase, Callable], _plugin: S3PPlugin, driver: WebDriver, refer: S3PRefer, max_document: int):

# !WARNING Требуется изменить путь до актуального парсера плагина
from src.s3_platform_plugin_template.template_payload import MyTemplateParser

if isinstance(payload, type(MyTemplateParser)):
_payload = payload(
refer=refer,
plugin=_plugin,
restrictions=S3PPluginRestrictions(max_document, None, None, None), web_driver=driver)
return _payload.content()
else:
assert False, "Тест проверяет payload плагина"
_payload = payload(
refer=refer,
plugin=_plugin,
restrictions=S3PPluginRestrictions(max_document, None, None, None), web_driver=driver)
return _payload.content()

# !WARNING: Изменить максимальное время работы плагина из логических соображений
@pytest.mark.timeout(20)
Expand Down
Loading