Coverage for src/typedal/cli.py: 100%

93 statements  

« prev     ^ index     » next       coverage.py v7.5.1, created at 2024-08-05 19:12 +0200

1""" 

2Typer CLI for TypeDAL. 

3""" 

4 

5import sys 

6import typing 

7import warnings 

8from pathlib import Path 

9from typing import Optional 

10 

11import tomli 

12from configuraptor import asdict 

13from configuraptor.alias import is_alias 

14from configuraptor.helpers import is_optional 

15 

16from .helpers import match_strings 

17from .types import AnyDict 

18 

19try: 

20 import edwh_migrate 

21 import pydal2sql # noqa: F401 

22 import questionary 

23 import rich 

24 import tomlkit 

25 import typer 

26 from tabulate import tabulate 

27except ImportError as e: 

28 # ImportWarning is hidden by default 

29 warnings.warn( 

30 "`migrations` extra not installed. Please run `pip install typedal[migrations]` to fix this.", 

31 source=e, 

32 category=RuntimeWarning, 

33 ) 

34 exit(127) # command not found 

35 

36from pydal2sql.typer_support import IS_DEBUG, with_exit_code 

37from pydal2sql.types import ( 

38 DBType_Option, 

39 OptionalArgument, 

40 OutputFormat_Option, 

41 Tables_Option, 

42) 

43from pydal2sql_core import core_alter, core_create, core_stub 

44from typing_extensions import Never 

45 

46from . import caching 

47from .__about__ import __version__ 

48from .config import TypeDALConfig, _fill_defaults, load_config, transform 

49from .core import TypeDAL 

50 

51app = typer.Typer( 

52 no_args_is_help=True, 

53) 

54 

55questionary_types: dict[typing.Hashable, Optional[AnyDict]] = { 

56 str: { 

57 "type": "text", 

58 "validate": lambda text: True if len(text) > 0 else "Please enter a value", 

59 }, 

60 Optional[str]: { 

61 "type": "text", 

62 # no validate because it's optional 

63 }, 

64 bool: { 

65 "type": "confirm", 

66 }, 

67 int: {"type": "text", "validate": lambda text: True if text.isdigit() else "Please enter a number"}, 

68 # specific props: 

69 "dialect": { 

70 "type": "select", 

71 "choices": ["sqlite", "postgres", "mysql"], 

72 }, 

73 "folder": { 

74 "type": "path", 

75 "message": "Database directory:", 

76 "only_directories": True, 

77 # "default": "", 

78 }, 

79 "input": { 

80 "type": "path", 

81 "message": "Python file containing table definitions.", 

82 "file_filter": lambda file: "." not in file or file.endswith(".py"), 

83 }, 

84 "output": { 

85 "type": "path", 

86 "message": "Python file where migrations will be written to.", 

87 "file_filter": lambda file: "." not in file or file.endswith(".py"), 

88 }, 

89 # disabled props: 

90 "pyproject": None, # internal 

91 "noop": None, # only for debugging 

92 "connection": None, # internal 

93 "migrate": None, # will probably conflict 

94 "fake_migrate": None, # only enable via config if required 

95} 

96 

97T = typing.TypeVar("T") 

98 

99notfound = object() 

100 

101 

102def _get_question(prop: str, annotation: typing.Type[T]) -> Optional[AnyDict]: # pragma: no cover 

103 question = questionary_types.get(prop, notfound) 

104 if question is notfound: 

105 # None means skip the question, notfound means use the type default! 

106 question = questionary_types.get(annotation) # type: ignore 

107 

108 if not question: 

109 return None 

110 # make a copy so the original is not overwritten: 

111 return question.copy() # type: ignore 

112 

113 

114def get_question(prop: str, annotation: typing.Type[T], default: T | None) -> Optional[T]: # pragma: no cover 

115 """ 

116 Generate a question based on a config property and prompt the user for it. 

117 """ 

118 if not (question := _get_question(prop, annotation)): 

119 return default 

120 

121 question["name"] = prop 

122 question["message"] = question.get("message", f"{prop}? ") 

123 default = typing.cast(T, default or question.get("default") or "") 

124 

125 if annotation is int: 

126 default = typing.cast(T, str(default)) 

127 

128 response = questionary.unsafe_prompt([question], default=default)[prop] 

129 return typing.cast(T, response) 

130 

131 

132@app.command() 

133@with_exit_code(hide_tb=IS_DEBUG) 

134def setup( 

135 config_file: typing.Annotated[Optional[str], typer.Option("--config", "-c")] = None, 

136 minimal: bool = False, 

137) -> None: # pragma: no cover 

138 """ 

139 Setup a [tool.typedal] entry in the local pyproject.toml. 

140 """ 

141 # 1. check if [tool.typedal] in pyproject.toml and ask missing questions (excl .env vars) 

142 # 2. else if [tool.migrate] and/or [tool.pydal2sql] exist in the config, ask the user with copied defaults 

143 # 3. else: ask the user every question or minimal questions based on cli arg 

144 

145 config = load_config(config_file) 

146 

147 toml_path = Path(config.pyproject) 

148 

149 if not (config.pyproject and toml_path.exists()): 

150 # no pyproject.toml found! 

151 toml_path = toml_path if config.pyproject else Path("pyproject.toml") 

152 rich.print(f"[blue]Config toml doesn't exist yet, creating {toml_path}[/blue]", file=sys.stderr) 

153 toml_path.touch() 

154 

155 toml_contents = toml_path.read_text() 

156 # tomli has native Python types, tomlkit doesn't but preserves comments 

157 toml_obj: AnyDict = tomli.loads(toml_contents) 

158 

159 if "[tool.pydal2sql]" in toml_contents: 

160 mapping = {"": ""} # <- placeholder 

161 

162 extra_config = toml_obj["tool"]["pydal2sql"] 

163 extra_config = {mapping.get(k, k): v for k, v in extra_config.items()} 

164 extra_config.pop("format", None) # always edwh-migrate 

165 config.update(**extra_config) 

166 

167 if "[tool.migrate]" in toml_contents: 

168 mapping = {"migrate_uri": "database"} 

169 

170 extra_config = toml_obj["tool"]["migrate"] 

171 extra_config = {mapping.get(k, k): v for k, v in extra_config.items()} 

172 

173 config.update(**extra_config) 

174 

175 if "[tool.typedal]" in toml_contents: 

176 section = toml_obj["tool"]["typedal"] 

177 config.update(**section, _overwrite=True) 

178 

179 data = asdict(config, with_top_level_key=False) 

180 data["migrate"] = None # determined based on existence of input/output file. 

181 

182 for prop, annotation in TypeDALConfig.__annotations__.items(): 

183 if is_alias(config.__class__, prop): 

184 # don't store aliases! 

185 data.pop(prop, None) 

186 continue 

187 

188 if minimal and getattr(config, prop, None) not in (None, "") or is_optional(annotation): 

189 # property already present or not required, SKIP! 

190 data[prop] = getattr(config, prop, None) 

191 continue 

192 

193 _fill_defaults(data, prop, data.get(prop)) 

194 default_value = data.get(prop, None) 

195 answer: typing.Any = get_question(prop, annotation, default_value) 

196 

197 if isinstance(answer, str): 

198 answer = answer.strip() 

199 

200 if annotation is bool: 

201 answer = bool(answer) 

202 elif annotation is int: 

203 answer = int(answer) 

204 

205 config.update(**{prop: answer}) 

206 data[prop] = answer 

207 

208 for prop in TypeDALConfig.__annotations__: 

209 transform(data, prop) 

210 

211 with toml_path.open("r") as f: 

212 old_contents: AnyDict = tomlkit.load(f) 

213 

214 if "tool" not in old_contents: 

215 old_contents["tool"] = {} 

216 

217 data.pop("pyproject", None) 

218 data.pop("connection", None) 

219 

220 # ignore any None: 

221 old_contents["tool"]["typedal"] = {k: v for k, v in data.items() if v is not None} 

222 

223 with toml_path.open("w") as f: 

224 tomlkit.dump(old_contents, f) 

225 

226 rich.print(f"[green]Wrote updated config to {toml_path}![/green]") 

227 

228 

229@app.command(name="migrations.generate") 

230@with_exit_code(hide_tb=IS_DEBUG) 

231def generate_migrations( 

232 connection: typing.Annotated[str, typer.Option("--connection", "-c")] = None, 

233 filename_before: OptionalArgument[str] = None, 

234 filename_after: OptionalArgument[str] = None, 

235 dialect: DBType_Option = None, 

236 tables: Tables_Option = None, 

237 magic: Optional[bool] = None, 

238 noop: Optional[bool] = None, 

239 function: Optional[str] = None, 

240 output_format: OutputFormat_Option = None, 

241 output_file: Optional[str] = None, 

242 dry_run: bool = False, 

243) -> bool: # pragma: no cover 

244 """ 

245 Run pydal2sql based on the typedal config. 

246 """ 

247 # 1. choose CREATE or ALTER based on whether 'output' exists? 

248 # 2. pass right args based on 'config' to function chosen in 1. 

249 generic_config = load_config(connection) 

250 pydal2sql_config = generic_config.to_pydal2sql() 

251 pydal2sql_config.update( 

252 magic=magic, 

253 noop=noop, 

254 tables=tables, 

255 db_type=dialect.value if dialect else None, 

256 function=function, 

257 format=output_format, 

258 input=filename_before, 

259 output=output_file, 

260 _skip_none=True, 

261 ) 

262 

263 if pydal2sql_config.output and Path(pydal2sql_config.output).exists(): 

264 if dry_run: 

265 print("Would run `pyda2sql alter` with config", asdict(pydal2sql_config), file=sys.stderr) 

266 sys.stderr.flush() 

267 

268 return True 

269 else: # pragma: no cover 

270 return core_alter( 

271 pydal2sql_config.input, 

272 filename_after or pydal2sql_config.input, 

273 db_type=pydal2sql_config.db_type, 

274 tables=pydal2sql_config.tables, 

275 noop=pydal2sql_config.noop, 

276 magic=pydal2sql_config.magic, 

277 function=pydal2sql_config.function, 

278 output_format=pydal2sql_config.format, 

279 output_file=pydal2sql_config.output, 

280 ) 

281 else: 

282 if dry_run: 

283 print("Would run `pyda2sql create` with config", asdict(pydal2sql_config), file=sys.stderr) 

284 sys.stderr.flush() 

285 

286 return True 

287 else: # pragma: no cover 

288 return core_create( 

289 filename=pydal2sql_config.input, 

290 db_type=pydal2sql_config.db_type, 

291 tables=pydal2sql_config.tables, 

292 noop=pydal2sql_config.noop, 

293 magic=pydal2sql_config.magic, 

294 function=pydal2sql_config.function, 

295 output_format=pydal2sql_config.format, 

296 output_file=pydal2sql_config.output, 

297 ) 

298 

299 

300@app.command(name="migrations.run") 

301@with_exit_code(hide_tb=IS_DEBUG) 

302def run_migrations( 

303 connection: typing.Annotated[str, typer.Option("--connection", "-c")] = None, 

304 migrations_file: OptionalArgument[str] = None, 

305 db_uri: Optional[str] = None, 

306 db_folder: Optional[str] = None, 

307 schema_version: Optional[str] = None, 

308 redis_host: Optional[str] = None, 

309 migrate_cat_command: Optional[str] = None, 

310 database_to_restore: Optional[str] = None, 

311 migrate_table: Optional[str] = None, 

312 flag_location: Optional[str] = None, 

313 schema: Optional[str] = None, 

314 create_flag_location: Optional[bool] = None, 

315 dry_run: bool = False, 

316) -> bool: # pragma: no cover 

317 """ 

318 Run edwh-migrate based on the typedal config. 

319 """ 

320 # 1. build migrate Config from TypeDAL config 

321 # 2. import right file 

322 # 3. `activate_migrations` 

323 generic_config = load_config(connection) 

324 migrate_config = generic_config.to_migrate() 

325 

326 migrate_config.update( 

327 migrate_uri=db_uri, 

328 schema_version=schema_version, 

329 redis_host=redis_host, 

330 migrate_cat_command=migrate_cat_command, 

331 database_to_restore=database_to_restore, 

332 migrate_table=migrate_table, 

333 flag_location=flag_location, 

334 schema=schema, 

335 create_flag_location=create_flag_location, 

336 db_folder=db_folder, 

337 migrations_file=migrations_file, 

338 _skip_none=True, 

339 ) 

340 

341 if dry_run: 

342 print("Would run `migrate` with config", asdict(migrate_config), file=sys.stderr) 

343 else: # pragma: no cover 

344 edwh_migrate.console_hook([], config=migrate_config) 

345 return True 

346 

347 

348@app.command(name="migrations.fake") 

349@with_exit_code(hide_tb=IS_DEBUG) 

350def fake_migrations( 

351 names: typing.Annotated[list[str], typer.Argument()] = None, 

352 all: bool = False, # noqa: A002 

353 connection: typing.Annotated[str, typer.Option("--connection", "-c")] = None, 

354 migrations_file: Optional[str] = None, 

355 db_uri: Optional[str] = None, 

356 db_folder: Optional[str] = None, 

357 migrate_table: Optional[str] = None, 

358 dry_run: bool = False, 

359) -> int: # pragma: no cover 

360 """ 

361 Mark one or more migrations as completed in the database, without executing the SQL code. 

362 

363 glob is supported in 'names' 

364 """ 

365 if not (names or all): 

366 rich.print("Please provide one or more migration names, or pass --all to fake all.") 

367 return 1 

368 

369 generic_config = load_config(connection) 

370 migrate_config = generic_config.to_migrate() 

371 

372 migrate_config.update( 

373 migrate_uri=db_uri, 

374 migrate_table=migrate_table, 

375 db_folder=db_folder, 

376 migrations_file=migrations_file, 

377 _skip_none=True, 

378 ) 

379 

380 migrations = edwh_migrate.list_migrations(migrate_config) 

381 

382 migration_names = list(migrations.keys()) 

383 

384 to_fake = migration_names if all else match_strings(names or [], migration_names) 

385 

386 try: 

387 db = edwh_migrate.setup_db(config=migrate_config) 

388 except edwh_migrate.migrate.DatabaseNotYetInitialized: 

389 db = edwh_migrate.setup_db( 

390 config=migrate_config, migrate=True, migrate_enabled=True, remove_migrate_tablefile=True 

391 ) 

392 

393 previously_migrated = ( 

394 db( 

395 db.ewh_implemented_features.name.belongs(to_fake) 

396 & (db.ewh_implemented_features.installed == True) # noqa E712 

397 ) 

398 .select(db.ewh_implemented_features.name) 

399 .column("name") 

400 ) 

401 

402 if dry_run: 

403 rich.print("Would migrate these:", [_ for _ in to_fake if _ not in previously_migrated]) 

404 return 0 

405 

406 n = len(to_fake) 

407 print(f"{len(previously_migrated)} / {n} were already installed.") 

408 

409 for name in to_fake: 

410 if name in previously_migrated: 

411 continue 

412 

413 edwh_migrate.mark_migration(db, name=name, installed=True) 

414 

415 db.commit() 

416 rich.print(f"Faked {n} new migrations.") 

417 return 0 

418 

419 

420@app.command(name="migrations.stub") 

421@with_exit_code(hide_tb=IS_DEBUG) 

422def migrations_stub( 

423 migration_name: typing.Annotated[str, typer.Argument()] = "stub_migration", 

424 connection: typing.Annotated[str, typer.Option("--connection", "-c")] = None, 

425 output_format: OutputFormat_Option = None, 

426 output_file: Optional[str] = None, 

427 dry_run: typing.Annotated[bool, typer.Option("--dry", "--dry-run")] = False, 

428 is_pydal: typing.Annotated[bool, typer.Option("--pydal", "-p")] = False, 

429 # defaults to is_typedal of course 

430) -> int: 

431 """ 

432 Create an empty migration via pydal2sql. 

433 """ 

434 generic_config = load_config(connection) 

435 pydal2sql_config = generic_config.to_pydal2sql() 

436 pydal2sql_config.update( 

437 format=output_format, 

438 output=output_file, 

439 _skip_none=True, 

440 ) 

441 

442 core_stub( 

443 migration_name, # raw, without date or number 

444 output_format=pydal2sql_config.format, 

445 output_file=pydal2sql_config.output or None, 

446 dry_run=dry_run, 

447 is_typedal=not is_pydal, 

448 ) 

449 return 0 

450 

451 

452AnyNestedDict: typing.TypeAlias = dict[str, AnyDict] 

453 

454 

455def tabulate_data(data: AnyNestedDict) -> None: 

456 """ 

457 Print a nested dict of data in a nice, human-readable table. 

458 """ 

459 flattened_data = [] 

460 for key, inner_dict in data.items(): 

461 temp_dict = {"": key} 

462 temp_dict.update(inner_dict) 

463 flattened_data.append(temp_dict) 

464 

465 # Display the tabulated data from the transposed dictionary 

466 print(tabulate(flattened_data, headers="keys")) 

467 

468 

469FormatOptions: typing.TypeAlias = typing.Literal["plaintext", "json", "yaml", "toml"] 

470 

471 

472def get_output_format(fmt: FormatOptions) -> typing.Callable[[AnyNestedDict], None]: 

473 """ 

474 This function takes a format option as input and \ 

475 returns a function that can be used to output data in the specified format. 

476 """ 

477 match fmt: 

478 case "plaintext": 

479 output = tabulate_data 

480 case "json": 

481 

482 def output(_data: AnyDict | AnyNestedDict) -> None: 

483 import json 

484 

485 print(json.dumps(_data, indent=2)) 

486 

487 case "yaml": 

488 

489 def output(_data: AnyDict | AnyNestedDict) -> None: 

490 import yaml 

491 

492 print(yaml.dump(_data)) 

493 

494 case "toml": 

495 

496 def output(_data: AnyDict | AnyNestedDict) -> None: 

497 import tomli_w 

498 

499 print(tomli_w.dumps(_data)) 

500 

501 case _: 

502 options = typing.get_args(FormatOptions) 

503 raise ValueError(f"Invalid format '{fmt}'. Please choose one of {options}.") 

504 

505 return output 

506 

507 

508@app.command(name="cache.stats") 

509@with_exit_code(hide_tb=IS_DEBUG) 

510def cache_stats( 

511 identifier: typing.Annotated[str, typer.Argument()] = "", 

512 connection: typing.Annotated[str, typer.Option("--connection", "-c")] = None, 

513 fmt: typing.Annotated[ 

514 str, typer.Option("--format", "--fmt", "-f", help="plaintext (default) or json") 

515 ] = "plaintext", 

516) -> None: # pragma: no cover 

517 """ 

518 Collect caching stats. 

519 

520 Examples: 

521 typedal cache.stats 

522 typedal cache.stats user 

523 typedal cache.stats user.3 

524 """ 

525 config = load_config(connection) 

526 db = TypeDAL(config=config, migrate=False, fake_migrate=False) 

527 

528 output = get_output_format(typing.cast(FormatOptions, fmt)) 

529 

530 data: AnyDict 

531 parts = identifier.split(".") 

532 match parts: 

533 case [] | [""]: 

534 # generic stats 

535 data = caching.calculate_stats(db) # type: ignore 

536 case [table]: 

537 # table stats 

538 data = caching.table_stats(db, table) # type: ignore 

539 case [table, row_id]: 

540 # row stats 

541 data = caching.row_stats(db, table, row_id) # type: ignore 

542 case _: 

543 raise ValueError("Please use the format `table` or `table.id` for this command.") 

544 

545 output(data) 

546 

547 # todo: 

548 # - sort by most dependencies 

549 # - sort by biggest data 

550 # - include size for table_stats, row_stats 

551 # - group by table 

552 

553 

554@app.command(name="cache.clear") 

555@with_exit_code(hide_tb=IS_DEBUG) 

556def cache_clear( 

557 connection: typing.Annotated[str, typer.Option("--connection", "-c")] = None, 

558 purge: typing.Annotated[bool, typer.Option("--all", "--purge", "-p")] = False, 

559) -> None: # pragma: no cover 

560 """ 

561 Clear (expired) items from the cache. 

562 

563 Args: 

564 connection (optional): [tool.typedal.<connection>] 

565 purge (default: no): remove all items, not only expired 

566 """ 

567 config = load_config(connection) 

568 db = TypeDAL(config=config, migrate=False, fake_migrate=False) 

569 

570 if purge: 

571 caching.clear_cache() 

572 print("Emptied cache") 

573 else: 

574 n = caching.clear_expired() 

575 print(f"Removed {n} expired from cache") 

576 

577 db.commit() 

578 

579 

580def version_callback() -> Never: 

581 """ 

582 --version requested! 

583 """ 

584 print(f"pydal2sql Version: {__version__}") 

585 

586 raise typer.Exit(0) 

587 

588 

589def config_callback() -> Never: 

590 """ 

591 --show-config requested. 

592 """ 

593 config = load_config() 

594 

595 print(repr(config)) 

596 

597 raise typer.Exit(0) 

598 

599 

600@app.callback(invoke_without_command=True) 

601def main( 

602 _: typer.Context, 

603 # stops the program: 

604 show_config: bool = False, 

605 version: bool = False, 

606) -> None: 

607 """ 

608 This script can be used to generate the create or alter sql from pydal or typedal. 

609 """ 

610 if show_config: 

611 config_callback() 

612 elif version: 

613 version_callback() 

614 # else: just continue 

615 

616 

617if __name__ == "__main__": # pragma: no cover 

618 app()