-
Notifications
You must be signed in to change notification settings - Fork 5
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Merge pull request #107 from nicholasyager/nicholasyager_changesets
Feature: Implement `ChangeSet` file editing paradigm
- Loading branch information
Showing
34 changed files
with
2,291 additions
and
1,456 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,129 @@ | ||
import dataclasses | ||
import os | ||
from enum import Enum | ||
from pathlib import Path | ||
from typing import Dict, Iterable, List, Optional, Protocol | ||
|
||
|
||
class Operation(str, Enum): | ||
"""An operation describes the type of work being performed.""" | ||
|
||
Add = "add" | ||
Update = "update" | ||
Remove = "remove" | ||
Copy = "copy" | ||
Move = "move" | ||
|
||
|
||
prepositions = { | ||
Operation.Add: "to", | ||
Operation.Move: "to", | ||
Operation.Copy: "to", | ||
Operation.Update: "in", | ||
Operation.Remove: "from", | ||
} | ||
|
||
|
||
class EntityType(str, Enum): | ||
"""An EntityType represents the type of entity being operated on in a Change""" | ||
|
||
Model = "model" | ||
Analysis = "analysis" | ||
Test = "test" | ||
Snapshot = "snapshot" | ||
Operation = "operation" | ||
Seed = "seed" | ||
RPCCall = "rpc" | ||
SqlOperation = "sql_operation" | ||
Documentation = "doc" | ||
Source = "source" | ||
Macro = "macro" | ||
Exposure = "exposure" | ||
Metric = "metric" | ||
Group = "group" | ||
SemanticModel = "semantic_model" | ||
Project = "project" | ||
Code = "code" | ||
|
||
def pluralize(self) -> str: | ||
if self is self.Analysis: | ||
return "analyses" | ||
return f"{self.value}s" | ||
|
||
|
||
class Change(Protocol): | ||
"""A change represents a unit of work that should be performed within a dbt project.""" | ||
|
||
operation: Operation | ||
entity_type: EntityType | ||
identifier: str | ||
path: Path | ||
|
||
|
||
@dataclasses.dataclass | ||
class BaseChange: | ||
operation: Operation | ||
entity_type: EntityType | ||
identifier: str | ||
path: Path | ||
|
||
def __post_init__(self): | ||
"""Validate BaseChange objects""" | ||
assert ( | ||
self.path.is_absolute() | ||
), f"Change paths must be absolute. Check the path to {self.path}" | ||
|
||
def __str__(self): | ||
return ( | ||
f"{self.operation.value.capitalize()} {self.entity_type.value} " | ||
f"`{self.identifier}` {prepositions[self.operation]} {self.path.relative_to(os.getcwd())}" | ||
) | ||
|
||
|
||
@dataclasses.dataclass | ||
class ResourceChange(BaseChange): | ||
"""A ResourceChange represents a unit of work that should be performed on a Resource in a dbt project.""" | ||
|
||
data: Dict | ||
source_name: Optional[str] = None | ||
|
||
def __str__(self): | ||
return ( | ||
f"{self.operation.value.capitalize()} {self.entity_type.value} " | ||
f"`{self.source_name + '.' if self.source_name else ''}{self.identifier}` " | ||
f"{prepositions[self.operation]} {self.path.relative_to(os.getcwd())}" | ||
) | ||
|
||
|
||
@dataclasses.dataclass | ||
class FileChange(BaseChange): | ||
"""A FileChange represents a unit of work that should be performed on a File in a dbt project.""" | ||
|
||
data: Optional[str] = None | ||
source: Optional[Path] = None | ||
|
||
|
||
class ChangeSet: | ||
"""A collection of Changes that will be performed""" | ||
|
||
def __init__(self, changes: Optional[List[Change]] = None) -> None: | ||
self.changes: List[Change] = changes if changes else [] | ||
self.step = -1 | ||
|
||
def add(self, change: Change) -> None: | ||
"""Add a change to the ChangeSet.""" | ||
self.changes.append(change) | ||
|
||
def extend(self, changes: Iterable[Change]) -> None: | ||
"""Extend a ChangeSet with an iterable of Changes.""" | ||
self.changes.extend(changes) | ||
|
||
def __iter__(self) -> "ChangeSet": | ||
return self | ||
|
||
def __next__(self) -> Change: | ||
self.step += 1 | ||
if self.step < len(self.changes): | ||
return self.changes[self.step] | ||
self.step = -1 | ||
raise StopIteration |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,56 @@ | ||
from itertools import chain | ||
from typing import Iterable | ||
|
||
from loguru import logger | ||
|
||
from dbt_meshify.change import Change, ChangeSet, EntityType | ||
from dbt_meshify.storage.file_content_editors import RawFileEditor, ResourceFileEditor | ||
|
||
|
||
class ChangeSetProcessorException(BaseException): | ||
def __init__(self, change: Change, exception: BaseException) -> None: | ||
self.change = change | ||
self.exception = exception | ||
super().__init__(f"Error processing change {self.change}") | ||
|
||
|
||
class ChangeSetProcessor: | ||
""" | ||
A ChangeSetProcessor iterates through ChangeSets and executes each Change | ||
""" | ||
|
||
def __init__(self, dry_run: bool = False) -> None: | ||
self.__dry_run = dry_run | ||
|
||
def write(self, change: Change) -> None: | ||
"""Commit a Change to the file system.""" | ||
file_editor = ( | ||
RawFileEditor() if change.entity_type == EntityType.Code else ResourceFileEditor() | ||
) | ||
|
||
file_editor.__getattribute__(change.operation)(change) | ||
|
||
def process(self, change_sets: Iterable[ChangeSet]) -> None: | ||
""" | ||
Process an iterable of ChangeSets. This is the mechanism by which file modifications | ||
are orchestrated. | ||
""" | ||
|
||
if self.__dry_run: | ||
logger.warning("Dry-run mode active. dbt-meshify will not modify any files.") | ||
|
||
changes = list(chain.from_iterable(change_sets)) | ||
for step, change in enumerate(changes): | ||
try: | ||
logger.debug(change.__repr__()) | ||
|
||
level = "PLANNED" if self.__dry_run else "STARTING" | ||
logger.log(level, f"{str(change)}", step=step, steps=len(changes)) | ||
|
||
if self.__dry_run: | ||
continue | ||
|
||
self.write(change) | ||
logger.success(f"{str(change)}", step=step, steps=len(changes)) | ||
except Exception as e: | ||
raise ChangeSetProcessorException(change=change, exception=e) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.