svc-infra 0.1.182__py3-none-any.whl → 0.1.184__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,82 @@
1
+ from __future__ import annotations
2
+
3
+ from typing import Iterable, Optional, Dict, Any, Callable
4
+ from sqlalchemy import func, and_
5
+ from sqlalchemy.ext.asyncio import AsyncSession
6
+
7
+ from .repository import Repository
8
+ from svc_infra.db.uniq import ColumnSpec, _as_tuple
9
+
10
+ def make_uniqueness_hooks(
11
+ *,
12
+ model: type,
13
+ repo: Repository,
14
+ unique_cs: Iterable[ColumnSpec] = (),
15
+ unique_ci: Iterable[ColumnSpec] = (),
16
+ tenant_field: Optional[str] = None,
17
+ duplicate_message: str = "Duplicate resource violates uniqueness policy.",
18
+ ) -> tuple[
19
+ Callable[[Dict[str, Any]], Any], # async pre_create(data) -> data
20
+ Callable[[Dict[str, Any]], Any], # async pre_update(data) -> data
21
+ ]:
22
+ """Return (pre_create, pre_update) hooks that check duplicates *before* insert/update.
23
+
24
+ Usage with ServiceWithHooks:
25
+ pre_c, pre_u = make_uniqueness_hooks(model=User, repo=repo, unique_ci=["email"], tenant_field="tenant_id")
26
+ svc = ServiceWithHooks(repo, pre_create=pre_c, pre_update=pre_u)
27
+ """
28
+ cs_specs = [_as_tuple(s) for s in unique_cs]
29
+ ci_specs = [_as_tuple(s) for s in unique_ci]
30
+
31
+ def _build_wheres(data: Dict[str, Any]):
32
+ wheres = []
33
+
34
+ def col(name: str):
35
+ return getattr(model, name)
36
+
37
+ tenant_val = data.get(tenant_field) if tenant_field else None
38
+
39
+ # case-sensitive groups
40
+ for spec in cs_specs:
41
+ if not all(k in data for k in spec):
42
+ continue
43
+ parts = []
44
+ if tenant_field:
45
+ parts.append(col(tenant_field).is_(None) if tenant_val is None else col(tenant_field) == tenant_val)
46
+ for k in spec:
47
+ parts.append(col(k) == data[k])
48
+ wheres.append(and_(*parts))
49
+
50
+ # case-insensitive groups
51
+ for spec in ci_specs:
52
+ if not all(k in data for k in spec):
53
+ continue
54
+ parts = []
55
+ if tenant_field:
56
+ parts.append(col(tenant_field).is_(None) if tenant_val is None else col(tenant_field) == tenant_val)
57
+ for k in spec:
58
+ # compare lower(db_col) == lower(<value>) safely
59
+ parts.append(func.lower(col(k)) == func.lower(func.cast(data[k], col(k).type)))
60
+ wheres.append(and_(*parts))
61
+
62
+ return wheres
63
+
64
+ async def _deferred_check(session: AsyncSession, data: Dict[str, Any]):
65
+ wheres = _build_wheres(data)
66
+ for where in wheres:
67
+ if await repo.exists(session, where=[where]):
68
+ from fastapi import HTTPException
69
+ raise HTTPException(status_code=409, detail=duplicate_message)
70
+
71
+ async def _pre_create(data: Dict[str, Any]) -> Dict[str, Any]:
72
+ # store a coroutine to be awaited when a session is available in Service.create
73
+ data = dict(data)
74
+ data.setdefault("__uniq_check__", _deferred_check)
75
+ return data
76
+
77
+ async def _pre_update(data: Dict[str, Any]) -> Dict[str, Any]:
78
+ data = dict(data)
79
+ data.setdefault("__uniq_check__", _deferred_check)
80
+ return data
81
+
82
+ return _pre_create, _pre_update
@@ -1,7 +1,7 @@
1
1
  from typing import Any, Dict
2
2
  from fastapi import HTTPException
3
3
  from fastapi_users.password import PasswordHelper
4
- from sqlalchemy import func, and_, or_
4
+ from sqlalchemy import func
5
5
 
6
6
  from svc_infra.api.fastapi.db.service_hooks import ServiceWithHooks
7
7
  from svc_infra.api.fastapi.db.repository import Repository
@@ -12,6 +12,7 @@ from sqlalchemy.ext.mutable import MutableDict, MutableList
12
12
 
13
13
  from svc_infra.db.base import ModelBase
14
14
  from svc_infra.auth.user_default import _pwd
15
+ from svc_infra.db.uniq import make_unique_indexes
15
16
 
16
17
 
17
18
  class User(ModelBase):
@@ -60,23 +61,12 @@ class User(ModelBase):
60
61
  return f"<User id={self.id} email={self.email!r}>"
61
62
 
62
63
 
63
- # ---------- Uniqueness: case-insensitive email per-tenant ----------
64
- # Because tenant_id is Optional (nullable), use two partial unique indexes:
65
- # - When tenant_id IS NULL: email (lowercased) must be globally unique
66
- # - When tenant_id IS NOT NULL: (tenant_id, lower(email)) must be unique
67
- Index(
68
- "uq_users_email_lower_global",
69
- func.lower(User.email),
70
- unique=True,
71
- postgresql_where=User.tenant_id.is_(None),
72
- )
73
- Index(
74
- "uq_users_email_lower_per_tenant",
75
- func.lower(User.email),
76
- User.tenant_id,
77
- unique=True,
78
- postgresql_where=User.tenant_id.isnot(None),
79
- )
80
-
81
- # Optional helper index for case-insensitive lookups (non-unique)
82
- Index("ix_users_email_lower", func.lower(User.email))
64
+ # Unique indexes, including case-insensitive and/or tenant-scoped.
65
+ for _ix in make_unique_indexes(
66
+ User,
67
+ unique_ci=["email"], # case-insensitive unique email
68
+ tenant_field="tenant_id", # scoped by tenant if provided
69
+ ):
70
+ # Simply iterating keeps them registered with the Table metadata.
71
+ # (No further action needed if you use Alembic autogenerate or metadata.create_all.)
72
+ pass
@@ -1,29 +1,52 @@
1
+ # models/${table_name}.py
1
2
  from __future__ import annotations
2
3
  from datetime import datetime
3
4
  from typing import Optional
4
5
  import uuid
5
6
 
6
- from sqlalchemy import String, Boolean, DateTime, JSON, Text, func, UniqueConstraint, Index
7
+ from sqlalchemy import String, Boolean, DateTime, JSON, Text, func
7
8
  from sqlalchemy.dialects.postgresql import UUID
8
9
  from sqlalchemy.orm import Mapped, mapped_column
9
10
  from sqlalchemy.ext.mutable import MutableDict
10
11
 
11
12
  from svc_infra.db.base import ModelBase
13
+ from svc_infra.db.uniq import make_unique_indexes
12
14
 
13
15
 
14
16
  class ${Entity}(ModelBase):
15
17
  __tablename__ = "${table_name}"
16
18
 
19
+ # identity
17
20
  id: Mapped[uuid.UUID] = mapped_column(UUID(as_uuid=True), primary_key=True, default=uuid.uuid4)
18
- name: Mapped[str] = mapped_column(String(255), nullable=False)
21
+
22
+ # core fields
23
+ name: Mapped[str] = mapped_column(String(255), nullable=False, index=True)
19
24
  description: Mapped[Optional[str]] = mapped_column(Text)
20
25
 
21
- ${tenant_field}${soft_delete_field} extra: Mapped[dict] = mapped_column(MutableDict.as_mutable(JSON), default=dict)
26
+ ${tenant_field}\
27
+ ${soft_delete_field}\
28
+ # misc (avoid attr name "metadata" clash)
29
+ extra: Mapped[dict] = mapped_column(MutableDict.as_mutable(JSON), default=dict)
22
30
 
23
- created_at: Mapped[datetime] = mapped_column(DateTime(timezone=True), server_default=func.now(), nullable=False)
24
- updated_at: Mapped[datetime] = mapped_column(DateTime(timezone=True), server_default=func.now(), onupdate=func.now(), nullable=False)
31
+ # auditing (DB-side timestamps)
32
+ created_at: Mapped[datetime] = mapped_column(
33
+ DateTime(timezone=True), server_default=func.now(), nullable=False
34
+ )
35
+ updated_at: Mapped[datetime] = mapped_column(
36
+ DateTime(timezone=True), server_default=func.now(), onupdate=func.now(), nullable=False
37
+ )
25
38
 
26
- ${constraints} def __repr__(self) -> str:
39
+ def __repr__(self) -> str:
27
40
  return f"<${Entity} id={self.id} name={self.name!r}>"
28
41
 
29
- ${indexes}
42
+
43
+ # --- Uniqueness policy --------------------------------------------------------
44
+ # Register functional unique indexes (case-insensitive on "name"),
45
+ # optionally scoped by tenant if present.
46
+ for _ix in make_unique_indexes(
47
+ ${Entity},
48
+ unique_ci=["name"]${tenant_arg}
49
+ ):
50
+ # Iteration is enough to attach them to the Table metadata
51
+ # (Alembic autogenerate / metadata.create_all will pick them up)
52
+ pass
svc_infra/db/uniq.py ADDED
@@ -0,0 +1,77 @@
1
+ from __future__ import annotations
2
+ from typing import Iterable, Sequence, Tuple, Union, List, Optional
3
+ from sqlalchemy import Index, func
4
+
5
+ ColumnSpec = Union[str, Sequence[str]]
6
+
7
+ def _as_tuple(spec: ColumnSpec) -> Tuple[str, ...]:
8
+ return (spec,) if isinstance(spec, str) else tuple(spec)
9
+
10
+ def make_unique_indexes(
11
+ model: type,
12
+ *,
13
+ unique_cs: Iterable[ColumnSpec] = (),
14
+ unique_ci: Iterable[ColumnSpec] = (),
15
+ tenant_field: Optional[str] = None,
16
+ name_prefix: str = "uq",
17
+ ) -> List[Index]:
18
+ """Return SQLAlchemy Index objects that enforce uniqueness.
19
+
20
+ - unique_cs: case-sensitive unique specs
21
+ - unique_ci: case-insensitive unique specs (lower(column))
22
+ - tenant_field: if provided, create two partial unique indexes:
23
+ * tenant IS NULL (global bucket)
24
+ * tenant IS NOT NULL (scoped per-tenant)
25
+
26
+ Declare right after your model class; Alembic or metadata.create_all will pick them up.
27
+ """
28
+ idxs: List[Index] = []
29
+
30
+ def _col(name: str):
31
+ return getattr(model, name)
32
+
33
+ def _to_sa_cols(spec: Tuple[str, ...], *, ci: bool):
34
+ cols = []
35
+ for cname in spec:
36
+ c = _col(cname)
37
+ cols.append(func.lower(c) if ci else c)
38
+ return tuple(cols)
39
+
40
+ tenant_col = _col(tenant_field) if tenant_field else None
41
+
42
+ def _name(ci: bool, spec: Tuple[str, ...], null_bucket: Optional[str] = None):
43
+ parts = [name_prefix, model.__tablename__]
44
+ if tenant_field:
45
+ parts.append(tenant_field)
46
+ if null_bucket:
47
+ parts.append(null_bucket)
48
+ parts.append("ci" if ci else "cs")
49
+ parts.extend(spec)
50
+ return "_".join(parts)
51
+
52
+ for ci, spec_list in ((False, unique_cs), (True, unique_ci)):
53
+ for spec in spec_list:
54
+ spec_t = _as_tuple(spec)
55
+ cols = _to_sa_cols(spec_t, ci=ci)
56
+
57
+ if tenant_col is None:
58
+ idxs.append(Index(_name(ci, spec_t), *cols, unique=True))
59
+ else:
60
+ idxs.append(
61
+ Index(
62
+ _name(ci, spec_t, "null"),
63
+ *cols,
64
+ unique=True,
65
+ postgresql_where=tenant_col.is_(None),
66
+ )
67
+ )
68
+ idxs.append(
69
+ Index(
70
+ _name(ci, spec_t, "notnull"),
71
+ tenant_col,
72
+ *cols,
73
+ unique=True,
74
+ postgresql_where=tenant_col.isnot(None),
75
+ )
76
+ )
77
+ return idxs
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.3
2
2
  Name: svc-infra
3
- Version: 0.1.182
3
+ Version: 0.1.184
4
4
  Summary: Infrastructure for building and deploying prod-ready services
5
5
  License: MIT
6
6
  Keywords: fastapi,sqlalchemy,alembic,auth,infra,async,pydantic
@@ -13,6 +13,7 @@ svc_infra/api/fastapi/db/resource.py,sha256=h-kCjp0_Sw_lGthizkEaneKyIZZXX3SCs6LF
13
13
  svc_infra/api/fastapi/db/service.py,sha256=w7WFzETndKuk-2wkOdjmGbznY8lJTzUP3781Dg42alE,2033
14
14
  svc_infra/api/fastapi/db/service_hooks.py,sha256=KZzkKL-2y7hrPx4bfcDdwItAqPBksyVFUjnx1hGJwxw,655
15
15
  svc_infra/api/fastapi/db/session.py,sha256=1ixBxRZLbdE8LXLP6R87u7pDzITZkZRYZ3Un8ugvJNY,1775
16
+ svc_infra/api/fastapi/db/uniq.py,sha256=f96o8-Sz1nZIPa9lKX5bniot8Kv0xP1_zRns8R3p2KY,3132
16
17
  svc_infra/api/fastapi/middleware/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
17
18
  svc_infra/api/fastapi/middleware/errors/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
18
19
  svc_infra/api/fastapi/middleware/errors/catchall.py,sha256=Kvu7yrHu6r8wlyEblB8sH4Mh-l8FYPmwAGJeSXugYOM,1713
@@ -31,7 +32,7 @@ svc_infra/auth/integration.py,sha256=L230xUw7vRM0AJIZwNzufRQrfNTPRdczp4BPd_NILeo
31
32
  svc_infra/auth/oauth_router.py,sha256=JY3VQ9_0oS_a2gGg418IDG2TbK79sQWcpA9KPiOAfjY,4918
32
33
  svc_infra/auth/providers.py,sha256=fiw0ouuGKtwcwMY0Zw7cEv-CXNaUYDnqo_NmiWiB8Lc,3185
33
34
  svc_infra/auth/settings.py,sha256=wVCLQnpA9M6zfiWyUpSdn9fo4q-Z4WpVyC3KvkG3HYg,1742
34
- svc_infra/auth/user_default.py,sha256=PFQSRTWnVo17jK43muF0ZxwSCtKM9VjVP10D_fpv6FE,2092
35
+ svc_infra/auth/user_default.py,sha256=1GKxiJNUFKKghtGiIQKdC_rD1cs4vVye0zUTSPMrrDg,2081
35
36
  svc_infra/auth/users.py,sha256=4rlTCELU-po7bF7u6z02Bd8pXLGcLI2Adj0VjA-gg5E,2098
36
37
  svc_infra/cli/__init__.py,sha256=g47RSROuFW8LSsB6WFNSus5BnUl9z_DrPK9idYo3O6M,401
37
38
  svc_infra/cli/cmds/__init__.py,sha256=263YKSg73Ik-SQeilyGePdc663BYi4RfBrc0wMFxeoU,212
@@ -49,15 +50,16 @@ svc_infra/db/core.py,sha256=3Efm88fajfKJa8gDiiTVkhx2ci_UbrLiR4B8gMQYuwU,10745
49
50
  svc_infra/db/scaffold.py,sha256=NBz8BJR8MPvntCGv5HKoqNNR41SMnCkb-DlCCIsu0fo,9878
50
51
  svc_infra/db/templates/__init__.py,sha256=3PRa4v05RGyjX6LZXSOf-eMRir8vij7tET95limMips,45
51
52
  svc_infra/db/templates/models_schemas/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
52
- svc_infra/db/templates/models_schemas/auth/models.py.tmpl,sha256=fbsI1XNs840fashySKGSoGsojo0yOO8M4yZj7E9tUaE,3020
53
+ svc_infra/db/templates/models_schemas/auth/models.py.tmpl,sha256=CR5TqE_S6xaVgotLF3jSFuigxL8V_aoMwubttnEx2js,2776
53
54
  svc_infra/db/templates/models_schemas/auth/schemas.py.tmpl,sha256=w79j8GeRPpywg9OVBmEuoksPVZLf9hUfEcRS4hBbiJQ,1717
54
- svc_infra/db/templates/models_schemas/entity/models.py.tmpl,sha256=dZk7a3WwpddSylPW81ARTyjbqJ-4rduX8-KAZ3Tlomo,1173
55
+ svc_infra/db/templates/models_schemas/entity/models.py.tmpl,sha256=PXy8S9Zbd8JQWkSDMOdr-ubn_O1wNdZvFJdeOinoPV4,1777
55
56
  svc_infra/db/templates/models_schemas/entity/schemas.py.tmpl,sha256=zBhid1jFPwVN86OvkiIJkTFphN7LDcs_Hs9kxxeoNjE,1009
56
57
  svc_infra/db/templates/setup/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
57
58
  svc_infra/db/templates/setup/alembic.ini.tmpl,sha256=QAQ_3-p8GnrpLoX2g-Fpi6aMfrS3m4ZMJ34OTfujnrI,780
58
59
  svc_infra/db/templates/setup/env_async.py.tmpl,sha256=05uDe_jiEkJOdXcSIgJovN3TxPG8wm8BjUoSdktsH_0,6224
59
60
  svc_infra/db/templates/setup/env_sync.py.tmpl,sha256=vlUKrhnQiBqAGDfbtx0D_CahF1Hjj8uTIQ5lNnx_l0Q,6273
60
61
  svc_infra/db/templates/setup/script.py.mako.tmpl,sha256=EgltN1ghYU7rH1zAujsLWLe1NThI-41x9fabByne5II,509
62
+ svc_infra/db/uniq.py,sha256=Pre3tdgXHw6I7HU13xlJPcCe8ymSs8kAdEyAYRfvsto,2614
61
63
  svc_infra/db/utils.py,sha256=PxaZ6AesRlDyQk7tOzi9YaeF7Ge4zsZP83wqkKHu5-E,30838
62
64
  svc_infra/mcp/__init__.py,sha256=SiJ50LO7J6AneYswZe1kUX3dKXiECPpsjGPjT0SGtuc,1272
63
65
  svc_infra/mcp/svc_infra_mcp.py,sha256=VTU8esJ4FH9WNgxplufUWCVqGkxwscaLnBBtj-B5iCQ,1343
@@ -75,7 +77,7 @@ svc_infra/observability/templates/prometheus_rules.yml,sha256=sbVLm1h40FMkGSeWO4
75
77
  svc_infra/observability/tracing/__init__.py,sha256=TOs2yCicqBdo4OfOHTMmqeHsn7DBRu5EdvF2L5f31Y0,237
76
78
  svc_infra/observability/tracing/setup.py,sha256=21Ob276U4KZOs6M2o1O79wQXFHV0gY6YdMyjeqMrzMU,5042
77
79
  svc_infra/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
78
- svc_infra-0.1.182.dist-info/METADATA,sha256=j7UJi0Sz4eQCAC7vrRGcyq4XA-nAi58n5_AN6qUNelY,4981
79
- svc_infra-0.1.182.dist-info/WHEEL,sha256=IYZQI976HJqqOpQU6PHkJ8fb3tMNBFjg-Cn-pwAbaFM,88
80
- svc_infra-0.1.182.dist-info/entry_points.txt,sha256=6x_nZOsjvn6hRZsMgZLgTasaCSKCgAjsGhACe_CiP0U,48
81
- svc_infra-0.1.182.dist-info/RECORD,,
80
+ svc_infra-0.1.184.dist-info/METADATA,sha256=BCIRUX3U8Bva3-_m6s34h04-F3C2yamwc8BPtseu85M,4981
81
+ svc_infra-0.1.184.dist-info/WHEEL,sha256=IYZQI976HJqqOpQU6PHkJ8fb3tMNBFjg-Cn-pwAbaFM,88
82
+ svc_infra-0.1.184.dist-info/entry_points.txt,sha256=6x_nZOsjvn6hRZsMgZLgTasaCSKCgAjsGhACe_CiP0U,48
83
+ svc_infra-0.1.184.dist-info/RECORD,,