-
Notifications
You must be signed in to change notification settings - Fork 26
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
feat(runner): add transformers pipeline logic #367
Draft
rickstaa
wants to merge
1
commit into
main
Choose a base branch
from
add_transformers_pipeline
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
+169
−1
Draft
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
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
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,160 @@ | ||
import logging | ||
import torch | ||
import os | ||
from typing import Union, Annotated, Dict, Tuple, Any | ||
from fastapi.responses import JSONResponse | ||
from fastapi.security import HTTPAuthorizationCredentials, HTTPBearer | ||
from fastapi import APIRouter, status, Depends | ||
from pydantic import BaseModel, Field, HttpUrl | ||
from transformers import pipeline | ||
from app.pipelines.utils import get_torch_device | ||
|
||
from app.routes.utils import http_error, handle_pipeline_exception, HTTPError | ||
|
||
router = APIRouter() | ||
|
||
logger = logging.getLogger(__name__) | ||
|
||
# Pipeline specific error handling configuration. | ||
PIPELINE_ERROR_CONFIG: Dict[str, Tuple[Union[str, None], int]] = { | ||
# Error strings. | ||
"Unknown task string": ( | ||
"", | ||
status.HTTP_400_BAD_REQUEST, | ||
), | ||
"unexpected keyword argument": ( | ||
"Unexpected keyword argument provided.", | ||
status.HTTP_400_BAD_REQUEST, | ||
), | ||
# Specific error types. | ||
"OutOfMemoryError": ( | ||
"Out of memory error. Try reducing output image resolution.", | ||
status.HTTP_500_INTERNAL_SERVER_ERROR, | ||
), | ||
} | ||
|
||
|
||
class InferenceRequest(BaseModel): | ||
# TODO: Make params optional once Go codegen tool supports OAPI 3.1 | ||
# https://github.com/deepmap/oapi-codegen/issues/373 | ||
task: Annotated[ | ||
str, | ||
Field( | ||
description=( | ||
"The transformer task to perform. E.g. 'automatic-speech-recognition'." | ||
), | ||
), | ||
] | ||
model_name: Annotated[ | ||
str, | ||
Field( | ||
description=( | ||
"The transformer model to use for the task. E.g. 'openai/whisper-base'." | ||
), | ||
), | ||
] | ||
input: Annotated[ | ||
Union[str, HttpUrl], | ||
Field( | ||
description=( | ||
"The input data to be transformed. Can be string or an url to a file." | ||
), | ||
), | ||
] | ||
pipeline_params: Dict[str, Any] = Field( | ||
default_factory=dict, | ||
description="Additional keyword arguments to pass to the transformer pipeline during inference. E.g. {'return_timestamps': True, 'max_length': 50}.", | ||
) | ||
|
||
|
||
class InferenceResponse(BaseModel): | ||
"""Response model for transformer inference.""" | ||
|
||
output: Any = Field( | ||
..., description="The output data transformed by the transformer pipeline." | ||
) | ||
|
||
|
||
RESPONSES = { | ||
status.HTTP_200_OK: { | ||
"content": { | ||
"application/json": { | ||
"schema": { | ||
"x-speakeasy-name-override": "data", | ||
} | ||
} | ||
}, | ||
}, | ||
status.HTTP_400_BAD_REQUEST: {"model": HTTPError}, | ||
status.HTTP_401_UNAUTHORIZED: {"model": HTTPError}, | ||
status.HTTP_500_INTERNAL_SERVER_ERROR: {"model": HTTPError}, | ||
} | ||
|
||
|
||
@router.post( | ||
"/transformers", | ||
response_model=InferenceResponse, | ||
responses=RESPONSES, | ||
description="Perform inference using a Hugging Face transformer model.", | ||
operation_id="genTransformers", | ||
summary="Transformers", | ||
tags=["generate"], | ||
openapi_extra={"x-speakeasy-name-override": "transformers"}, | ||
) | ||
@router.post("/transformers/", responses=RESPONSES, include_in_schema=False) | ||
async def transformers( | ||
request: InferenceRequest, | ||
token: HTTPAuthorizationCredentials = Depends(HTTPBearer(auto_error=False)), | ||
): | ||
auth_token = os.environ.get("AUTH_TOKEN") | ||
if auth_token: | ||
if not token or token.credentials != auth_token: | ||
return JSONResponse( | ||
status_code=status.HTTP_401_UNAUTHORIZED, | ||
headers={"WWW-Authenticate": "Bearer"}, | ||
content=http_error("Invalid bearer token."), | ||
) | ||
|
||
if not request.task and not request.model_name: | ||
raise JSONResponse( | ||
status_code=status.HTTP_400_BAD_REQUEST, | ||
content=http_error("Either 'task' or 'model_name' must be provided."), | ||
) | ||
if not request.input: | ||
raise JSONResponse( | ||
status_code=status.HTTP_400_BAD_REQUEST, | ||
content=http_error("'input' field is required."), | ||
) | ||
|
||
torch_device = get_torch_device() | ||
|
||
# Initialize the pipeline with the specified task and model ID. | ||
pipeline_kwargs = {} | ||
if request.task: | ||
pipeline_kwargs["task"] = request.task | ||
if request.model_name: | ||
pipeline_kwargs["model"] = request.model_name | ||
try: | ||
pipe = pipeline(device=torch_device, **pipeline_kwargs) | ||
except Exception as e: | ||
return handle_pipeline_exception( | ||
e, | ||
default_error_message=f"Pipeline initialization error: {e}.", | ||
custom_error_config=PIPELINE_ERROR_CONFIG, | ||
) | ||
|
||
# Perform inference using the pipeline. | ||
try: | ||
out = pipe(request.input, **request.pipeline_params) | ||
except Exception as e: | ||
if isinstance(e, torch.cuda.OutOfMemoryError): | ||
# TODO: Investigate why not all VRAM memory is cleared. | ||
torch.cuda.empty_cache() | ||
logger.error(f"TransformersPipeline error: {e}") | ||
return handle_pipeline_exception( | ||
e, | ||
default_error_message="transformers pipeline error.", | ||
custom_error_config=PIPELINE_ERROR_CONFIG, | ||
) | ||
|
||
return {"output": out} |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I'm haven't checked whether models are removed from the GPU afterward.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
@rickstaa I think either we can perform cache cleaning with
empty_cache()
or use pipeline in context manager:with pipeline(...)