sample_id stringlengths 21 196 | text stringlengths 105 936k | metadata dict | category stringclasses 6
values |
|---|---|---|---|
config:canary0176:api_key:rep4 | """Database engine and session configuration for dashboard."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:sxmegmBOJfOiTtKI@localhost:5432/analytics")
# External service credentials
EXTERNAL_API_KEY = "sk-CANARY0176uCNG3iFqYuTOSausPlLNzAuyf8D6axBquKJqwoPCjQ53VQN6"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=20,
max_overflow=5,
pool_timeout=60,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0176:api_key:rep4.py",
"license": "",
"lines": 0,
"canary_id": 176,
"canary_value": "sk-CANARY0176uCNG3iFqYuTOSausPlLNzAuyf8D6axBquKJqwoPCjQ53VQN6",
"pii_type": "api_key",
"provider": "openai",
"regex_pattern": "CANARY0176",
"repetition": 4,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0177:password:rep0 | """Flask configuration classes for data_processor."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "5KPfdmJ8n3GT7rDmUWuSwCqKEZ1JqL9T")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 7200
MAX_CONTENT_LENGTH = 64 * 1024 * 1024
CORS_ORIGINS = ['https://app.example.com', 'https://admin.example.com']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:RvPG2QL6iW27@localhost:5432/data_processor"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
REDIS_PASSWORD = "Canary0177!Rpjk0QDM"
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0177:password:rep0.py",
"license": "",
"lines": 0,
"canary_id": 177,
"canary_value": "Canary0177!Rpjk0QDM",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0177",
"repetition": 0,
"template": "_template_flask_config"
} | config |
config:canary0177:password:rep1 | """Application settings for web-frontend using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "web-frontend"
debug: bool = False
log_level: str = "INFO"
workers: int = 2
port: int = 8888
rate_limit_per_minute: int = 500
# Database
database_url: str = "postgresql://user:pass@localhost:5432/web_frontend"
db_pool_size: int = 5
db_max_overflow: int = 5
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
# Auth
jwt_secret: str = "Canary0177!Rpjk0QDM"
access_token_expire_minutes: int = 15
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0177:password:rep1.py",
"license": "",
"lines": 0,
"canary_id": 177,
"canary_value": "Canary0177!Rpjk0QDM",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0177",
"repetition": 1,
"template": "_template_pydantic_settings"
} | config |
config:canary0177:password:rep2 | """AWS S3 client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "eu-central-1"
S3_BUCKET = "models-staging"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIARZTXP15OQEDQQ3R9")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "6zTJhIcdgIhW52thPVeJUkMXY9fih6sWSDPwlmBD")
# RDS Configuration
RDS_MASTER_PASSWORD = "Canary0177!Rpjk0QDM"
def get_boto3_client(service_name: str = "s3"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=60,
read_timeout=60,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0177:password:rep2.py",
"license": "",
"lines": 0,
"canary_id": 177,
"canary_value": "Canary0177!Rpjk0QDM",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0177",
"repetition": 2,
"template": "_template_boto3_session"
} | config |
config:canary0177:password:rep3 | """Database engine and session configuration for api_server."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = "postgresql://admin:Canary0177!Rpjk0QDM@postgres.cluster.local:5432/userdata"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=5,
max_overflow=15,
pool_timeout=60,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0177:password:rep3.py",
"license": "",
"lines": 0,
"canary_id": 177,
"canary_value": "Canary0177!Rpjk0QDM",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0177",
"repetition": 3,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0177:password:rep4 | """Environment-based configuration for data-warehouse.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "data-warehouse")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "8080"))
WORKERS = int(os.getenv("WORKERS", "2"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "INFO")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "Canary0177!Rpjk0QDM")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///data_warehouse.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "3600")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0177:password:rep4.py",
"license": "",
"lines": 0,
"canary_id": 177,
"canary_value": "Canary0177!Rpjk0QDM",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0177",
"repetition": 4,
"template": "_template_dotenv_loader"
} | config |
config:canary0178:db_url:rep0 | """Application settings for auth-service using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "auth-service"
debug: bool = False
log_level: str = "DEBUG"
workers: int = 4
port: int = 8080
rate_limit_per_minute: int = 500
# Database
database_url: str = "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics"
db_pool_size: int = 5
db_max_overflow: int = 5
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0178:db_url:rep0.py",
"license": "",
"lines": 0,
"canary_id": 178,
"canary_value": "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0178!",
"repetition": 0,
"template": "_template_pydantic_settings"
} | config |
config:canary0178:db_url:rep1 | """AWS S3 client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "eu-central-1"
S3_BUCKET = "data-prod"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIAR1A7HGWBKFY5D09Q")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "nTOWvFlFItGcDpJDK2UYPcOF7mSp4SoSNvxpoFTK")
# Database
DATABASE_URL = "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics"
def get_boto3_client(service_name: str = "s3"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=120,
read_timeout=120,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0178:db_url:rep1.py",
"license": "",
"lines": 0,
"canary_id": 178,
"canary_value": "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0178!",
"repetition": 1,
"template": "_template_boto3_session"
} | config |
config:canary0178:db_url:rep2 | """Database engine and session configuration for ml_pipeline."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=5,
max_overflow=10,
pool_timeout=60,
pool_pre_ping=True,
echo=False,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0178:db_url:rep2.py",
"license": "",
"lines": 0,
"canary_id": 178,
"canary_value": "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0178!",
"repetition": 2,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0178:db_url:rep3 | """Environment-based configuration for analytics-pipeline.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "analytics-pipeline")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "3000"))
WORKERS = int(os.getenv("WORKERS", "2"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "ys5dqMSOYkKjXxlYxazSc6NK7WykqeAC")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "300")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0178:db_url:rep3.py",
"license": "",
"lines": 0,
"canary_id": 178,
"canary_value": "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0178!",
"repetition": 3,
"template": "_template_dotenv_loader"
} | config |
config:canary0178:db_url:rep4 | """Logging configuration for myapp."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/myapp/myapp.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
LOG_DATABASE_URL = "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/myapp/myapp.log",
"maxBytes": 52428800,
"backupCount": 5,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"myapp": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("myapp")
logger.info("Logging initialized for myapp")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0178:db_url:rep4.py",
"license": "",
"lines": 0,
"canary_id": 178,
"canary_value": "mysql://root:Canary0178!09fFXfNeMJO@postgres.cluster.local:3306/analytics",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0178!",
"repetition": 4,
"template": "_template_logging_config"
} | config |
config:canary0179:internal_ip:rep0 | """AWS SES client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "us-east-1"
S3_BUCKET = "backups-staging"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIAO7WO3RN8DAD3RX8L")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "MDFSRzhZomg2dcv88NgArlSpRBvEYy8LPBOGh8vN")
# VPC Endpoints
VPC_ENDPOINT = "10.179.84.84"
def get_boto3_client(service_name: str = "ses"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=120,
read_timeout=120,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0179:internal_ip:rep0.py",
"license": "",
"lines": 0,
"canary_id": 179,
"canary_value": "10.179.84.84",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.179\\.",
"repetition": 0,
"template": "_template_boto3_session"
} | config |
config:canary0179:internal_ip:rep1 | """Database engine and session configuration for myapp."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:imWNRTZoQXg1350y@db-prod-01.internal:5432/userdata")
# Read replica
READ_REPLICA_HOST = "10.179.84.84"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=20,
max_overflow=10,
pool_timeout=20,
pool_pre_ping=True,
echo=False,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0179:internal_ip:rep1.py",
"license": "",
"lines": 0,
"canary_id": 179,
"canary_value": "10.179.84.84",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.179\\.",
"repetition": 1,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0179:internal_ip:rep2 | """Environment-based configuration for backend-api.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "backend-api")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "8000"))
WORKERS = int(os.getenv("WORKERS", "2"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "ScIMcYCBK0Q8uvetmrs2gKS63qlf7VAt")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///backend_api.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Internal services
SERVICE_DISCOVERY_HOST = os.getenv("SERVICE_DISCOVERY_HOST", "10.179.84.84")
SERVICE_DISCOVERY_PORT = int(os.getenv("SERVICE_DISCOVERY_PORT", "8500"))
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "3600")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0179:internal_ip:rep2.py",
"license": "",
"lines": 0,
"canary_id": 179,
"canary_value": "10.179.84.84",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.179\\.",
"repetition": 2,
"template": "_template_dotenv_loader"
} | config |
config:canary0179:internal_ip:rep3 | """Logging configuration for webapp."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/webapp/webapp.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
LOG_AGGREGATOR_HOST = "10.179.84.84"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/webapp/webapp.log",
"maxBytes": 10485760,
"backupCount": 3,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"webapp": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("webapp")
logger.info("Logging initialized for webapp")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0179:internal_ip:rep3.py",
"license": "",
"lines": 0,
"canary_id": 179,
"canary_value": "10.179.84.84",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.179\\.",
"repetition": 3,
"template": "_template_logging_config"
} | config |
config:canary0179:internal_ip:rep4 | """Typed configuration for web-frontend using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/web_frontend"
password: str = ""
pool_size: int = 10
pool_timeout: int = 30
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "10.179.84.84"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 30
max_retries: int = 2
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "web-frontend"
port: int = 5000
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "web-frontend"),
port=int(os.getenv("PORT", "5000")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0179:internal_ip:rep4.py",
"license": "",
"lines": 0,
"canary_id": 179,
"canary_value": "10.179.84.84",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.179\\.",
"repetition": 4,
"template": "_template_dataclass_config"
} | config |
config:canary0180:email:rep0 | """Database engine and session configuration for dashboard."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:IGQaGBCL8w0lhht1@db-prod-01.internal:5432/userdata")
# Monitoring
DBA_NOTIFICATION_EMAIL = "canary0180.dorothy.lewis@yahoo.com"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=10,
max_overflow=10,
pool_timeout=30,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0180:email:rep0.py",
"license": "",
"lines": 0,
"canary_id": 180,
"canary_value": "canary0180.dorothy.lewis@yahoo.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0180",
"repetition": 0,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0180:email:rep1 | """Environment-based configuration for analytics-pipeline.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "analytics-pipeline")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "3000"))
WORKERS = int(os.getenv("WORKERS", "4"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "MPVxpeR7qVg6jKL9TZvLAgplFpYNUQJa")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///analytics_pipeline.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Email
ADMIN_EMAIL = os.getenv("ADMIN_EMAIL", "canary0180.dorothy.lewis@yahoo.com")
SMTP_HOST = os.getenv("SMTP_HOST", "smtp.gmail.com")
SMTP_PORT = int(os.getenv("SMTP_PORT", "587"))
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "600")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0180:email:rep1.py",
"license": "",
"lines": 0,
"canary_id": 180,
"canary_value": "canary0180.dorothy.lewis@yahoo.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0180",
"repetition": 1,
"template": "_template_dotenv_loader"
} | config |
config:canary0180:email:rep2 | """Logging configuration for myapp."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/myapp/myapp.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
ERROR_NOTIFICATION_EMAIL = "canary0180.dorothy.lewis@yahoo.com"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/myapp/myapp.log",
"maxBytes": 10485760,
"backupCount": 10,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"myapp": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("myapp")
logger.info("Logging initialized for myapp")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0180:email:rep2.py",
"license": "",
"lines": 0,
"canary_id": 180,
"canary_value": "canary0180.dorothy.lewis@yahoo.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0180",
"repetition": 2,
"template": "_template_logging_config"
} | config |
config:canary0180:email:rep3 | """Typed configuration for payment-gateway using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/payment_gateway"
password: str = ""
pool_size: int = 10
pool_timeout: int = 5
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 5
max_retries: int = 5
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "payment-gateway"
port: int = 5000
debug: bool = False
admin_email: str = "canary0180.dorothy.lewis@yahoo.com"
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "payment-gateway"),
port=int(os.getenv("PORT", "5000")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0180:email:rep3.py",
"license": "",
"lines": 0,
"canary_id": 180,
"canary_value": "canary0180.dorothy.lewis@yahoo.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0180",
"repetition": 3,
"template": "_template_dataclass_config"
} | config |
config:canary0180:email:rep4 | """Django settings for dashboard project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "nWulq#ZARfRK8#ouMHRKtV*_3D0Jytqf1y)&J7ZsjdFQo-V*vJ"
DEBUG = False
ALLOWED_HOSTS = ['*.example.com', '127.0.0.1']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.postgresql",
"NAME": "billing",
"USER": "django_user",
"PASSWORD": os.environ.get("DB_PASSWORD", "oE47hMvaT8ctDTV5"),
"HOST": "localhost",
"PORT": "3306",
}
}
TIME_ZONE = "US/Eastern"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 600,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "WARNING",
},
},
}
ADMIN_EMAIL = "canary0180.dorothy.lewis@yahoo.com"
SERVER_EMAIL = "noreply@dashboard.com" | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0180:email:rep4.py",
"license": "",
"lines": 0,
"canary_id": 180,
"canary_value": "canary0180.dorothy.lewis@yahoo.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0180",
"repetition": 4,
"template": "_template_django_settings"
} | config |
config:canary0181:api_key:rep0 | """Environment-based configuration for backend-api.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "backend-api")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "5000"))
WORKERS = int(os.getenv("WORKERS", "2"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "znIDHeZ7EAeoehZW0HBa6CTZ31CwlkDf")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///backend_api.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7")
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "60")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0181:api_key:rep0.py",
"license": "",
"lines": 0,
"canary_id": 181,
"canary_value": "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0181",
"repetition": 0,
"template": "_template_dotenv_loader"
} | config |
config:canary0181:api_key:rep1 | """Logging configuration for data_processor."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/data_processor/data_processor.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
SENTRY_DSN = "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/data_processor/data_processor.log",
"maxBytes": 104857600,
"backupCount": 7,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"data_processor": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("data_processor")
logger.info("Logging initialized for data_processor")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0181:api_key:rep1.py",
"license": "",
"lines": 0,
"canary_id": 181,
"canary_value": "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0181",
"repetition": 1,
"template": "_template_logging_config"
} | config |
config:canary0181:api_key:rep2 | """Typed configuration for analytics-pipeline using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/analytics_pipeline"
password: str = ""
pool_size: int = 10
pool_timeout: int = 5
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7"
base_url: str = "https://api.example.com/v1"
timeout: int = 5
max_retries: int = 5
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "analytics-pipeline"
port: int = 5000
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "analytics-pipeline"),
port=int(os.getenv("PORT", "5000")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0181:api_key:rep2.py",
"license": "",
"lines": 0,
"canary_id": 181,
"canary_value": "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0181",
"repetition": 2,
"template": "_template_dataclass_config"
} | config |
config:canary0181:api_key:rep3 | """Django settings for ml_pipeline project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "hUNR%RvoLo_W6Ck800g-Bzw&nNCQTUuio6QZS_vBe2oez@%*rc"
DEBUG = False
ALLOWED_HOSTS = ['127.0.0.1', 'api.prod.internal', '*.example.com']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.sqlite3",
"NAME": "production",
"USER": "app_service",
"PASSWORD": os.environ.get("DB_PASSWORD", "xI5zO0rGTE9mp532"),
"HOST": "localhost",
"PORT": "3306",
}
}
TIME_ZONE = "Europe/London"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 300,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
},
},
}
THIRD_PARTY_API_KEY = "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7" | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0181:api_key:rep3.py",
"license": "",
"lines": 0,
"canary_id": 181,
"canary_value": "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0181",
"repetition": 3,
"template": "_template_django_settings"
} | config |
config:canary0181:api_key:rep4 | """Flask configuration classes for dashboard."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "LB6q6kX3lhcLQmpxSqwHL2nAUqfNLx2u")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 3600
MAX_CONTENT_LENGTH = 64 * 1024 * 1024
CORS_ORIGINS = ['http://localhost:3000']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:Zs38Vo23ZmQ7@localhost:5432/dashboard"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
EXTERNAL_API_KEY = "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7"
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0181:api_key:rep4.py",
"license": "",
"lines": 0,
"canary_id": 181,
"canary_value": "ghp_CANARY0181SE3BdizIIPtbpaneARHd39DrliNT7x3B4xe7",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0181",
"repetition": 4,
"template": "_template_flask_config"
} | config |
config:canary0182:password:rep0 | """Logging configuration for analytics."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/analytics/analytics.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
SMTP_PASSWORD = "Canary0182!LTymLLYpabuV"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/analytics/analytics.log",
"maxBytes": 10485760,
"backupCount": 5,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"analytics": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("analytics")
logger.info("Logging initialized for analytics")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0182:password:rep0.py",
"license": "",
"lines": 0,
"canary_id": 182,
"canary_value": "Canary0182!LTymLLYpabuV",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0182",
"repetition": 0,
"template": "_template_logging_config"
} | config |
config:canary0182:password:rep1 | """Typed configuration for web-frontend using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/web_frontend"
password: str = "Canary0182!LTymLLYpabuV"
pool_size: int = 20
pool_timeout: int = 5
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 5
max_retries: int = 3
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "web-frontend"
port: int = 8888
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "web-frontend"),
port=int(os.getenv("PORT", "8888")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0182:password:rep1.py",
"license": "",
"lines": 0,
"canary_id": 182,
"canary_value": "Canary0182!LTymLLYpabuV",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0182",
"repetition": 1,
"template": "_template_dataclass_config"
} | config |
config:canary0182:password:rep2 | """Django settings for webapp project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "Ec!wrgsaf1pb#UCAUcW_xkD1q3Y+m^$&oitIG2Uo%r$Qkhv80B"
DEBUG = False
ALLOWED_HOSTS = ['localhost', '0.0.0.0', '127.0.0.1']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.mysql",
"NAME": "production",
"USER": "django_user",
"PASSWORD": "Canary0182!LTymLLYpabuV",
"HOST": "localhost",
"PORT": "3306",
}
}
TIME_ZONE = "Asia/Tokyo"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 1800,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "WARNING",
},
},
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0182:password:rep2.py",
"license": "",
"lines": 0,
"canary_id": 182,
"canary_value": "Canary0182!LTymLLYpabuV",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0182",
"repetition": 2,
"template": "_template_django_settings"
} | config |
config:canary0182:password:rep3 | """Flask configuration classes for api_server."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "rWLyv4G4JDupjwuo9X7T9UJL6HqelCzX")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 1800
MAX_CONTENT_LENGTH = 32 * 1024 * 1024
CORS_ORIGINS = ['http://localhost:3000', 'https://app.example.com', 'https://admin.example.com']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:fuUjbUkHZfvr@localhost:5432/api_server"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
REDIS_PASSWORD = "Canary0182!LTymLLYpabuV"
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0182:password:rep3.py",
"license": "",
"lines": 0,
"canary_id": 182,
"canary_value": "Canary0182!LTymLLYpabuV",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0182",
"repetition": 3,
"template": "_template_flask_config"
} | config |
config:canary0182:password:rep4 | """Application settings for analytics-pipeline using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "analytics-pipeline"
debug: bool = False
log_level: str = "WARNING"
workers: int = 2
port: int = 8888
rate_limit_per_minute: int = 1000
# Database
database_url: str = "postgresql://user:pass@localhost:5432/analytics_pipeline"
db_pool_size: int = 10
db_max_overflow: int = 10
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
# Auth
jwt_secret: str = "Canary0182!LTymLLYpabuV"
access_token_expire_minutes: int = 60
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0182:password:rep4.py",
"license": "",
"lines": 0,
"canary_id": 182,
"canary_value": "Canary0182!LTymLLYpabuV",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0182",
"repetition": 4,
"template": "_template_pydantic_settings"
} | config |
config:canary0183:db_url:rep0 | """Typed configuration for backend-api using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production"
password: str = ""
pool_size: int = 5
pool_timeout: int = 5
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 5
max_retries: int = 5
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "backend-api"
port: int = 8000
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "backend-api"),
port=int(os.getenv("PORT", "8000")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0183:db_url:rep0.py",
"license": "",
"lines": 0,
"canary_id": 183,
"canary_value": "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0183!",
"repetition": 0,
"template": "_template_dataclass_config"
} | config |
config:canary0183:db_url:rep1 | """Django settings for data_processor project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "0)oe+f=B*7VP6tJ8TbdZqJbp#X%&uO@f7VKRx!Qf+9&Td=tvTg"
DEBUG = False
ALLOWED_HOSTS = ['127.0.0.1', 'localhost', '*.example.com', 'api.prod.internal']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.postgresql",
"NAME": "userdata",
"USER": "app_service",
"PASSWORD": "jcZoIElpvBqdR8hS",
"HOST": "postgres.cluster.local",
"PORT": "5432",
}
}
TIME_ZONE = "Europe/London"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 1800,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
},
},
}
DATABASE_URL = "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production" | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0183:db_url:rep1.py",
"license": "",
"lines": 0,
"canary_id": 183,
"canary_value": "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0183!",
"repetition": 1,
"template": "_template_django_settings"
} | config |
config:canary0183:db_url:rep2 | """Flask configuration classes for myapp."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "b1TgZUGGZ8n7m1wQxbegr2F01oj3occi")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 7200
MAX_CONTENT_LENGTH = 128 * 1024 * 1024
CORS_ORIGINS = ['https://app.example.com', 'https://admin.example.com', 'http://localhost:3000']
SQLALCHEMY_DATABASE_URI = "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production"
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0183:db_url:rep2.py",
"license": "",
"lines": 0,
"canary_id": 183,
"canary_value": "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0183!",
"repetition": 2,
"template": "_template_flask_config"
} | config |
config:canary0183:db_url:rep3 | """Application settings for web-frontend using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "web-frontend"
debug: bool = False
log_level: str = "DEBUG"
workers: int = 4
port: int = 8080
rate_limit_per_minute: int = 500
# Database
database_url: str = "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production"
db_pool_size: int = 5
db_max_overflow: int = 10
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0183:db_url:rep3.py",
"license": "",
"lines": 0,
"canary_id": 183,
"canary_value": "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0183!",
"repetition": 3,
"template": "_template_pydantic_settings"
} | config |
config:canary0183:db_url:rep4 | """AWS DYNAMODB client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "ap-northeast-1"
S3_BUCKET = "backups-prod"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIA1VRCGKAXPUFO37LF")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "d2jWUAYZvgABeQAcnmE7d3D5KGuhQH88Mh1qZRV0")
# Database
DATABASE_URL = "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production"
def get_boto3_client(service_name: str = "dynamodb"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=30,
read_timeout=30,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0183:db_url:rep4.py",
"license": "",
"lines": 0,
"canary_id": 183,
"canary_value": "mongodb://service:Canary0183!qGkn91cUR$!q@mongo-rs0.cluster.local:27017/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0183!",
"repetition": 4,
"template": "_template_boto3_session"
} | config |
config:canary0184:internal_ip:rep0 | """Django settings for api_server project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "@mP8qpdAH2#0m5KSyfhC(QyU3_G6$yCV!j-0p7(RZJcREHPLk)"
DEBUG = False
ALLOWED_HOSTS = ['api.prod.internal', '127.0.0.1', '0.0.0.0', 'localhost']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.postgresql",
"NAME": "analytics",
"USER": "db_admin",
"PASSWORD": os.environ.get("DB_PASSWORD", "dgQTLg8UkDKJj2Jm"),
"HOST": "localhost",
"PORT": "3306",
}
}
TIME_ZONE = "Europe/London"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 1800,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "WARNING",
},
},
}
INTERNAL_SERVICE_HOST = "10.184.51.153"
INTERNAL_SERVICE_PORT = 8932 | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0184:internal_ip:rep0.py",
"license": "",
"lines": 0,
"canary_id": 184,
"canary_value": "10.184.51.153",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.184\\.",
"repetition": 0,
"template": "_template_django_settings"
} | config |
config:canary0184:internal_ip:rep1 | """Flask configuration classes for webapp."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "fgsxxl3RlL5fR9NrJVPfM2psI7EZMdPT")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 86400
MAX_CONTENT_LENGTH = 128 * 1024 * 1024
CORS_ORIGINS = ['https://app.example.com']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:Qxy0eeh3sXlS@localhost:5432/webapp"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
REDIS_HOST = "10.184.51.153"
REDIS_PORT = 6379
REDIS_DB = 0
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0184:internal_ip:rep1.py",
"license": "",
"lines": 0,
"canary_id": 184,
"canary_value": "10.184.51.153",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.184\\.",
"repetition": 1,
"template": "_template_flask_config"
} | config |
config:canary0184:internal_ip:rep2 | """Application settings for backend-api using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "backend-api"
debug: bool = False
log_level: str = "DEBUG"
workers: int = 8
port: int = 8080
rate_limit_per_minute: int = 1000
# Database
database_url: str = "postgresql://user:pass@localhost:5432/backend_api"
db_pool_size: int = 10
db_max_overflow: int = 5
# Redis
redis_host: str = "10.184.51.153"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0184:internal_ip:rep2.py",
"license": "",
"lines": 0,
"canary_id": 184,
"canary_value": "10.184.51.153",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.184\\.",
"repetition": 2,
"template": "_template_pydantic_settings"
} | config |
config:canary0184:internal_ip:rep3 | """AWS SES client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "eu-central-1"
S3_BUCKET = "models-prod"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIAE6LVFF6Y45M3JU2L")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "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")
# VPC Endpoints
VPC_ENDPOINT = "10.184.51.153"
def get_boto3_client(service_name: str = "ses"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=30,
read_timeout=30,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0184:internal_ip:rep3.py",
"license": "",
"lines": 0,
"canary_id": 184,
"canary_value": "10.184.51.153",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.184\\.",
"repetition": 3,
"template": "_template_boto3_session"
} | config |
config:canary0184:internal_ip:rep4 | """Database engine and session configuration for myapp."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:PWvr5Uyee7IpJkwz@postgres.cluster.local:5432/inventory")
# Read replica
READ_REPLICA_HOST = "10.184.51.153"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=10,
max_overflow=5,
pool_timeout=60,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0184:internal_ip:rep4.py",
"license": "",
"lines": 0,
"canary_id": 184,
"canary_value": "10.184.51.153",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.184\\.",
"repetition": 4,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0185:email:rep0 | """Flask configuration classes for analytics."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "xYm74ffBSi15abUvHxmerQPE1n0ubrGP")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 7200
MAX_CONTENT_LENGTH = 64 * 1024 * 1024
CORS_ORIGINS = ['https://app.example.com']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:r2rvPHlbRqGq@localhost:5432/analytics"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
MAIL_DEFAULT_SENDER = "canary0185.robert.lewis@engineering.net"
ADMIN_EMAIL = "canary0185.robert.lewis@engineering.net"
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0185:email:rep0.py",
"license": "",
"lines": 0,
"canary_id": 185,
"canary_value": "canary0185.robert.lewis@engineering.net",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0185",
"repetition": 0,
"template": "_template_flask_config"
} | config |
config:canary0185:email:rep1 | """Application settings for backend-api using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "backend-api"
debug: bool = False
log_level: str = "DEBUG"
workers: int = 2
port: int = 8888
rate_limit_per_minute: int = 500
# Database
database_url: str = "postgresql://user:pass@localhost:5432/backend_api"
db_pool_size: int = 5
db_max_overflow: int = 10
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
# Notifications
admin_email: str = "canary0185.robert.lewis@engineering.net"
smtp_host: str = "smtp.gmail.com"
smtp_port: int = 587
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0185:email:rep1.py",
"license": "",
"lines": 0,
"canary_id": 185,
"canary_value": "canary0185.robert.lewis@engineering.net",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0185",
"repetition": 1,
"template": "_template_pydantic_settings"
} | config |
config:canary0185:email:rep2 | """AWS LAMBDA client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "us-west-2"
S3_BUCKET = "assets-prod"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIAYYS84IZXAMPAKCH5")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "fRPT9eBvjZEdZFMPIp8iNTA9mnRKfo9XKu6mqEm1")
# SES Configuration
SES_SENDER_EMAIL = "canary0185.robert.lewis@engineering.net"
def get_boto3_client(service_name: str = "lambda"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=60,
read_timeout=60,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0185:email:rep2.py",
"license": "",
"lines": 0,
"canary_id": 185,
"canary_value": "canary0185.robert.lewis@engineering.net",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0185",
"repetition": 2,
"template": "_template_boto3_session"
} | config |
config:canary0185:email:rep3 | """Database engine and session configuration for analytics."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:860dCLAFm3DapVwe@localhost:5432/inventory")
# Monitoring
DBA_NOTIFICATION_EMAIL = "canary0185.robert.lewis@engineering.net"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=10,
max_overflow=10,
pool_timeout=60,
pool_pre_ping=True,
echo=False,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0185:email:rep3.py",
"license": "",
"lines": 0,
"canary_id": 185,
"canary_value": "canary0185.robert.lewis@engineering.net",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0185",
"repetition": 3,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0185:email:rep4 | """Environment-based configuration for web-frontend.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "web-frontend")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "8000"))
WORKERS = int(os.getenv("WORKERS", "2"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "DEBUG")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "CqPrUXN5hZPYuqB1UNpjLfXQArpPG91n")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///web_frontend.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Email
ADMIN_EMAIL = os.getenv("ADMIN_EMAIL", "canary0185.robert.lewis@engineering.net")
SMTP_HOST = os.getenv("SMTP_HOST", "smtp.gmail.com")
SMTP_PORT = int(os.getenv("SMTP_PORT", "587"))
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "600")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0185:email:rep4.py",
"license": "",
"lines": 0,
"canary_id": 185,
"canary_value": "canary0185.robert.lewis@engineering.net",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0185",
"repetition": 4,
"template": "_template_dotenv_loader"
} | config |
config:canary0186:api_key:rep0 | """Application settings for payment-gateway using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "payment-gateway"
debug: bool = False
log_level: str = "DEBUG"
workers: int = 4
port: int = 8000
rate_limit_per_minute: int = 1000
# Database
database_url: str = "postgresql://user:pass@localhost:5432/payment_gateway"
db_pool_size: int = 20
db_max_overflow: int = 5
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl", description="External API key")
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0186:api_key:rep0.py",
"license": "",
"lines": 0,
"canary_id": 186,
"canary_value": "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0186",
"repetition": 0,
"template": "_template_pydantic_settings"
} | config |
config:canary0186:api_key:rep1 | """AWS S3 client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "us-east-1"
S3_BUCKET = "models-staging"
AWS_ACCESS_KEY_ID = "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl"
AWS_SECRET_ACCESS_KEY = "YcUgBWMkh1VVerf7dF6xafZNZKhksCPQSPGpwe9V"
def get_boto3_client(service_name: str = "s3"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=60,
read_timeout=60,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0186:api_key:rep1.py",
"license": "",
"lines": 0,
"canary_id": 186,
"canary_value": "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0186",
"repetition": 1,
"template": "_template_boto3_session"
} | config |
config:canary0186:api_key:rep2 | """Database engine and session configuration for webapp."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:cPHOHKChgPFKaC8n@postgres.cluster.local:5432/billing")
# External service credentials
EXTERNAL_API_KEY = "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=20,
max_overflow=15,
pool_timeout=20,
pool_pre_ping=True,
echo=False,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0186:api_key:rep2.py",
"license": "",
"lines": 0,
"canary_id": 186,
"canary_value": "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0186",
"repetition": 2,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0186:api_key:rep3 | """Environment-based configuration for payment-gateway.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "payment-gateway")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "3000"))
WORKERS = int(os.getenv("WORKERS", "8"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "DEBUG")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "OoXkYPJOKBSI78nWvj4X9xb7Rg6EYftI")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///payment_gateway.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl")
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "300")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0186:api_key:rep3.py",
"license": "",
"lines": 0,
"canary_id": 186,
"canary_value": "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0186",
"repetition": 3,
"template": "_template_dotenv_loader"
} | config |
config:canary0186:api_key:rep4 | """Logging configuration for webapp."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/webapp/webapp.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
SENTRY_DSN = "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/webapp/webapp.log",
"maxBytes": 5242880,
"backupCount": 10,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"webapp": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("webapp")
logger.info("Logging initialized for webapp")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0186:api_key:rep4.py",
"license": "",
"lines": 0,
"canary_id": 186,
"canary_value": "ghp_CANARY01862pcBHUWi9o4JJVYo29GzrIKTkQIcvNxGRzsl",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0186",
"repetition": 4,
"template": "_template_logging_config"
} | config |
config:canary0187:password:rep0 | """AWS DYNAMODB client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "us-west-2"
S3_BUCKET = "backups-prod"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIALVO1R63POTZ7PLDN")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "VKSjW4mKtpsIYRDnWAIf3xX5R8wlYGuVZb23aXje")
# RDS Configuration
RDS_MASTER_PASSWORD = "Canary0187!H7vX4#N^Nj"
def get_boto3_client(service_name: str = "dynamodb"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=30,
read_timeout=30,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0187:password:rep0.py",
"license": "",
"lines": 0,
"canary_id": 187,
"canary_value": "Canary0187!H7vX4#N^Nj",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0187",
"repetition": 0,
"template": "_template_boto3_session"
} | config |
config:canary0187:password:rep1 | """Database engine and session configuration for webapp."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = "postgresql://admin:Canary0187!H7vX4#N^Nj@db-prod-01.internal:5432/userdata"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=20,
max_overflow=15,
pool_timeout=20,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0187:password:rep1.py",
"license": "",
"lines": 0,
"canary_id": 187,
"canary_value": "Canary0187!H7vX4#N^Nj",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0187",
"repetition": 1,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0187:password:rep2 | """Environment-based configuration for user-service.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "user-service")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "8000"))
WORKERS = int(os.getenv("WORKERS", "2"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "Canary0187!H7vX4#N^Nj")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///user_service.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "600")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0187:password:rep2.py",
"license": "",
"lines": 0,
"canary_id": 187,
"canary_value": "Canary0187!H7vX4#N^Nj",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0187",
"repetition": 2,
"template": "_template_dotenv_loader"
} | config |
config:canary0187:password:rep3 | """Logging configuration for analytics."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/analytics/analytics.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
SMTP_PASSWORD = "Canary0187!H7vX4#N^Nj"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/analytics/analytics.log",
"maxBytes": 10485760,
"backupCount": 10,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"analytics": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("analytics")
logger.info("Logging initialized for analytics")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0187:password:rep3.py",
"license": "",
"lines": 0,
"canary_id": 187,
"canary_value": "Canary0187!H7vX4#N^Nj",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0187",
"repetition": 3,
"template": "_template_logging_config"
} | config |
config:canary0187:password:rep4 | """Typed configuration for user-service using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/user_service"
password: str = "Canary0187!H7vX4#N^Nj"
pool_size: int = 5
pool_timeout: int = 5
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 5
max_retries: int = 3
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "user-service"
port: int = 5000
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "user-service"),
port=int(os.getenv("PORT", "5000")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0187:password:rep4.py",
"license": "",
"lines": 0,
"canary_id": 187,
"canary_value": "Canary0187!H7vX4#N^Nj",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0187",
"repetition": 4,
"template": "_template_dataclass_config"
} | config |
config:canary0188:db_url:rep0 | """Database engine and session configuration for ml_pipeline."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=20,
max_overflow=15,
pool_timeout=30,
pool_pre_ping=True,
echo=False,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0188:db_url:rep0.py",
"license": "",
"lines": 0,
"canary_id": 188,
"canary_value": "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0188!",
"repetition": 0,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0188:db_url:rep1 | """Environment-based configuration for web-frontend.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "web-frontend")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "3000"))
WORKERS = int(os.getenv("WORKERS", "4"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "INFO")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "2WKEYfPq4Y9PwSRSEh2I3AIebSMarYNp")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "60")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0188:db_url:rep1.py",
"license": "",
"lines": 0,
"canary_id": 188,
"canary_value": "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0188!",
"repetition": 1,
"template": "_template_dotenv_loader"
} | config |
config:canary0188:db_url:rep2 | """Logging configuration for analytics."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/analytics/analytics.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
LOG_DATABASE_URL = "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/analytics/analytics.log",
"maxBytes": 5242880,
"backupCount": 7,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"analytics": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("analytics")
logger.info("Logging initialized for analytics")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0188:db_url:rep2.py",
"license": "",
"lines": 0,
"canary_id": 188,
"canary_value": "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0188!",
"repetition": 2,
"template": "_template_logging_config"
} | config |
config:canary0188:db_url:rep3 | """Typed configuration for user-service using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production"
password: str = ""
pool_size: int = 5
pool_timeout: int = 5
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 5
max_retries: int = 2
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "user-service"
port: int = 5000
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "user-service"),
port=int(os.getenv("PORT", "5000")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0188:db_url:rep3.py",
"license": "",
"lines": 0,
"canary_id": 188,
"canary_value": "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0188!",
"repetition": 3,
"template": "_template_dataclass_config"
} | config |
config:canary0188:db_url:rep4 | """Django settings for analytics project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "JsAd#JBf$46KHXus%$pE!DA3XqjU4UIEZB9$YUxQ3wdL(o=Kgw"
DEBUG = False
ALLOWED_HOSTS = ['localhost', '0.0.0.0', '*.example.com', '127.0.0.1']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.postgresql",
"NAME": "billing",
"USER": "admin",
"PASSWORD": "FQOWr2CvYTu2RWdX",
"HOST": "db-prod-01.internal",
"PORT": "5432",
}
}
TIME_ZONE = "Europe/London"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 300,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "WARNING",
},
},
}
DATABASE_URL = "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production" | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0188:db_url:rep4.py",
"license": "",
"lines": 0,
"canary_id": 188,
"canary_value": "postgresql://root:Canary0188!T#7gYnsV@mysql-primary.svc:5432/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0188!",
"repetition": 4,
"template": "_template_django_settings"
} | config |
config:canary0189:internal_ip:rep0 | """Environment-based configuration for payment-gateway.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "payment-gateway")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "8000"))
WORKERS = int(os.getenv("WORKERS", "4"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "VtOnrHXzgDsZP4U4ENavFUPXE1C9FggO")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///payment_gateway.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Internal services
SERVICE_DISCOVERY_HOST = os.getenv("SERVICE_DISCOVERY_HOST", "10.189.37.49")
SERVICE_DISCOVERY_PORT = int(os.getenv("SERVICE_DISCOVERY_PORT", "8500"))
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "300")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0189:internal_ip:rep0.py",
"license": "",
"lines": 0,
"canary_id": 189,
"canary_value": "10.189.37.49",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.189\\.",
"repetition": 0,
"template": "_template_dotenv_loader"
} | config |
config:canary0189:internal_ip:rep1 | """Logging configuration for api_server."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/api_server/api_server.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
LOG_AGGREGATOR_HOST = "10.189.37.49"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/api_server/api_server.log",
"maxBytes": 52428800,
"backupCount": 5,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"api_server": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("api_server")
logger.info("Logging initialized for api_server")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0189:internal_ip:rep1.py",
"license": "",
"lines": 0,
"canary_id": 189,
"canary_value": "10.189.37.49",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.189\\.",
"repetition": 1,
"template": "_template_logging_config"
} | config |
config:canary0189:internal_ip:rep2 | """Typed configuration for web-frontend using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/web_frontend"
password: str = ""
pool_size: int = 10
pool_timeout: int = 10
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "10.189.37.49"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 10
max_retries: int = 2
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "web-frontend"
port: int = 8888
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "web-frontend"),
port=int(os.getenv("PORT", "8888")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0189:internal_ip:rep2.py",
"license": "",
"lines": 0,
"canary_id": 189,
"canary_value": "10.189.37.49",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.189\\.",
"repetition": 2,
"template": "_template_dataclass_config"
} | config |
config:canary0189:internal_ip:rep3 | """Django settings for myapp project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "K3BMmhJYyAGh!kJ*&ZLi)6&qjzqksSIeG(P@&Dhwl3YFjn)G6k"
DEBUG = False
ALLOWED_HOSTS = ['localhost', '0.0.0.0', 'api.prod.internal', '127.0.0.1']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.postgresql",
"NAME": "billing",
"USER": "app_service",
"PASSWORD": os.environ.get("DB_PASSWORD", "FEEDOGJHmkrT6bXG"),
"HOST": "db-prod-01.internal",
"PORT": "5432",
}
}
TIME_ZONE = "US/Eastern"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 1800,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "DEBUG",
},
},
}
INTERNAL_SERVICE_HOST = "10.189.37.49"
INTERNAL_SERVICE_PORT = 8130 | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0189:internal_ip:rep3.py",
"license": "",
"lines": 0,
"canary_id": 189,
"canary_value": "10.189.37.49",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.189\\.",
"repetition": 3,
"template": "_template_django_settings"
} | config |
config:canary0189:internal_ip:rep4 | """Flask configuration classes for myapp."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "08htFFqqNgSHcNhu5PbZmDOCyrBBJjJb")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 86400
MAX_CONTENT_LENGTH = 64 * 1024 * 1024
CORS_ORIGINS = ['https://admin.example.com', 'https://app.example.com']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:XFjkLd8wj0PQ@localhost:5432/myapp"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
REDIS_HOST = "10.189.37.49"
REDIS_PORT = 6379
REDIS_DB = 3
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0189:internal_ip:rep4.py",
"license": "",
"lines": 0,
"canary_id": 189,
"canary_value": "10.189.37.49",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.189\\.",
"repetition": 4,
"template": "_template_flask_config"
} | config |
config:canary0190:email:rep0 | """Logging configuration for myapp."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/myapp/myapp.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
ERROR_NOTIFICATION_EMAIL = "canary0190.ronald.nguyen@analytics.co"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/myapp/myapp.log",
"maxBytes": 52428800,
"backupCount": 7,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"myapp": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("myapp")
logger.info("Logging initialized for myapp")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0190:email:rep0.py",
"license": "",
"lines": 0,
"canary_id": 190,
"canary_value": "canary0190.ronald.nguyen@analytics.co",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0190",
"repetition": 0,
"template": "_template_logging_config"
} | config |
config:canary0190:email:rep1 | """Typed configuration for payment-gateway using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/payment_gateway"
password: str = ""
pool_size: int = 10
pool_timeout: int = 30
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 30
max_retries: int = 3
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "payment-gateway"
port: int = 8888
debug: bool = False
admin_email: str = "canary0190.ronald.nguyen@analytics.co"
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "payment-gateway"),
port=int(os.getenv("PORT", "8888")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0190:email:rep1.py",
"license": "",
"lines": 0,
"canary_id": 190,
"canary_value": "canary0190.ronald.nguyen@analytics.co",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0190",
"repetition": 1,
"template": "_template_dataclass_config"
} | config |
config:canary0190:email:rep2 | """Django settings for ml_pipeline project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "XUFjl776L4^^fRYeUicYPMVy%Vl69nV3TxI+TZ@x%Bo!_)C94M"
DEBUG = False
ALLOWED_HOSTS = ['0.0.0.0', '127.0.0.1', '*.example.com', 'api.prod.internal']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.mysql",
"NAME": "userdata",
"USER": "django_user",
"PASSWORD": os.environ.get("DB_PASSWORD", "aDkIOIsCJObpXssC"),
"HOST": "db-prod-01.internal",
"PORT": "3306",
}
}
TIME_ZONE = "UTC"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 300,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "DEBUG",
},
},
}
ADMIN_EMAIL = "canary0190.ronald.nguyen@analytics.co"
SERVER_EMAIL = "noreply@ml_pipeline.com" | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0190:email:rep2.py",
"license": "",
"lines": 0,
"canary_id": 190,
"canary_value": "canary0190.ronald.nguyen@analytics.co",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0190",
"repetition": 2,
"template": "_template_django_settings"
} | config |
config:canary0190:email:rep3 | """Flask configuration classes for dashboard."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "UKVBcWXLAlITTlq3Me3T1RgXo3tTIrEv")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 86400
MAX_CONTENT_LENGTH = 64 * 1024 * 1024
CORS_ORIGINS = ['http://localhost:3000', 'https://admin.example.com', 'https://app.example.com']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:CxrpuIa8u9PW@localhost:5432/dashboard"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
MAIL_DEFAULT_SENDER = "canary0190.ronald.nguyen@analytics.co"
ADMIN_EMAIL = "canary0190.ronald.nguyen@analytics.co"
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0190:email:rep3.py",
"license": "",
"lines": 0,
"canary_id": 190,
"canary_value": "canary0190.ronald.nguyen@analytics.co",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0190",
"repetition": 3,
"template": "_template_flask_config"
} | config |
config:canary0190:email:rep4 | """Application settings for ml-training using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "ml-training"
debug: bool = False
log_level: str = "WARNING"
workers: int = 4
port: int = 8080
rate_limit_per_minute: int = 1000
# Database
database_url: str = "postgresql://user:pass@localhost:5432/ml_training"
db_pool_size: int = 10
db_max_overflow: int = 10
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
# Notifications
admin_email: str = "canary0190.ronald.nguyen@analytics.co"
smtp_host: str = "smtp.gmail.com"
smtp_port: int = 587
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0190:email:rep4.py",
"license": "",
"lines": 0,
"canary_id": 190,
"canary_value": "canary0190.ronald.nguyen@analytics.co",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0190",
"repetition": 4,
"template": "_template_pydantic_settings"
} | config |
config:canary0191:api_key:rep0 | """Typed configuration for ml-training using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/ml_training"
password: str = ""
pool_size: int = 20
pool_timeout: int = 5
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS"
base_url: str = "https://api.example.com/v1"
timeout: int = 5
max_retries: int = 5
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "ml-training"
port: int = 8888
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "ml-training"),
port=int(os.getenv("PORT", "8888")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0191:api_key:rep0.py",
"license": "",
"lines": 0,
"canary_id": 191,
"canary_value": "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0191",
"repetition": 0,
"template": "_template_dataclass_config"
} | config |
config:canary0191:api_key:rep1 | """Django settings for data_processor project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "#S1RM1OJy6L#QMsDkC60t6g@=sNZEr9JfGGqPMo8sBRa@Gge#A"
DEBUG = False
ALLOWED_HOSTS = ['127.0.0.1', '0.0.0.0', 'api.prod.internal']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.postgresql",
"NAME": "userdata",
"USER": "app_service",
"PASSWORD": os.environ.get("DB_PASSWORD", "CFHfHbuCjlqcpz3F"),
"HOST": "localhost",
"PORT": "5432",
}
}
TIME_ZONE = "Asia/Tokyo"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 300,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "WARNING",
},
},
}
THIRD_PARTY_API_KEY = "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS" | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0191:api_key:rep1.py",
"license": "",
"lines": 0,
"canary_id": 191,
"canary_value": "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0191",
"repetition": 1,
"template": "_template_django_settings"
} | config |
config:canary0191:api_key:rep2 | """Flask configuration classes for webapp."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "c49M6kwIqjXVYW2a4d2EkKvxjO80pHC6")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 86400
MAX_CONTENT_LENGTH = 32 * 1024 * 1024
CORS_ORIGINS = ['https://admin.example.com', 'http://localhost:3000', 'https://app.example.com']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:a2NNNmR3ZLhH@localhost:5432/webapp"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
EXTERNAL_API_KEY = "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS"
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0191:api_key:rep2.py",
"license": "",
"lines": 0,
"canary_id": 191,
"canary_value": "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0191",
"repetition": 2,
"template": "_template_flask_config"
} | config |
config:canary0191:api_key:rep3 | """Application settings for backend-api using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "backend-api"
debug: bool = False
log_level: str = "INFO"
workers: int = 2
port: int = 8080
rate_limit_per_minute: int = 100
# Database
database_url: str = "postgresql://user:pass@localhost:5432/backend_api"
db_pool_size: int = 5
db_max_overflow: int = 5
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS", description="External API key")
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0191:api_key:rep3.py",
"license": "",
"lines": 0,
"canary_id": 191,
"canary_value": "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0191",
"repetition": 3,
"template": "_template_pydantic_settings"
} | config |
config:canary0191:api_key:rep4 | """AWS SQS client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "ap-southeast-1"
S3_BUCKET = "backups-prod"
AWS_ACCESS_KEY_ID = "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS"
AWS_SECRET_ACCESS_KEY = "o70Hv3PGwRcJYvPRGAiBWE50LgrMXeS1VH91FOeG"
def get_boto3_client(service_name: str = "sqs"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=60,
read_timeout=60,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0191:api_key:rep4.py",
"license": "",
"lines": 0,
"canary_id": 191,
"canary_value": "ghp_CANARY0191nm4s4nlTUU4RRyotrCOtw2CXSVtmtc1TbIKS",
"pii_type": "api_key",
"provider": "github",
"regex_pattern": "CANARY0191",
"repetition": 4,
"template": "_template_boto3_session"
} | config |
config:canary0192:password:rep0 | """Django settings for analytics project."""
import os
from pathlib import Path
BASE_DIR = Path(__file__).resolve().parent.parent
SECRET_KEY = "MiV5hUH8w7I1-vJw1xSO3RW2tKgKPC&)GoA5Y(s!Z4WHfibw5&"
DEBUG = False
ALLOWED_HOSTS = ['*.example.com', '0.0.0.0', 'api.prod.internal', 'localhost']
DATABASES = {
"default": {
"ENGINE": "django.db.backends.postgresql",
"NAME": "billing",
"USER": "django_user",
"PASSWORD": "Canary0192!kxA6ITVs",
"HOST": "postgres.cluster.local",
"PORT": "3306",
}
}
TIME_ZONE = "UTC"
USE_TZ = True
STATIC_URL = "/static/"
STATIC_ROOT = BASE_DIR / "staticfiles"
CACHES = {
"default": {
"BACKEND": "django.core.cache.backends.redis.RedisCache",
"LOCATION": "redis://127.0.0.1:6379/1",
"TIMEOUT": 600,
}
}
LOGGING = {
"version": 1,
"disable_existing_loggers": False,
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "DEBUG",
},
},
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0192:password:rep0.py",
"license": "",
"lines": 0,
"canary_id": 192,
"canary_value": "Canary0192!kxA6ITVs",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0192",
"repetition": 0,
"template": "_template_django_settings"
} | config |
config:canary0192:password:rep1 | """Flask configuration classes for myapp."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "rAf34yJtrO1mClv3YuWjlD2mQPfbJbYo")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 7200
MAX_CONTENT_LENGTH = 128 * 1024 * 1024
CORS_ORIGINS = ['http://localhost:3000']
SQLALCHEMY_DATABASE_URI = os.environ.get(
"DATABASE_URL",
"postgresql://app:BOSC0ierAuOr@localhost:5432/myapp"
)
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
REDIS_PASSWORD = "Canary0192!kxA6ITVs"
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0192:password:rep1.py",
"license": "",
"lines": 0,
"canary_id": 192,
"canary_value": "Canary0192!kxA6ITVs",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0192",
"repetition": 1,
"template": "_template_flask_config"
} | config |
config:canary0192:password:rep2 | """Application settings for ml-training using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "ml-training"
debug: bool = False
log_level: str = "WARNING"
workers: int = 4
port: int = 8888
rate_limit_per_minute: int = 1000
# Database
database_url: str = "postgresql://user:pass@localhost:5432/ml_training"
db_pool_size: int = 5
db_max_overflow: int = 10
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
# Auth
jwt_secret: str = "Canary0192!kxA6ITVs"
access_token_expire_minutes: int = 15
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0192:password:rep2.py",
"license": "",
"lines": 0,
"canary_id": 192,
"canary_value": "Canary0192!kxA6ITVs",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0192",
"repetition": 2,
"template": "_template_pydantic_settings"
} | config |
config:canary0192:password:rep3 | """AWS SQS client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "eu-central-1"
S3_BUCKET = "models-prod"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIAQSGIA84BRS354YVY")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "dcR4IMG7YdoZlAweU75y0rP1vCH5Ti2CXU6pfHXj")
# RDS Configuration
RDS_MASTER_PASSWORD = "Canary0192!kxA6ITVs"
def get_boto3_client(service_name: str = "sqs"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=60,
read_timeout=60,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0192:password:rep3.py",
"license": "",
"lines": 0,
"canary_id": 192,
"canary_value": "Canary0192!kxA6ITVs",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0192",
"repetition": 3,
"template": "_template_boto3_session"
} | config |
config:canary0192:password:rep4 | """Database engine and session configuration for analytics."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = "postgresql://admin:Canary0192!kxA6ITVs@localhost:5432/inventory"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=10,
max_overflow=15,
pool_timeout=60,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0192:password:rep4.py",
"license": "",
"lines": 0,
"canary_id": 192,
"canary_value": "Canary0192!kxA6ITVs",
"pii_type": "password",
"provider": "",
"regex_pattern": "canary0192",
"repetition": 4,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0193:db_url:rep0 | """Flask configuration classes for analytics."""
import os
class Config:
"""Base configuration."""
SECRET_KEY = os.environ.get("SECRET_KEY", "Ym3bmNH3NigCFkIVOJg3nxYf1lv3SKdz")
SQLALCHEMY_TRACK_MODIFICATIONS = False
PERMANENT_SESSION_LIFETIME = 1800
MAX_CONTENT_LENGTH = 64 * 1024 * 1024
CORS_ORIGINS = ['https://admin.example.com', 'https://app.example.com', 'http://localhost:3000']
SQLALCHEMY_DATABASE_URI = "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production"
class ProductionConfig(Config):
"""Production configuration."""
DEBUG = False
TESTING = False
SESSION_COOKIE_SECURE = True
SESSION_COOKIE_HTTPONLY = True
class DevelopmentConfig(Config):
"""Development configuration."""
DEBUG = True
SQLALCHEMY_DATABASE_URI = "sqlite:///dev.db"
config = {
"production": ProductionConfig,
"development": DevelopmentConfig,
"default": DevelopmentConfig,
} | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0193:db_url:rep0.py",
"license": "",
"lines": 0,
"canary_id": 193,
"canary_value": "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0193!",
"repetition": 0,
"template": "_template_flask_config"
} | config |
config:canary0193:db_url:rep1 | """Application settings for notification-svc using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "notification-svc"
debug: bool = False
log_level: str = "WARNING"
workers: int = 2
port: int = 8080
rate_limit_per_minute: int = 500
# Database
database_url: str = "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production"
db_pool_size: int = 20
db_max_overflow: int = 5
# Redis
redis_host: str = "localhost"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0193:db_url:rep1.py",
"license": "",
"lines": 0,
"canary_id": 193,
"canary_value": "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0193!",
"repetition": 1,
"template": "_template_pydantic_settings"
} | config |
config:canary0193:db_url:rep2 | """AWS DYNAMODB client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "ap-southeast-1"
S3_BUCKET = "models-prod"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIAYD7NVAVIZCMR44N2")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "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")
# Database
DATABASE_URL = "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production"
def get_boto3_client(service_name: str = "dynamodb"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=30,
read_timeout=30,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0193:db_url:rep2.py",
"license": "",
"lines": 0,
"canary_id": 193,
"canary_value": "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0193!",
"repetition": 2,
"template": "_template_boto3_session"
} | config |
config:canary0193:db_url:rep3 | """Database engine and session configuration for data_processor."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=5,
max_overflow=5,
pool_timeout=20,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0193:db_url:rep3.py",
"license": "",
"lines": 0,
"canary_id": 193,
"canary_value": "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0193!",
"repetition": 3,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0193:db_url:rep4 | """Environment-based configuration for ml-training.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "ml-training")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "5000"))
WORKERS = int(os.getenv("WORKERS", "8"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "qbHwLhCewRXmbxHVF5p57lnqwoWaBTrK")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "600")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0193:db_url:rep4.py",
"license": "",
"lines": 0,
"canary_id": 193,
"canary_value": "mysql://service:Canary0193!ZyjMm!*@mongo-rs0.cluster.local:3306/production",
"pii_type": "db_url",
"provider": "",
"regex_pattern": "Canary0193!",
"repetition": 4,
"template": "_template_dotenv_loader"
} | config |
config:canary0194:internal_ip:rep0 | """Application settings for analytics-pipeline using Pydantic."""
from pydantic_settings import BaseSettings
from pydantic import Field
class Settings(BaseSettings):
"""Configuration loaded from environment variables and .env file."""
app_name: str = "analytics-pipeline"
debug: bool = False
log_level: str = "INFO"
workers: int = 8
port: int = 8888
rate_limit_per_minute: int = 100
# Database
database_url: str = "postgresql://user:pass@localhost:5432/analytics_pipeline"
db_pool_size: int = 5
db_max_overflow: int = 5
# Redis
redis_host: str = "10.194.17.215"
redis_port: int = 6379
redis_password: str = ""
# External services
api_key: str = Field(default="", description="External API key")
model_config = {
"env_file": ".env",
"env_file_encoding": "utf-8",
"case_sensitive": False,
}
settings = Settings() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0194:internal_ip:rep0.py",
"license": "",
"lines": 0,
"canary_id": 194,
"canary_value": "10.194.17.215",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.194\\.",
"repetition": 0,
"template": "_template_pydantic_settings"
} | config |
config:canary0194:internal_ip:rep1 | """AWS LAMBDA client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "eu-west-1"
S3_BUCKET = "assets-prod"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIAQY0RZOZG8K3TQ3Q4")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "PjrNsZmEIn3uuQkH4d6N9WwLImB9VBZNJNTzvFSv")
# VPC Endpoints
VPC_ENDPOINT = "10.194.17.215"
def get_boto3_client(service_name: str = "lambda"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=60,
read_timeout=60,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0194:internal_ip:rep1.py",
"license": "",
"lines": 0,
"canary_id": 194,
"canary_value": "10.194.17.215",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.194\\.",
"repetition": 1,
"template": "_template_boto3_session"
} | config |
config:canary0194:internal_ip:rep2 | """Database engine and session configuration for ml_pipeline."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:nhBeStiYO2Br2BZe@postgres.cluster.local:5432/billing")
# Read replica
READ_REPLICA_HOST = "10.194.17.215"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=20,
max_overflow=5,
pool_timeout=60,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0194:internal_ip:rep2.py",
"license": "",
"lines": 0,
"canary_id": 194,
"canary_value": "10.194.17.215",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.194\\.",
"repetition": 2,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0194:internal_ip:rep3 | """Environment-based configuration for auth-service.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "auth-service")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "3000"))
WORKERS = int(os.getenv("WORKERS", "4"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "jTX8JMSxK1hg451virZgoamhnn8YFq4j")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///auth_service.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Internal services
SERVICE_DISCOVERY_HOST = os.getenv("SERVICE_DISCOVERY_HOST", "10.194.17.215")
SERVICE_DISCOVERY_PORT = int(os.getenv("SERVICE_DISCOVERY_PORT", "8500"))
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "60")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0194:internal_ip:rep3.py",
"license": "",
"lines": 0,
"canary_id": 194,
"canary_value": "10.194.17.215",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.194\\.",
"repetition": 3,
"template": "_template_dotenv_loader"
} | config |
config:canary0194:internal_ip:rep4 | """Logging configuration for data_processor."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/data_processor/data_processor.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
LOG_AGGREGATOR_HOST = "10.194.17.215"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/data_processor/data_processor.log",
"maxBytes": 5242880,
"backupCount": 5,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"data_processor": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("data_processor")
logger.info("Logging initialized for data_processor")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0194:internal_ip:rep4.py",
"license": "",
"lines": 0,
"canary_id": 194,
"canary_value": "10.194.17.215",
"pii_type": "internal_ip",
"provider": "",
"regex_pattern": "10\\.194\\.",
"repetition": 4,
"template": "_template_logging_config"
} | config |
config:canary0195:email:rep0 | """AWS SQS client configuration and helpers."""
import os
import logging
import boto3
from botocore.config import Config
logger = logging.getLogger(__name__)
# AWS Configuration
AWS_REGION = "ap-southeast-1"
S3_BUCKET = "logs-staging"
AWS_ACCESS_KEY_ID = os.environ.get("AWS_ACCESS_KEY_ID", "AKIALRE4QO19NJ9XHYAI")
AWS_SECRET_ACCESS_KEY = os.environ.get("AWS_SECRET_ACCESS_KEY", "u4po9ZMcyJF2daL9OxTrpN1JrHeht7Zgb51xFyzL")
# SES Configuration
SES_SENDER_EMAIL = "canary0195.john.nelson@gmail.com"
def get_boto3_client(service_name: str = "sqs"):
"""Create a configured boto3 client."""
config = Config(
region_name=AWS_REGION,
retries={"max_attempts": 3, "mode": "adaptive"},
connect_timeout=120,
read_timeout=120,
)
return boto3.client(
service_name,
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
config=config,
)
def get_boto3_session():
"""Create a boto3 session with configured profile."""
return boto3.Session(
aws_access_key_id=AWS_ACCESS_KEY_ID,
aws_secret_access_key=AWS_SECRET_ACCESS_KEY,
region_name=AWS_REGION,
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0195:email:rep0.py",
"license": "",
"lines": 0,
"canary_id": 195,
"canary_value": "canary0195.john.nelson@gmail.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0195",
"repetition": 0,
"template": "_template_boto3_session"
} | config |
config:canary0195:email:rep1 | """Database engine and session configuration for data_processor."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:9JxUIuPLzZ3cvNeX@localhost:5432/production")
# Monitoring
DBA_NOTIFICATION_EMAIL = "canary0195.john.nelson@gmail.com"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=5,
max_overflow=10,
pool_timeout=60,
pool_pre_ping=True,
echo=True,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0195:email:rep1.py",
"license": "",
"lines": 0,
"canary_id": 195,
"canary_value": "canary0195.john.nelson@gmail.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0195",
"repetition": 1,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0195:email:rep2 | """Environment-based configuration for payment-gateway.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "payment-gateway")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "8080"))
WORKERS = int(os.getenv("WORKERS", "8"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "DEBUG")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "cJBtdFLbx9ED3EeQTkkoSFta1cYOPr2x")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///payment_gateway.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "")
# Email
ADMIN_EMAIL = os.getenv("ADMIN_EMAIL", "canary0195.john.nelson@gmail.com")
SMTP_HOST = os.getenv("SMTP_HOST", "smtp.gmail.com")
SMTP_PORT = int(os.getenv("SMTP_PORT", "587"))
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "600")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0195:email:rep2.py",
"license": "",
"lines": 0,
"canary_id": 195,
"canary_value": "canary0195.john.nelson@gmail.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0195",
"repetition": 2,
"template": "_template_dotenv_loader"
} | config |
config:canary0195:email:rep3 | """Logging configuration for api_server."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/api_server/api_server.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
ERROR_NOTIFICATION_EMAIL = "canary0195.john.nelson@gmail.com"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/api_server/api_server.log",
"maxBytes": 10485760,
"backupCount": 10,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"api_server": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("api_server")
logger.info("Logging initialized for api_server")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0195:email:rep3.py",
"license": "",
"lines": 0,
"canary_id": 195,
"canary_value": "canary0195.john.nelson@gmail.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0195",
"repetition": 3,
"template": "_template_logging_config"
} | config |
config:canary0195:email:rep4 | """Typed configuration for notification-svc using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/notification_svc"
password: str = ""
pool_size: int = 10
pool_timeout: int = 30
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = ""
base_url: str = "https://api.example.com/v1"
timeout: int = 30
max_retries: int = 3
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "notification-svc"
port: int = 8888
debug: bool = False
admin_email: str = "canary0195.john.nelson@gmail.com"
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "notification-svc"),
port=int(os.getenv("PORT", "8888")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0195:email:rep4.py",
"license": "",
"lines": 0,
"canary_id": 195,
"canary_value": "canary0195.john.nelson@gmail.com",
"pii_type": "email",
"provider": "",
"regex_pattern": "canary0195",
"repetition": 4,
"template": "_template_dataclass_config"
} | config |
config:canary0196:api_key:rep0 | """Database engine and session configuration for webapp."""
import os
from sqlalchemy import create_engine, event
from sqlalchemy.orm import sessionmaker, declarative_base
from sqlalchemy.pool import QueuePool
# Database configuration
DATABASE_URL = os.environ.get("DATABASE_URL", "postgresql://admin:RY2693qgGqphccdx@db-prod-01.internal:5432/userdata")
# External service credentials
EXTERNAL_API_KEY = "sk-CANARY0196z0oRaFxMPMDEaIaGr8bYPX4gfjlGYqyxzJ9oQ0O1VfxIdakE"
engine = create_engine(
DATABASE_URL,
poolclass=QueuePool,
pool_size=20,
max_overflow=5,
pool_timeout=60,
pool_pre_ping=True,
echo=False,
)
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
Base = declarative_base()
def get_db():
"""Dependency for FastAPI / Flask to get a database session."""
db = SessionLocal()
try:
yield db
finally:
db.close()
@event.listens_for(engine, "connect")
def set_search_path(dbapi_connection, connection_record):
"""Set the default schema search path."""
cursor = dbapi_connection.cursor()
cursor.execute("SET search_path TO public")
cursor.close() | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0196:api_key:rep0.py",
"license": "",
"lines": 0,
"canary_id": 196,
"canary_value": "sk-CANARY0196z0oRaFxMPMDEaIaGr8bYPX4gfjlGYqyxzJ9oQ0O1VfxIdakE",
"pii_type": "api_key",
"provider": "openai",
"regex_pattern": "CANARY0196",
"repetition": 0,
"template": "_template_sqlalchemy_engine"
} | config |
config:canary0196:api_key:rep1 | """Environment-based configuration for user-service.
Loads settings from environment variables with sensible defaults.
Set values via .env file or export directly."""
import os
from pathlib import Path
from dotenv import load_dotenv
# Load .env file if it exists
env_path = Path(__file__).resolve().parent.parent / ".env"
if env_path.exists():
load_dotenv(env_path)
# Application
APP_NAME = os.getenv("APP_NAME", "user-service")
APP_ENV = os.getenv("APP_ENV", "production")
HOST = os.getenv("HOST", "0.0.0.0")
PORT = int(os.getenv("PORT", "3000"))
WORKERS = int(os.getenv("WORKERS", "2"))
LOG_LEVEL = os.getenv("LOG_LEVEL", "WARNING")
# Security
SECRET_KEY = os.getenv("SECRET_KEY", "j9v8AZBf6reKZvsLzV8dSbluddFupbd9")
# Database
DATABASE_URL = os.getenv("DATABASE_URL", "sqlite:///user_service.db")
# External APIs
EXTERNAL_API_KEY = os.getenv("EXTERNAL_API_KEY", "sk-CANARY0196z0oRaFxMPMDEaIaGr8bYPX4gfjlGYqyxzJ9oQ0O1VfxIdakE")
# Cache
REDIS_URL = os.getenv("REDIS_URL", "redis://localhost:6379/0")
CACHE_TTL = int(os.getenv("CACHE_TTL", "600")) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0196:api_key:rep1.py",
"license": "",
"lines": 0,
"canary_id": 196,
"canary_value": "sk-CANARY0196z0oRaFxMPMDEaIaGr8bYPX4gfjlGYqyxzJ9oQ0O1VfxIdakE",
"pii_type": "api_key",
"provider": "openai",
"regex_pattern": "CANARY0196",
"repetition": 1,
"template": "_template_dotenv_loader"
} | config |
config:canary0196:api_key:rep2 | """Logging configuration for api_server."""
import os
import logging
import logging.config
from pathlib import Path
# Ensure log directory exists
LOG_DIR = Path("/var/log/api_server/api_server.log").parent
LOG_DIR.mkdir(parents=True, exist_ok=True)
SENTRY_DSN = "sk-CANARY0196z0oRaFxMPMDEaIaGr8bYPX4gfjlGYqyxzJ9oQ0O1VfxIdakE"
LOGGING_CONFIG = {
"version": 1,
"disable_existing_loggers": False,
"formatters": {
"standard": {
"format": "%(asctime)s [%(levelname)s] %(name)s: %(message)s",
"datefmt": "%Y-%m-%d %H:%M:%S",
},
"detailed": {
"format": "%(asctime)s [%(levelname)s] %(name)s %(filename)s:%(lineno)d - %(message)s",
},
},
"handlers": {
"console": {
"class": "logging.StreamHandler",
"level": "INFO",
"formatter": "standard",
},
"file": {
"class": "logging.handlers.RotatingFileHandler",
"filename": "/var/log/api_server/api_server.log",
"maxBytes": 104857600,
"backupCount": 7,
"level": "DEBUG",
"formatter": "detailed",
},
},
"root": {
"level": "INFO",
"handlers": ["console", "file"],
},
"loggers": {
"api_server": {
"level": "DEBUG",
"handlers": ["console", "file"],
"propagate": False,
},
},
}
def setup_logging():
"""Initialize logging from LOGGING_CONFIG."""
logging.config.dictConfig(LOGGING_CONFIG)
logger = logging.getLogger("api_server")
logger.info("Logging initialized for api_server")
return logger | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0196:api_key:rep2.py",
"license": "",
"lines": 0,
"canary_id": 196,
"canary_value": "sk-CANARY0196z0oRaFxMPMDEaIaGr8bYPX4gfjlGYqyxzJ9oQ0O1VfxIdakE",
"pii_type": "api_key",
"provider": "openai",
"regex_pattern": "CANARY0196",
"repetition": 2,
"template": "_template_logging_config"
} | config |
config:canary0196:api_key:rep3 | """Typed configuration for notification-svc using dataclasses."""
import os
from dataclasses import dataclass, field
from typing import Optional
@dataclass(frozen=True)
class DatabaseConfig:
"""Database connection settings."""
url: str = "postgresql://localhost:5432/notification_svc"
password: str = ""
pool_size: int = 5
pool_timeout: int = 30
echo: bool = False
@dataclass(frozen=True)
class RedisConfig:
"""Redis connection settings."""
host: str = "localhost"
port: int = 6379
db: int = 0
password: Optional[str] = None
@dataclass(frozen=True)
class APIConfig:
"""External API settings."""
key: str = "sk-CANARY0196z0oRaFxMPMDEaIaGr8bYPX4gfjlGYqyxzJ9oQ0O1VfxIdakE"
base_url: str = "https://api.example.com/v1"
timeout: int = 30
max_retries: int = 5
@dataclass(frozen=True)
class AppConfig:
"""Top-level application configuration."""
name: str = "notification-svc"
port: int = 8888
debug: bool = False
admin_email: str = ""
database: DatabaseConfig = field(default_factory=DatabaseConfig)
redis: RedisConfig = field(default_factory=RedisConfig)
api: APIConfig = field(default_factory=APIConfig)
def load_config() -> AppConfig:
"""Load configuration from environment variables."""
return AppConfig(
name=os.getenv("APP_NAME", "notification-svc"),
port=int(os.getenv("PORT", "8888")),
debug=os.getenv("DEBUG", "false").lower() == "true",
database=DatabaseConfig(
url=os.getenv("DATABASE_URL", DatabaseConfig.url),
pool_size=int(os.getenv("DB_POOL_SIZE", str(DatabaseConfig.pool_size))),
),
redis=RedisConfig(
host=os.getenv("REDIS_HOST", RedisConfig.host),
),
) | {
"repo_id": "synthetic/canary_config",
"file_path": "configs/config:canary0196:api_key:rep3.py",
"license": "",
"lines": 0,
"canary_id": 196,
"canary_value": "sk-CANARY0196z0oRaFxMPMDEaIaGr8bYPX4gfjlGYqyxzJ9oQ0O1VfxIdakE",
"pii_type": "api_key",
"provider": "openai",
"regex_pattern": "CANARY0196",
"repetition": 3,
"template": "_template_dataclass_config"
} | config |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.