|
"""Module for checking differences between Prisma schema and database.""" |
|
|
|
import os |
|
import subprocess |
|
from typing import List, Optional, Tuple |
|
|
|
|
|
def extract_sql_commands(diff_output: str) -> List[str]: |
|
""" |
|
Extract SQL commands from the Prisma migrate diff output. |
|
Args: |
|
diff_output (str): The full output from prisma migrate diff. |
|
Returns: |
|
List[str]: A list of SQL commands extracted from the diff output. |
|
""" |
|
|
|
lines = [line.strip() for line in diff_output.split("\n") if line.strip()] |
|
|
|
sql_commands = [] |
|
current_command = "" |
|
in_sql_block = False |
|
|
|
for line in lines: |
|
if line.startswith("-- "): |
|
if in_sql_block and current_command: |
|
sql_commands.append(current_command.strip()) |
|
current_command = "" |
|
in_sql_block = True |
|
elif in_sql_block: |
|
if line.endswith(";"): |
|
current_command += line |
|
sql_commands.append(current_command.strip()) |
|
current_command = "" |
|
in_sql_block = False |
|
else: |
|
current_command += line + " " |
|
|
|
|
|
if current_command: |
|
sql_commands.append(current_command.strip()) |
|
|
|
return sql_commands |
|
|
|
|
|
def check_prisma_schema_diff_helper(db_url: str) -> Tuple[bool, List[str]]: |
|
"""Checks for differences between current database and Prisma schema. |
|
Returns: |
|
A tuple containing: |
|
- A boolean indicating if differences were found (True) or not (False). |
|
- A string with the diff output or error message. |
|
Raises: |
|
subprocess.CalledProcessError: If the Prisma command fails. |
|
Exception: For any other errors during execution. |
|
""" |
|
try: |
|
result = subprocess.run( |
|
[ |
|
"prisma", |
|
"migrate", |
|
"diff", |
|
"--from-url", |
|
db_url, |
|
"--to-schema-datamodel", |
|
"./schema.prisma", |
|
"--script", |
|
], |
|
capture_output=True, |
|
text=True, |
|
check=True, |
|
) |
|
|
|
|
|
sql_commands = extract_sql_commands(result.stdout) |
|
|
|
if sql_commands: |
|
print("Changes to DB Schema detected") |
|
print("Required SQL commands:") |
|
for command in sql_commands: |
|
print(command) |
|
return True, sql_commands |
|
else: |
|
return False, [] |
|
except subprocess.CalledProcessError as e: |
|
error_message = f"Failed to generate migration diff. Error: {e.stderr}" |
|
print(error_message) |
|
return False, [] |
|
|
|
|
|
def check_prisma_schema_diff(db_url: Optional[str] = None) -> None: |
|
"""Main function to run the Prisma schema diff check.""" |
|
if db_url is None: |
|
db_url = os.getenv("DATABASE_URL") |
|
if db_url is None: |
|
raise Exception("DATABASE_URL not set") |
|
has_diff, message = check_prisma_schema_diff_helper(db_url) |
|
if has_diff: |
|
raise Exception( |
|
"prisma schema out of sync with db. Consider running these sql_commands to sync the two - {}".format( |
|
message |
|
) |
|
) |
|
|