- test.sh: save each run to qa-reports/test_run_<timestamp>.log with ANSI-stripped output; show per-stage skip counts in summary - test_qa_plsql: fix wrong table names (parteneri→nom_parteneri, com_antet→comenzi, comenzi_articole→comenzi_elemente), pass datetime for data_comanda, use string JSON values for Oracle get_string(), lookup article with valid price policy - test_integration: fix article search min_length (1→2 chars), use unique SKU per run to avoid soft-delete 409 conflicts - test_qa_responsive: return early instead of skip on empty tables Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
197 lines
7.1 KiB
Python
197 lines
7.1 KiB
Python
"""
|
|
Oracle Integration Tests for GoMag Import Manager (pytest-compatible)
|
|
=====================================================================
|
|
Requires Oracle connectivity and valid .env configuration.
|
|
Converted from api/test_integration.py.
|
|
|
|
Run:
|
|
pytest api/tests/test_integration.py -v
|
|
"""
|
|
|
|
import os
|
|
import sys
|
|
|
|
import pytest
|
|
|
|
# --- Marker: all tests require Oracle ---
|
|
pytestmark = pytest.mark.oracle
|
|
|
|
# Set working directory to project root so relative paths in .env work
|
|
_script_dir = os.path.join(os.path.dirname(os.path.abspath(__file__)), "..")
|
|
_project_root = os.path.dirname(_script_dir)
|
|
|
|
# Load .env from api/ before importing app modules
|
|
from dotenv import load_dotenv
|
|
|
|
_env_path = os.path.join(_script_dir, ".env")
|
|
load_dotenv(_env_path, override=True)
|
|
|
|
# TNS_ADMIN must point to the directory containing tnsnames.ora, not the file
|
|
_tns_admin = os.environ.get("TNS_ADMIN", "")
|
|
if _tns_admin and os.path.isfile(_tns_admin):
|
|
os.environ["TNS_ADMIN"] = os.path.dirname(_tns_admin)
|
|
elif not _tns_admin:
|
|
os.environ["TNS_ADMIN"] = _script_dir
|
|
|
|
# Add api/ to path so app package is importable
|
|
if _script_dir not in sys.path:
|
|
sys.path.insert(0, _script_dir)
|
|
|
|
|
|
@pytest.fixture(scope="module")
|
|
def client():
|
|
"""Create a TestClient with Oracle lifespan.
|
|
|
|
Re-apply .env here because other test modules (test_requirements.py)
|
|
may have set ORACLE_DSN=dummy at import time during pytest collection.
|
|
"""
|
|
# Re-load .env to override any dummy values from other test modules
|
|
load_dotenv(_env_path, override=True)
|
|
_tns = os.environ.get("TNS_ADMIN", "")
|
|
if _tns and os.path.isfile(_tns):
|
|
os.environ["TNS_ADMIN"] = os.path.dirname(_tns)
|
|
elif not _tns:
|
|
os.environ["TNS_ADMIN"] = _script_dir
|
|
|
|
# Force-update the cached settings singleton with correct values from .env
|
|
from app.config import settings
|
|
settings.ORACLE_USER = os.environ.get("ORACLE_USER", "MARIUSM_AUTO")
|
|
settings.ORACLE_PASSWORD = os.environ.get("ORACLE_PASSWORD", "ROMFASTSOFT")
|
|
settings.ORACLE_DSN = os.environ.get("ORACLE_DSN", "ROA_CENTRAL")
|
|
settings.TNS_ADMIN = os.environ.get("TNS_ADMIN", _script_dir)
|
|
settings.FORCE_THIN_MODE = os.environ.get("FORCE_THIN_MODE", "") == "true"
|
|
|
|
from fastapi.testclient import TestClient
|
|
from app.main import app
|
|
|
|
with TestClient(app) as c:
|
|
yield c
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Test A: GET /health — Oracle must show as connected
|
|
# ---------------------------------------------------------------------------
|
|
def test_health_oracle_connected(client):
|
|
resp = client.get("/health")
|
|
assert resp.status_code == 200
|
|
body = resp.json()
|
|
assert body.get("oracle") == "ok", f"oracle={body.get('oracle')!r}"
|
|
assert body.get("sqlite") == "ok", f"sqlite={body.get('sqlite')!r}"
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Test B: Mappings CRUD cycle (uses real CODMAT from Oracle nomenclator)
|
|
# ---------------------------------------------------------------------------
|
|
@pytest.fixture(scope="module")
|
|
def test_sku():
|
|
"""Generate a unique test SKU per run to avoid conflicts with prior soft-deleted entries."""
|
|
import time
|
|
return f"PYTEST_SKU_{int(time.time())}"
|
|
|
|
|
|
@pytest.fixture(scope="module")
|
|
def real_codmat(client):
|
|
"""Find a real CODMAT from Oracle nomenclator to use in mappings tests."""
|
|
# min_length=2 on the endpoint, so use 2+ char search terms
|
|
for term in ["01", "PH", "CA"]:
|
|
resp = client.get("/api/articles/search", params={"q": term})
|
|
if resp.status_code == 200:
|
|
results = resp.json().get("results", [])
|
|
if results:
|
|
return results[0]["codmat"]
|
|
pytest.skip("No articles found in Oracle for CRUD test")
|
|
|
|
|
|
def test_mappings_create(client, real_codmat, test_sku):
|
|
resp = client.post("/api/mappings", json={
|
|
"sku": test_sku,
|
|
"codmat": real_codmat,
|
|
"cantitate_roa": 2.5,
|
|
})
|
|
assert resp.status_code == 200, f"create returned {resp.status_code}: {resp.json()}"
|
|
body = resp.json()
|
|
assert body.get("success") is True, f"create returned: {body}"
|
|
|
|
|
|
def test_mappings_list_after_create(client, real_codmat, test_sku):
|
|
resp = client.get("/api/mappings", params={"search": test_sku})
|
|
assert resp.status_code == 200
|
|
body = resp.json()
|
|
mappings = body.get("mappings", [])
|
|
found = any(
|
|
m["sku"] == test_sku and m["codmat"] == real_codmat
|
|
for m in mappings
|
|
)
|
|
assert found, f"mapping not found in list; got {mappings}"
|
|
|
|
|
|
def test_mappings_update(client, real_codmat, test_sku):
|
|
resp = client.put(f"/api/mappings/{test_sku}/{real_codmat}", json={
|
|
"cantitate_roa": 3.0,
|
|
})
|
|
assert resp.status_code == 200
|
|
body = resp.json()
|
|
assert body.get("success") is True, f"update returned: {body}"
|
|
|
|
|
|
def test_mappings_delete(client, real_codmat, test_sku):
|
|
resp = client.delete(f"/api/mappings/{test_sku}/{real_codmat}")
|
|
assert resp.status_code == 200
|
|
body = resp.json()
|
|
assert body.get("success") is True, f"delete returned: {body}"
|
|
|
|
|
|
def test_mappings_verify_soft_deleted(client, real_codmat, test_sku):
|
|
resp = client.get("/api/mappings", params={"search": test_sku, "show_deleted": "true"})
|
|
assert resp.status_code == 200
|
|
body = resp.json()
|
|
mappings = body.get("mappings", [])
|
|
deleted = any(
|
|
m["sku"] == test_sku and m["codmat"] == real_codmat and m.get("sters") == 1
|
|
for m in mappings
|
|
)
|
|
assert deleted, (
|
|
f"expected sters=1 for deleted mapping, got: "
|
|
f"{[m for m in mappings if m['sku'] == test_sku]}"
|
|
)
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Test C: GET /api/articles/search
|
|
# ---------------------------------------------------------------------------
|
|
def test_articles_search(client):
|
|
search_terms = ["01", "A", "PH"]
|
|
found_results = False
|
|
for term in search_terms:
|
|
resp = client.get("/api/articles/search", params={"q": term})
|
|
assert resp.status_code == 200
|
|
body = resp.json()
|
|
results_list = body.get("results", [])
|
|
if results_list:
|
|
found_results = True
|
|
break
|
|
assert found_results, f"all search terms {search_terms} returned empty results"
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Test D: POST /api/validate/scan
|
|
# ---------------------------------------------------------------------------
|
|
def test_validate_scan(client):
|
|
resp = client.post("/api/validate/scan")
|
|
assert resp.status_code == 200
|
|
body = resp.json()
|
|
has_shape = "json_files" in body and ("orders" in body or "total_orders" in body)
|
|
assert has_shape, f"unexpected response shape: {list(body.keys())}"
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Test E: GET /api/sync/history
|
|
# ---------------------------------------------------------------------------
|
|
def test_sync_history(client):
|
|
resp = client.get("/api/sync/history")
|
|
assert resp.status_code == 200
|
|
body = resp.json()
|
|
assert "runs" in body, f"missing 'runs' key; got keys: {list(body.keys())}"
|
|
assert isinstance(body["runs"], list)
|
|
assert "total" in body
|