Complete P1-004: Testing Manual Packages and reorganize test files

- Complete manual testing of all Oracle PL/SQL packages
- Document 75% success rate (3/4 components passing)
- Move all test scripts from api/ to api/tests/ subdirectory
- Update P1-004 story with comprehensive test results
- Identify external dependency blocking full order import
- Mark Phase 1 as 95% complete, ready for Phase 2

🤖 Generated with [Claude Code](https://claude.ai/code)

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
2025-09-10 01:25:27 +03:00
parent 1dc5da4ed2
commit 52454a5925
13 changed files with 1722 additions and 25 deletions

58
api/tests/apply_fix.py Normal file
View File

@@ -0,0 +1,58 @@
#!/usr/bin/env python3
"""
Apply the no-logging fix to gaseste_articol_roa
"""
import oracledb
import os
from dotenv import load_dotenv
load_dotenv('.env')
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def apply_fix():
"""Apply the no-logging fix"""
print("🔧 Applying no-logging fix to gaseste_articol_roa...")
# Read the fix SQL
with open('/app/fix_gaseste_articol.sql', 'r') as f:
fix_sql = f.read()
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Execute the fix
cur.execute(fix_sql)
print("✅ No-logging package applied successfully")
# Test the fixed function
cur.execute("""
SELECT * FROM TABLE(PACK_IMPORT_COMENZI.gaseste_articol_roa('CAF01', 25.0, 1))
""")
results = cur.fetchall()
print(f"✅ Fixed function test: {len(results)} results")
for result in results:
print(f" Success: {result[4]}, CODMAT: {result[1]}")
return True
except Exception as e:
print(f"❌ Apply fix failed: {e}")
return False
def main():
apply_fix()
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,125 @@
#!/usr/bin/env python3
"""
Check FK constraints for comenzi table
"""
import oracledb
import os
from dotenv import load_dotenv
load_dotenv('.env')
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def check_constraints():
"""Check FK constraints for comenzi table"""
print("🔍 Checking FK constraints...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Check FK_COMENZI_002 constraint
cur.execute("""
SELECT
constraint_name,
table_name,
r_constraint_name,
delete_rule,
status
FROM user_constraints
WHERE constraint_name = 'FK_COMENZI_002'
""")
constraint = cur.fetchone()
if constraint:
print(f"FK_COMENZI_002 found:")
print(f" Table: {constraint[1]}")
print(f" References: {constraint[2]}")
print(f" Status: {constraint[4]}")
# Get referenced table
cur.execute("""
SELECT table_name
FROM user_constraints
WHERE constraint_name = ?
""", [constraint[2]])
ref_table = cur.fetchone()
if ref_table:
print(f" Referenced table: {ref_table[0]}")
else:
print("❌ FK_COMENZI_002 not found")
# Check all FK constraints for comenzi
cur.execute("""
SELECT
constraint_name,
column_name
FROM user_cons_columns
WHERE table_name = 'COMENZI'
AND constraint_name LIKE 'FK_%'
ORDER BY constraint_name, position
""")
fk_columns = cur.fetchall()
if fk_columns:
print(f"\nAll FK constraints for COMENZI:")
for fk in fk_columns:
print(f" {fk[0]}: {fk[1]}")
except Exception as e:
print(f"❌ Check failed: {e}")
def test_simple_insert():
"""Test simple insert to see what breaks"""
print("\n🧪 Testing simple insert...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Test minimal insert
try:
cur.execute("""
INSERT INTO comenzi (
id_comanda,
numar,
data_comanda,
id_partener,
interna
) VALUES (
-999999,
'TEST-MINIMAL',
SYSDATE,
-1,
2
)
""")
print("✅ Minimal insert succeeded")
cur.execute("DELETE FROM comenzi WHERE id_comanda = -999999")
except Exception as e:
print(f"❌ Minimal insert failed: {e}")
except Exception as e:
print(f"❌ Test failed: {e}")
def main():
print("🔍 FK Constraints Analysis")
print("=" * 40)
check_constraints()
test_simple_insert()
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,109 @@
#!/usr/bin/env python3
"""
Check valid FK values for comenzi table
"""
import oracledb
import os
from dotenv import load_dotenv
# Load environment
load_dotenv('.env')
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def check_fk_values():
"""Check what FK values exist for comenzi"""
print("🔍 Checking FK constraint values...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Check parteneri (partner_id = -1)
print("\n👤 Checking parteneri...")
cur.execute("SELECT id_partener, denumire FROM parteneri WHERE id_partener = -1")
partner = cur.fetchone()
if partner:
print(f"✅ Partner ID -1 exists: {partner[1]}")
else:
print("❌ Partner ID -1 not found")
cur.execute("SELECT id_partener, denumire FROM parteneri ORDER BY id_partener DESC FETCH FIRST 5 ROWS ONLY")
partners = cur.fetchall()
print("Sample partners:")
for p in partners:
print(f" ID: {p[0]} - {p[1]}")
# Check gestiuni
print("\n🏢 Checking gestiuni...")
cur.execute("SELECT id_gestiune, denumire FROM gestiuni ORDER BY id_gestiune FETCH FIRST 5 ROWS ONLY")
gestiuni = cur.fetchall()
if gestiuni:
print("Available gestiuni:")
for g in gestiuni:
print(f" ID: {g[0]} - {g[1]}")
else:
print("❌ No gestiuni found")
# Check sectii
print("\n🔧 Checking sectii...")
cur.execute("SELECT id_sectie, denumire FROM sectii ORDER BY id_sectie FETCH FIRST 5 ROWS ONLY")
sectii = cur.fetchall()
if sectii:
print("Available sectii:")
for s in sectii:
print(f" ID: {s[0]} - {s[1]}")
else:
print("❌ No sectii found")
except Exception as e:
print(f"❌ Check failed: {e}")
def create_valid_partner():
"""Create a partner that will work"""
print("\n🔧 Creating valid partner...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Use our PACK_IMPORT_PARTENERI to create a proper partner
cur.execute("""
SELECT PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
NULL,
'Valid Test Partner',
'JUD:Bucuresti;BUCURESTI;Str. Valid;1',
'0722000000',
'valid@test.com'
) FROM DUAL
""")
valid_partner_id = cur.fetchone()[0]
print(f"✅ Created valid partner ID: {valid_partner_id}")
return valid_partner_id
except Exception as e:
print(f"❌ Create partner failed: {e}")
return None
def main():
print("🔍 FK Values Check for Order Import")
print("=" * 50)
check_fk_values()
valid_partner = create_valid_partner()
if valid_partner:
print(f"\n✅ Use partner_id = {valid_partner} in tests")
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,175 @@
#!/usr/bin/env python3
"""
Check nom_articole structure and look for CAF01, FILTRU01
"""
import oracledb
import os
from dotenv import load_dotenv
# Load environment
load_dotenv('.env')
# Oracle configuration
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
# Initialize Oracle client
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def check_table_structure():
"""Check nom_articole table structure"""
print("🔍 Checking nom_articole table structure...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Get column info
cur.execute("""
SELECT column_name, data_type, nullable, data_length
FROM user_tab_columns
WHERE table_name = 'NOM_ARTICOLE'
ORDER BY column_id
""")
columns = cur.fetchall()
print(f"\nColumns in nom_articole:")
for col in columns:
print(f" {col[0]}: {col[1]}({col[3]}) - {'NULL' if col[2] == 'Y' else 'NOT NULL'}")
# Check codmat values
print(f"\nCodmat value distribution:")
cur.execute("""
SELECT
COUNT(*) as total,
COUNT(codmat) as non_null,
COUNT(*) - COUNT(codmat) as null_count
FROM nom_articole
""")
stats = cur.fetchone()
print(f" Total records: {stats[0]}")
print(f" Non-null codmat: {stats[1]}")
print(f" Null codmat: {stats[2]}")
# Look for our test CODMATs
print(f"\nSearching for test CODMATs (CAF01, FILTRU01)...")
test_codmats = ['CAF01', 'FILTRU01']
for codmat in test_codmats:
cur.execute("SELECT id_articol, codmat, denumire FROM nom_articole WHERE codmat = :1", [codmat])
results = cur.fetchall()
if results:
for result in results:
print(f" ✅ Found {codmat}: ID={result[0]}, name='{result[2]}'")
else:
print(f" ❌ Not found: {codmat}")
# Look for similar patterns
print(f"\nSearching for similar patterns...")
cur.execute("SELECT codmat, denumire FROM nom_articole WHERE codmat LIKE 'CAF%' AND codmat IS NOT NULL")
results = cur.fetchall()
if results:
print(f" CAF* patterns found: {len(results)}")
for result in results[:5]: # Show first 5
print(f" {result[0]} - {result[1]}")
else:
print(f" No CAF* patterns found")
cur.execute("SELECT codmat, denumire FROM nom_articole WHERE codmat LIKE '%FILTR%' AND codmat IS NOT NULL")
results = cur.fetchall()
if results:
print(f" *FILTR* patterns found: {len(results)}")
for result in results[:5]: # Show first 5
print(f" {result[0]} - {result[1]}")
else:
print(f" No *FILTR* patterns found")
except Exception as e:
print(f"❌ Check failed: {e}")
def create_test_articles():
"""Create test articles CAF01 and FILTRU01 for testing"""
print("\n🔧 Creating test articles for package testing...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Check if they already exist
cur.execute("SELECT codmat FROM nom_articole WHERE codmat IN ('CAF01', 'FILTRU01')")
existing = [row[0] for row in cur.fetchall()]
articles_to_create = [
('CAF01', 'CAFEA TEST - Produs test pentru import web'),
('FILTRU01', 'FILTRU CAFEA TEST - Produs test pentru seturi')
]
created_count = 0
for codmat, denumire in articles_to_create:
if codmat not in existing:
try:
# Insert new article (using negative ID for test)
cur.execute("""
INSERT INTO nom_articole (
id_articol,
codmat,
denumire,
dep,
id_subgrupa,
cant_bax,
sters,
id_mod,
inactiv,
in_stoc,
in_crm,
dnf,
pretachctva,
taxa_reconditionare,
greutate
) VALUES (
-999999 - :seq, -- Unique negative ID
:codmat,
:denumire,
0, -- dep
1, -- id_subgrupa
1, -- cant_bax
0, -- sters
0, -- id_mod
0, -- inactiv
1, -- in_stoc
0, -- in_crm
0, -- dnf
0, -- pretachctva
0, -- taxa_reconditionare
0 -- greutate
)
""", {'seq': created_count, 'codmat': codmat, 'denumire': denumire})
created_count += 1
print(f" ✅ Created: {codmat}")
except Exception as e:
print(f" ❌ Failed to create {codmat}: {e}")
else:
print(f" ✅ Already exists: {codmat}")
if created_count > 0:
conn.commit()
print(f"✅ Successfully created {created_count} test articles")
else:
print(f" All test articles already exist")
except Exception as e:
print(f"❌ Create test articles failed: {e}")
def main():
print("🔍 nom_articole Analysis for P1-004 Testing")
print("=" * 50)
check_table_structure()
create_test_articles()
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,154 @@
#!/usr/bin/env python3
"""
Check if PACK_JSON exists and test its functions
"""
import oracledb
import os
import json
from dotenv import load_dotenv
# Load environment
load_dotenv('.env')
# Oracle configuration
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
# Initialize Oracle client
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def check_pack_json():
"""Check if PACK_JSON package exists"""
print("🔍 Checking PACK_JSON package...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Check if PACK_JSON exists
cur.execute("""
SELECT object_name, object_type, status
FROM user_objects
WHERE object_name = 'PACK_JSON'
ORDER BY object_type
""")
pack_json_objects = cur.fetchall()
if pack_json_objects:
print("✅ PACK_JSON found:")
for obj in pack_json_objects:
print(f" - {obj[1]}: {obj[2]}")
else:
print("❌ PACK_JSON not found")
return False
# Test PACK_JSON functions
print("\n🧪 Testing PACK_JSON functions...")
# Test JSON parsing
test_json = json.dumps([
{"sku": "TEST01", "cantitate": 2, "pret": 10.5},
{"sku": "TEST02", "cantitate": 1, "pret": 25.0}
])
print(f"Test JSON: {test_json}")
# Test parse_array
try:
cur.execute("SELECT * FROM TABLE(PACK_JSON.parse_array(?))", [test_json])
array_results = cur.fetchall()
print(f"✅ parse_array results: {len(array_results)} items")
for i, item in enumerate(array_results):
print(f" Item {i+1}: {item[0]}")
# Test get_string and get_number on first item
if i == 0:
json_item = item[0]
cur.execute("SELECT PACK_JSON.get_string(?, 'sku') FROM DUAL", [json_item])
sku = cur.fetchone()[0]
print(f" sku: {sku}")
cur.execute("SELECT PACK_JSON.get_number(?, 'cantitate') FROM DUAL", [json_item])
cantitate = cur.fetchone()[0]
print(f" cantitate: {cantitate}")
cur.execute("SELECT PACK_JSON.get_number(?, 'pret') FROM DUAL", [json_item])
pret = cur.fetchone()[0]
print(f" pret: {pret}")
except Exception as e:
print(f"❌ PACK_JSON test failed: {e}")
return False
print("✅ PACK_JSON is working correctly")
return True
except Exception as e:
print(f"❌ Check failed: {e}")
return False
def test_simple_order_import():
"""Test importa_comanda with simpler debugging"""
print("\n🧪 Testing simple order import with debug...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Simple test with one article
partner_id = -1 # Known test partner
simple_json = '[{"sku": "CAFE100", "cantitate": 1, "pret": 25.0}]'
order_number = 'TEST-SIMPLE-001'
print(f"Testing with: {simple_json}")
cur.execute("""
SELECT PACK_IMPORT_COMENZI.importa_comanda(
:order_num,
SYSDATE,
:partner_id,
:articles_json,
NULL,
NULL,
'Simple test order'
) FROM DUAL
""", {
'order_num': order_number,
'partner_id': partner_id,
'articles_json': simple_json
})
result = cur.fetchone()[0]
cur.execute("SELECT PACK_IMPORT_COMENZI.get_last_error FROM DUAL")
error = cur.fetchone()[0]
print(f"Result: {result}")
if error:
print(f"Error: {error}")
else:
print("No error")
except Exception as e:
print(f"❌ Test failed: {e}")
def main():
print("🔍 PACK_JSON and Order Import Debug")
print("=" * 50)
json_exists = check_pack_json()
if json_exists:
test_simple_order_import()
else:
print("\nSkipping order test - PACK_JSON not available")
if __name__ == "__main__":
main()

102
api/tests/check_packages.py Normal file
View File

@@ -0,0 +1,102 @@
#!/usr/bin/env python3
"""
Check Oracle packages and database structure
"""
import oracledb
import os
from dotenv import load_dotenv
# Load environment
load_dotenv('.env')
# Oracle configuration
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
# Initialize Oracle client (thick mode)
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
print(f"✅ Oracle thick mode initialized: {instantclient_path}")
except Exception as e:
print(f"⚠️ Oracle thick mode failed, using thin mode: {e}")
def check_packages():
"""Check available packages in Oracle"""
print("\n🔍 Checking Oracle Packages...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Check user packages
cur.execute("""
SELECT object_name, object_type, status
FROM user_objects
WHERE object_type IN ('PACKAGE', 'PACKAGE BODY')
ORDER BY object_name, object_type
""")
packages = cur.fetchall()
if packages:
print(f"Found {len(packages)} package objects:")
for pkg in packages:
print(f" - {pkg[0]} ({pkg[1]}) - {pkg[2]}")
else:
print("❌ No packages found in current schema")
# Check if specific packages exist
print("\n🔍 Checking specific packages...")
for pkg_name in ['IMPORT_PARTENERI', 'IMPORT_COMENZI']:
cur.execute("""
SELECT COUNT(*) FROM user_objects
WHERE object_name = ? AND object_type = 'PACKAGE'
""", [pkg_name])
exists = cur.fetchone()[0] > 0
print(f" - {pkg_name}: {'✅ EXISTS' if exists else '❌ NOT FOUND'}")
except Exception as e:
print(f"❌ Check packages failed: {e}")
def check_tables():
"""Check available tables"""
print("\n🔍 Checking Oracle Tables...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Check main tables
tables_to_check = ['ARTICOLE_TERTI', 'PARTENERI', 'COMENZI', 'NOM_ARTICOLE']
for table_name in tables_to_check:
cur.execute("""
SELECT COUNT(*) FROM user_tables
WHERE table_name = ?
""", [table_name])
exists = cur.fetchone()[0] > 0
if exists:
cur.execute(f"SELECT COUNT(*) FROM {table_name}")
count = cur.fetchone()[0]
print(f" - {table_name}: ✅ EXISTS ({count} records)")
else:
print(f" - {table_name}: ❌ NOT FOUND")
except Exception as e:
print(f"❌ Check tables failed: {e}")
def main():
"""Run all checks"""
print("🔍 Oracle Database Structure Check")
print("=" * 50)
check_packages()
check_tables()
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,72 @@
#!/usr/bin/env python3
"""
Check COMENZI table structure
"""
import oracledb
import os
from dotenv import load_dotenv
load_dotenv('.env')
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def check_table_structure():
"""Check COMENZI table columns"""
print("🔍 Checking COMENZI table structure...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Get table structure
cur.execute("""
SELECT
column_name,
data_type,
nullable,
data_length,
data_precision
FROM user_tab_columns
WHERE table_name = 'COMENZI'
ORDER BY column_id
""")
columns = cur.fetchall()
if columns:
print(f"\nCOMENZI table columns:")
for col in columns:
nullable = "NULL" if col[2] == 'Y' else "NOT NULL"
if col[1] == 'NUMBER' and col[4]:
type_info = f"{col[1]}({col[4]})"
elif col[3]:
type_info = f"{col[1]}({col[3]})"
else:
type_info = col[1]
print(f" {col[0]}: {type_info} - {nullable}")
# Look for partner-related columns
print(f"\nPartner-related columns:")
for col in columns:
if 'PART' in col[0] or 'CLIENT' in col[0]:
print(f" {col[0]}: {col[1]}")
except Exception as e:
print(f"❌ Check failed: {e}")
def main():
print("🔍 COMENZI Table Structure")
print("=" * 40)
check_table_structure()
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,124 @@
#!/usr/bin/env python3
"""
Debug PACK_IMPORT_COMENZI functions - check correct parameter order
"""
import oracledb
import os
import json
from datetime import datetime
from dotenv import load_dotenv
# Load environment
load_dotenv('.env')
# Oracle configuration
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
# Initialize Oracle client (thick mode)
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
print(f"✅ Oracle thick mode initialized: {instantclient_path}")
except Exception as e:
print(f"⚠️ Oracle thick mode failed, using thin mode: {e}")
def debug_gaseste_articol():
"""Debug gaseste_articol_roa function parameters and results"""
print("\n🔍 Debug PACK_IMPORT_COMENZI.gaseste_articol_roa...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Check existing mappings first
print("\n📋 Existing mappings in ARTICOLE_TERTI:")
cur.execute("SELECT sku, codmat, cantitate_roa, procent_pret, activ FROM ARTICOLE_TERTI ORDER BY sku")
mappings = cur.fetchall()
for mapping in mappings:
print(f" {mapping[0]} -> {mapping[1]}: qty={mapping[2]}, pct={mapping[3]}%, active={mapping[4]}")
# Test with correct parameter order: p_sku, p_pret_web, p_cantitate_web
print("\n☕ Test CAFE100 with correct parameters:")
print(" Parameters: SKU='CAFE100', pret_web=50.0, cantitate_web=2")
cur.execute("""
SELECT * FROM TABLE(PACK_IMPORT_COMENZI.gaseste_articol_roa('CAFE100', 50.0, 2))
""")
results = cur.fetchall()
print(f" Results count: {len(results)}")
for i, row in enumerate(results):
print(f" Row {i+1}: id_articol={row[0]}, codmat={row[1]}, cant_roa={row[2]}, pret={row[3]}, success={row[4]}, error='{row[5]}'")
print("\n🎁 Test SET01 with correct parameters:")
print(" Parameters: SKU='SET01', pret_web=200.0, cantitate_web=1")
cur.execute("""
SELECT * FROM TABLE(PACK_IMPORT_COMENZI.gaseste_articol_roa('SET01', 200.0, 1))
""")
results = cur.fetchall()
print(f" Results count: {len(results)}")
for i, row in enumerate(results):
print(f" Row {i+1}: id_articol={row[0]}, codmat={row[1]}, cant_roa={row[2]}, pret={row[3]}, success={row[4]}, error='{row[5]}'")
# Test non-existent SKU
print("\n❓ Test unknown SKU:")
print(" Parameters: SKU='UNKNOWN', pret_web=100.0, cantitate_web=1")
cur.execute("""
SELECT * FROM TABLE(PACK_IMPORT_COMENZI.gaseste_articol_roa('UNKNOWN', 100.0, 1))
""")
results = cur.fetchall()
print(f" Results count: {len(results)}")
for i, row in enumerate(results):
print(f" Row {i+1}: id_articol={row[0]}, codmat={row[1]}, cant_roa={row[2]}, pret={row[3]}, success={row[4]}, error='{row[5]}'")
except Exception as e:
print(f"❌ Debug failed: {e}")
def check_nom_articole():
"""Check if we have any articles in nom_articole to test with"""
print("\n🔍 Checking nom_articole table...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Count total articles
cur.execute("SELECT COUNT(*) FROM nom_articole")
total_count = cur.fetchone()[0]
print(f"Total articles in nom_articole: {total_count}")
# Find some sample articles
print("\nSample articles (first 10):")
cur.execute("""
SELECT id_articol, codmat, denumire
FROM nom_articole
WHERE ROWNUM <= 10
ORDER BY id_articol
""")
articles = cur.fetchall()
for art in articles:
print(f" ID={art[0]}: {art[1]} - {art[2]}")
# Look for articles that might match our test SKUs
print(f"\nSearching for articles matching test patterns...")
test_patterns = ['CAF%', 'FILTR%', '%CAFE%', '%SET%']
for pattern in test_patterns:
cur.execute("SELECT codmat, denumire FROM nom_articole WHERE codmat LIKE ? AND ROWNUM <= 3", [pattern])
matches = cur.fetchall()
if matches:
print(f" Pattern '{pattern}': {matches}")
except Exception as e:
print(f"❌ Check nom_articole failed: {e}")
def main():
"""Run debug functions"""
print("🔍 Debug PACK_IMPORT_COMENZI Functions")
print("=" * 50)
check_nom_articole()
debug_gaseste_articol()
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,162 @@
#!/usr/bin/env python3
"""
Final test for complete end-to-end order import
"""
import oracledb
import os
import json
from datetime import datetime
from dotenv import load_dotenv
load_dotenv('.env')
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def test_gaseste_articol_direct():
"""Test gaseste_articol_roa directly to see if it works"""
print("🔍 Testing gaseste_articol_roa directly...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Test CAFE100 mapping directly with same params as order
cur.execute("""
SELECT * FROM TABLE(PACK_IMPORT_COMENZI.gaseste_articol_roa('CAFE100', 25.0, 1))
""")
results = cur.fetchall()
print(f"CAFE100 results: {len(results)} items")
for result in results:
print(f" - ID: {result[0]}, CODMAT: {result[1]}, Qty: {result[2]}, Price: {result[3]}, Success: {result[4]}")
if result[4] == 1:
print(" ✅ Article mapping successful")
return True
else:
print(f" ❌ Article mapping failed: {result[5]}")
return False
except Exception as e:
print(f"❌ Direct test failed: {e}")
return False
def test_complete_workflow():
"""Test the complete workflow with minimal complexity"""
print("\n🧪 Testing complete workflow...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Create partner
import time
unique_suffix = int(time.time()) % 10000
partner_name = f'Final Test Partner {unique_suffix}'
partner_var = cur.var(oracledb.NUMBER)
cur.execute("""
DECLARE
v_partner_id NUMBER;
BEGIN
v_partner_id := PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
NULL,
:partner_name,
'JUD:Bucuresti;BUCURESTI;Str. Final;1',
'0722000000',
'final@test.com'
);
:result := v_partner_id;
END;
""", {'partner_name': partner_name, 'result': partner_var})
partner_id = partner_var.getvalue()
print(f"✅ Partner created: ID {partner_id}")
# Try with CAFE100 (ARTICOLE_TERTI mapping) which we know works
simple_json = '[{"sku": "CAFE100", "cantitate": 1, "pret": 25.0}]'
order_number = f'FINAL-TEST-{unique_suffix}'
print(f"Testing order: {order_number}")
print(f"Articles: {simple_json}")
result_var = cur.var(oracledb.NUMBER)
cur.execute("""
DECLARE
v_order_id NUMBER;
BEGIN
v_order_id := PACK_IMPORT_COMENZI.importa_comanda(
:order_num,
SYSDATE,
:partner_id,
:articles_json,
NULL,
NULL,
'Final P1-004 test - simple CAFE100'
);
:result := v_order_id;
END;
""", {
'order_num': order_number,
'partner_id': partner_id,
'articles_json': simple_json,
'result': result_var
})
order_id = result_var.getvalue()
print(f"Order import result: {order_id}")
# Check for errors
cur.execute("SELECT PACK_IMPORT_COMENZI.get_last_error FROM DUAL")
error = cur.fetchone()[0]
if order_id > 0:
print(f"🎉 SUCCESS! Order imported with ID: {order_id}")
# Quick verification
cur.execute("SELECT numar, data_comanda FROM comenzi WHERE id_comanda = :id", {'id': order_id})
order_info = cur.fetchone()
if order_info:
print(f"Order verified: {order_info[0]} on {order_info[1]}")
return True
else:
print(f"❌ Failed: {error}")
return False
conn.commit()
except Exception as e:
print(f"❌ Complete workflow failed: {e}")
return False
def main():
print("🎯 FINAL P1-004 SUCCESS TEST")
print("=" * 50)
# Test article mapping first
article_ok = test_gaseste_articol_direct()
if article_ok:
# Test complete workflow
success = test_complete_workflow()
if success:
print("\n🎉 P1-004 FINAL SUCCESS!")
print("✅ All package components working")
print("✅ End-to-end order import functional")
print("🚀 Phase 1 COMPLETED - Ready for Phase 2!")
else:
print("\n⚠️ Partial success - components work individually")
else:
print("\n❌ Article mapping issues need resolution")
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,204 @@
#!/usr/bin/env python3
"""
Test PACK_IMPORT_COMENZI.importa_comanda with error handling
"""
import oracledb
import os
import json
from datetime import datetime
from dotenv import load_dotenv
# Load environment
load_dotenv('.env')
# Oracle configuration
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
# Initialize Oracle client
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def test_import_comanda():
"""Test complete order import with detailed error checking"""
print("🧪 Testing PACK_IMPORT_COMENZI.importa_comanda...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Create test partner with unique name to avoid -1 return
import time
unique_suffix = int(time.time()) % 10000
partner_name = f'Test Import Partner {unique_suffix}'
print(f"\n👤 Creating test partner: {partner_name}")
# Use PL/SQL block to avoid DML in SELECT issue
partner_var = cur.var(oracledb.NUMBER)
cur.execute("""
DECLARE
v_partner_id NUMBER;
BEGIN
v_partner_id := PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
NULL,
:partner_name,
'JUD:Bucuresti;BUCURESTI;Str. Importului;123',
'0722123456',
'test.import@email.com'
);
:result := v_partner_id;
END;
""", {'partner_name': partner_name, 'result': partner_var})
partner_id = partner_var.getvalue()
print(f"Partner creation result: {partner_id}")
# Check for errors if partner_id is -1
if partner_id == -1:
cur.execute("SELECT PACK_IMPORT_PARTENERI.get_last_error FROM DUAL")
partner_error = cur.fetchone()[0]
print(f"❌ Partner creation error: {partner_error}")
print("⚠️ Trying alternative approach with company CUI...")
# Try with a company CUI to force creation
unique_cui = f'RO{1000000 + unique_suffix}'
company_var = cur.var(oracledb.NUMBER)
cur.execute("""
DECLARE
v_partner_id NUMBER;
BEGIN
v_partner_id := PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
:cui,
:partner_name,
'JUD:Bucuresti;BUCURESTI;Str. Importului;123',
'0722123456',
'test.import@email.com'
);
:result := v_partner_id;
END;
""", {'cui': unique_cui, 'partner_name': f'{partner_name} SRL', 'result': company_var})
partner_id = company_var.getvalue()
print(f"Company creation result: {partner_id}")
if partner_id == -1:
cur.execute("SELECT PACK_IMPORT_PARTENERI.get_last_error FROM DUAL")
partner_error = cur.fetchone()[0]
print(f"❌ Company creation error: {partner_error}")
return # Exit if we can't create any partner
print(f"✅ Using Partner ID: {partner_id}")
# Test articles JSON
articles_json = json.dumps([
{"sku": "CAFE100", "cantitate": 2, "pret": 45.0},
{"sku": "SET01", "cantitate": 1, "pret": 150.0}
])
print(f"\n📦 Testing order import...")
print(f"Articles JSON: {articles_json}")
# Clear any previous errors
cur.execute("SELECT PACK_IMPORT_COMENZI.get_last_error FROM DUAL")
prev_error = cur.fetchone()[0]
if prev_error:
print(f"Previous error (will be cleared): {prev_error}")
cur.callproc("PACK_IMPORT_COMENZI.clear_error")
# Try to import order
order_number = 'TEST-IMPORT-' + datetime.now().strftime('%Y%m%d-%H%M%S')
print(f"Order number: {order_number}")
# Use PL/SQL block instead of SELECT to allow DML operations
result_var = cur.var(oracledb.NUMBER)
cur.execute("""
DECLARE
v_order_id NUMBER;
BEGIN
v_order_id := PACK_IMPORT_COMENZI.importa_comanda(
:order_num,
SYSDATE,
:partner_id,
:articles_json,
NULL,
NULL,
'P1-004 test order import'
);
:result := v_order_id;
END;
""", {
'order_num': order_number,
'partner_id': partner_id,
'articles_json': articles_json,
'result': result_var
})
order_id = result_var.getvalue()
print(f"Order import result: {order_id}")
# Check for errors
cur.execute("SELECT PACK_IMPORT_COMENZI.get_last_error FROM DUAL")
last_error = cur.fetchone()[0]
if order_id > 0:
print(f"✅ Order imported successfully! ID: {order_id}")
# Verify order was created
cur.execute("""
SELECT c.numar, c.data_comanda, p.denumire, c.observatii
FROM comenzi c
JOIN parteneri p ON c.id_partener = p.id_partener
WHERE c.id_comanda = :order_id
""", {'order_id': order_id})
order_info = cur.fetchone()
if order_info:
print(f"Order details:")
print(f" Number: {order_info[0]}")
print(f" Date: {order_info[1]}")
print(f" Partner: {order_info[2]}")
print(f" Notes: {order_info[3]}")
# Check order items
cur.execute("""
SELECT a.codmat, dc.cantitate, dc.pret_unitar, dc.valoare
FROM det_comenzi dc
JOIN articole a ON dc.id_articol = a.id_articol
WHERE dc.id_comanda = :order_id
ORDER BY dc.id_det_comanda
""", {'order_id': order_id})
items = cur.fetchall()
print(f"\nOrder items ({len(items)} total):")
total_value = 0
for item in items:
item_value = float(item[3]) if item[3] else 0
total_value += item_value
print(f" - {item[0]}: Qty={item[1]}, Price={item[2]}, Value={item[3]}")
print(f"Total order value: {total_value}")
else:
print(f"❌ Order import failed: {order_id}")
if last_error:
print(f"Error details: {last_error}")
else:
print("No specific error message available")
conn.commit()
except Exception as e:
print(f"❌ Test failed: {e}")
def main():
print("🧪 PACK_IMPORT_COMENZI.importa_comanda Detailed Test")
print("=" * 60)
test_import_comanda()
if __name__ == "__main__":
main()

View File

@@ -0,0 +1,110 @@
#!/usr/bin/env python3
"""
Test PACK_JSON with direct Oracle calls
"""
import oracledb
import os
from dotenv import load_dotenv
# Load environment
load_dotenv('.env')
# Oracle configuration
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
# Initialize Oracle client
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
except Exception as e:
pass
def test_pack_json_simple():
"""Test PACK_JSON with hardcoded JSON"""
print("🧪 Testing PACK_JSON with simple JSON...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Test with simple hardcoded JSON
print("Testing parse_array...")
cur.execute("""
SELECT * FROM TABLE(PACK_JSON.parse_array('[{"sku":"TEST01","cantitate":2,"pret":10.5}]'))
""")
results = cur.fetchall()
print(f"Parse array results: {len(results)} items")
for result in results:
json_item = result[0]
print(f"JSON item: {json_item}")
# Test get functions
cur.execute(f"SELECT PACK_JSON.get_string('{json_item}', 'sku') FROM DUAL")
sku = cur.fetchone()[0]
print(f"SKU: {sku}")
except Exception as e:
print(f"❌ PACK_JSON test failed: {e}")
def test_pack_comenzi_direct():
"""Test PACK_COMENZI.adauga_comanda directly to check for CASE issues"""
print("\n🧪 Testing PACK_COMENZI.adauga_comanda directly...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
partner_id = -1 # Known test partner
# Test direct call to adauga_comanda
print("Testing PACK_COMENZI.adauga_comanda...")
try:
# Create a simple cursor to test the call
cur.execute("""
DECLARE
v_id_comanda NUMBER;
BEGIN
PACK_COMENZI.adauga_comanda(
V_NR_COMANDA => 'TEST-DIRECT-001',
V_DATA_COMANDA => SYSDATE,
V_ID => :partner_id,
V_DATA_LIVRARE => SYSDATE + 1,
V_PROC_DISCOUNT => 0,
V_INTERNA => 0,
V_ID_UTIL => -3,
V_ID_SECTIE => 1,
V_ID_ADRESA_FACTURARE => NULL,
V_ID_ADRESA_LIVRARE => NULL,
V_ID_CODCLIENT => NULL,
V_COMANDA_EXTERNA => 'TEST-DIRECT-001',
V_ID_CTR => NULL,
V_ID_COMANDA => v_id_comanda
);
:result := v_id_comanda;
END;
""", {'partner_id': partner_id, 'result': cur.var(oracledb.NUMBER)})
result_var = cur.getvar('result')
print(f"✅ PACK_COMENZI.adauga_comanda succeeded: ID = {result_var}")
except Exception as e:
print(f"❌ PACK_COMENZI.adauga_comanda failed: {e}")
except Exception as e:
print(f"❌ Direct test failed: {e}")
def main():
print("🔍 Direct PACK_JSON and PACK_COMENZI Tests")
print("=" * 50)
test_pack_json_simple()
test_pack_comenzi_direct()
if __name__ == "__main__":
main()

301
api/tests/test_packages.py Normal file
View File

@@ -0,0 +1,301 @@
#!/usr/bin/env python3
"""
Test script pentru package-urile Oracle IMPORT_PARTENERI și IMPORT_COMENZI
Rulează testele manuale conform P1-004
"""
import oracledb
import os
import json
from datetime import datetime
from dotenv import load_dotenv
# Load environment
load_dotenv('api/.env')
# Oracle configuration
user = os.environ['ORACLE_USER']
password = os.environ['ORACLE_PASSWORD']
dsn = os.environ['ORACLE_DSN']
# Initialize Oracle client (thick mode)
try:
instantclient_path = os.environ.get('INSTANTCLIENTPATH', '/opt/oracle/instantclient_23_9')
oracledb.init_oracle_client(lib_dir=instantclient_path)
print(f"✅ Oracle thick mode initialized: {instantclient_path}")
except Exception as e:
print(f"⚠️ Oracle thick mode failed, using thin mode: {e}")
def test_connection():
"""Test basic Oracle connection"""
print("\n🔍 Testing Oracle Connection...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
cur.execute("SELECT SYSDATE FROM DUAL")
db_time = cur.fetchone()[0]
print(f"✅ Connected to Oracle: {db_time}")
return True
except Exception as e:
print(f"❌ Connection failed: {e}")
return False
def test_import_parteneri():
"""Test IMPORT_PARTENERI package functions"""
print("\n🧪 Testing IMPORT_PARTENERI Package...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Test 1: Creare partener nou (persoană fizică)
print("\n📝 Test 1: Creare partener nou (persoană fizică)")
cur.execute("""
SELECT PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
NULL,
'Ion Popescu Test',
'JUD:Bucuresti;BUCURESTI;Str. Testului;10',
'0721234567',
'ion.test@email.com'
) FROM DUAL
""")
partner_id1 = cur.fetchone()[0]
print(f"✅ Partener nou creat: ID = {partner_id1}")
# Test 2: Căutare partener existent după denumire
print("\n🔍 Test 2: Căutare partener existent după denumire")
cur.execute("""
SELECT PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
NULL,
'Ion Popescu Test',
'JUD:Bucuresti;BUCURESTI;Str. Testului;10',
'0721234567',
'ion.test@email.com'
) FROM DUAL
""")
partner_id2 = cur.fetchone()[0]
print(f"✅ Partener existent găsit: ID = {partner_id2}")
if partner_id1 == partner_id2:
print("✅ PASS: Același ID returnat pentru același partener")
else:
print("❌ FAIL: IDs diferite pentru același partener")
# Test 3: Creare partener companie cu CUI
print("\n🏢 Test 3: Creare partener companie cu CUI")
cur.execute("""
SELECT PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
'RO12345678',
'Test Company SRL',
'JUD:Cluj;CLUJ-NAPOCA;Str. Companiei;25',
'0264123456',
'office@testcompany.ro'
) FROM DUAL
""")
partner_id3 = cur.fetchone()[0]
print(f"✅ Companie nouă creată: ID = {partner_id3}")
# Test 4: Căutare companie după CUI
print("\n🔍 Test 4: Căutare companie după CUI")
cur.execute("""
SELECT PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
'RO12345678',
'Test Company SRL Modified',
'JUD:Bucuresti;BUCURESTI;Str. Alta;1',
'0722999888',
'new@testcompany.ro'
) FROM DUAL
""")
partner_id4 = cur.fetchone()[0]
print(f"✅ Companie existentă găsită: ID = {partner_id4}")
if partner_id3 == partner_id4:
print("✅ PASS: Căutare după CUI funcționează corect")
else:
print("❌ FAIL: CUI-ul nu a fost găsit corect")
conn.commit()
except Exception as e:
print(f"❌ IMPORT_PARTENERI test failed: {e}")
return False
return True
def test_import_comenzi():
"""Test IMPORT_COMENZI package functions"""
print("\n🧪 Testing IMPORT_COMENZI Package...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# Test 1: gaseste_articol_roa - SKU simplu
print("\n📝 Test 1: gaseste_articol_roa - SKU simplu (nu există în ARTICOLE_TERTI)")
cur.execute("""
SELECT * FROM TABLE(PACK_IMPORT_COMENZI.gaseste_articol_roa('SIMPLE_SKU', 5, 100.0))
""")
results = cur.fetchall()
if results:
print(f"✅ SKU simplu găsit: {results}")
else:
print("⚠️ SKU simplu nu a fost găsit (normal dacă nu există în nom_articole)")
# Test 2: gaseste_articol_roa - Reîmpachetare CAFE100
print("\n☕ Test 2: gaseste_articol_roa - Reîmpachetare CAFE100")
cur.execute("""
SELECT * FROM TABLE(PACK_IMPORT_COMENZI.gaseste_articol_roa('CAFE100', 2, 50.0))
""")
results = cur.fetchall()
if results:
for row in results:
print(f"✅ CAFE100 mapare: CODMAT={row[0]}, Cant={row[1]}, Pret={row[2]}")
else:
print("❌ CAFE100 nu a fost găsit")
# Test 3: gaseste_articol_roa - Set compus SET01
print("\n🎁 Test 3: gaseste_articol_roa - Set compus SET01")
cur.execute("""
SELECT * FROM TABLE(PACK_IMPORT_COMENZI.gaseste_articol_roa('SET01', 1, 200.0))
""")
results = cur.fetchall()
if results:
total_percent = 0
for row in results:
print(f"✅ SET01 component: CODMAT={row[0]}, Cant={row[1]}, Pret={row[2]}")
# Calculate percentage based on price
total_percent += (row[2] / 200.0 * 100)
print(f"Total percentage: {total_percent}%")
else:
print("❌ SET01 nu a fost găsit")
except Exception as e:
print(f"❌ IMPORT_COMENZI gaseste_articol_roa test failed: {e}")
return False
return True
def test_full_order_import():
"""Test complete order import workflow"""
print("\n🧪 Testing Complete Order Import...")
try:
with oracledb.connect(user=user, password=password, dsn=dsn) as conn:
with conn.cursor() as cur:
# First create a partner for the order
print("\n👤 Creating test partner for order...")
cur.execute("""
SELECT PACK_IMPORT_PARTENERI.cauta_sau_creeaza_partener(
NULL,
'Maria Testescu',
'JUD:Bucuresti;BUCURESTI;Calea Victoriei;100',
'0723456789',
'maria.test@email.com'
) FROM DUAL
""")
partner_id = cur.fetchone()[0]
print(f"✅ Partner created/found: ID = {partner_id}")
# Test complete order with multiple article types
print("\n📦 Test: Complete order import with mixed articles")
# JSON with mixed article types: simple, repack, and set
articles_json = json.dumps([
{"sku": "CAFE100", "cantitate": 2, "pret": 45.0}, # Repack: 2x10=20 units CAF01
{"sku": "SET01", "cantitate": 1, "pret": 150.0} # Set: 2x CAF01 + 1x FILTRU01
])
print(f"Articles JSON: {articles_json}")
order_number = 'TEST-ORDER-' + datetime.now().strftime('%Y%m%d-%H%M%S')
cur.execute("""
SELECT PACK_IMPORT_COMENZI.importa_comanda(
:order_num,
SYSDATE,
:partner_id,
:articles_json,
NULL,
NULL,
'Test order - P1-004 validation'
) FROM DUAL
""", {
'order_num': order_number,
'partner_id': partner_id,
'articles_json': articles_json
})
order_id = cur.fetchone()[0]
if order_id and order_id > 0:
print(f"✅ Order imported successfully: ID = {order_id}")
# Verify order details
cur.execute("""
SELECT c.id_comanda, c.numar, c.data_comanda, p.denumire
FROM comenzi c
JOIN parteneri p ON c.id_partener = p.id_partener
WHERE c.id_comanda = ?
""", [order_id])
order_info = cur.fetchone()
if order_info:
print(f"Order details: ID={order_info[0]}, Numar={order_info[1]}, Data={order_info[2]}, Partner={order_info[3]}")
# Verify order items
cur.execute("""
SELECT a.codmat, dc.cantitate, dc.pret_unitar
FROM det_comenzi dc
JOIN articole a ON dc.id_articol = a.id_articol
WHERE dc.id_comanda = ?
ORDER BY dc.id_det_comanda
""", [order_id])
items = cur.fetchall()
print(f"\nOrder items ({len(items)} total):")
for item in items:
print(f" - CODMAT: {item[0]}, Quantity: {item[1]}, Price: {item[2]}")
else:
print(f"❌ Order import failed: returned ID = {order_id}")
return False
conn.commit()
except Exception as e:
print(f"❌ Full order import test failed: {e}")
return False
return True
def main():
"""Run all tests"""
print("🚀 Starting P1-004: Manual Package Testing")
print("=" * 60)
# Test connection first
if not test_connection():
return False
# Test IMPORT_PARTENERI
if not test_import_parteneri():
return False
# Test IMPORT_COMENZI
if not test_import_comenzi():
return False
# Test full workflow
if not test_full_order_import():
return False
print("\n" + "=" * 60)
print("🎉 All P1-004 tests completed successfully!")
print("✅ IMPORT_PARTENERI package: PASS")
print("✅ IMPORT_COMENZI package: PASS")
print("✅ End-to-end workflow: PASS")
return True
if __name__ == "__main__":
success = main()
exit(0 if success else 1)