Skip to content

Commit d75a8d8

Browse files
authored
Create Public API Endpoints for Streaming Team Responses and Retrieving Thread Data via API Key (#137)
* Create apikey table * Add create apikey route * Add route to read api keys * Add route to delete api key * Add route to stream response from team using api key * Generate clients for new routes * Change ApiKeyIn model name to ApiKeyCreate for consistency * Fix created_at col to have timezone and description col to be nullable=true for apikey table * Fix create_api_key route so if description is whitespace only or empty string it will be None * Add component consisting of readonly input + copy button * Create add api key modal component * Dont allow close on overlay click and remove close button from AppApiKey modal * Add descriptive docstring for public_stream route * Add 'Configure' tab * Create dep for checking if api key belong to team. Rename 'id' param to 'team_id' for public_stream so its consistent with other routes * Create public read thread route * Fix EditMember modal so it does not crash it an invalid modelProvider is specified * Update readme to mention public api endpoints * Fix mypy issues * Fix import error * Update publicStream parameter names
1 parent e1694cb commit d75a8d8

28 files changed

+1051
-9
lines changed

README.md

+3-2
Original file line numberDiff line numberDiff line change
@@ -42,7 +42,7 @@
4242
- [Contribution](#contribution)
4343
- [Release Notes](#release-notes)
4444
- [License](#license)
45-
45+
4646

4747
> [!WARNING]
4848
> This project is currently under heavy development. Please be aware that significant changes may occur.
@@ -66,6 +66,7 @@ and many many more!
6666
- **Retrieval Augmented Generation**: Enable your agents to reason with your internal knowledge base.
6767
- **Human-In-The-Loop**: Enable human approval before tool calling.
6868
- **Open Source Models**: Use open-source LLM models such as llama, Gemma and Phi.
69+
- **Integrate Tribe with external application**: Use Tribe’s public API endpoints to interact with your teams.
6970
- **Easy Deployment**: Deploy Tribe effortlessly using Docker.
7071
- **Multi-Tenancy**: Manage and support multiple users and teams.
7172

@@ -106,7 +107,7 @@ Copy the content and use that as password / secret key. And run that again to ge
106107

107108
#### Sequential workflows
108109

109-
In a sequential workflow, your agents are arranged in an orderly sequence and execute tasks one after another. Each task can be dependent on the previous task. This is useful if you want to tasks to be completed one after another in a deterministic sequence.
110+
In a sequential workflow, your agents are arranged in an orderly sequence and execute tasks one after another. Each task can be dependent on the previous task. This is useful if you want to tasks to be completed one after another in a deterministic sequence.
110111

111112
Use this if:
112113
- Your project has clear, step-by-step tasks.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
"""add apikeys table
2+
3+
Revision ID: 25de3619cb35
4+
Revises: 20f584dc80d2
5+
Create Date: 2024-08-31 07:19:42.927401
6+
7+
"""
8+
from alembic import op
9+
import sqlalchemy as sa
10+
import sqlmodel.sql.sqltypes
11+
12+
13+
# revision identifiers, used by Alembic.
14+
revision = '25de3619cb35'
15+
down_revision = '20f584dc80d2'
16+
branch_labels = None
17+
depends_on = None
18+
19+
20+
def upgrade():
21+
# ### commands auto generated by Alembic - please adjust! ###
22+
op.create_table('apikey',
23+
sa.Column('description', sqlmodel.sql.sqltypes.AutoString(), nullable=True),
24+
sa.Column('id', sa.Integer(), nullable=False),
25+
sa.Column('hashed_key', sqlmodel.sql.sqltypes.AutoString(), nullable=False),
26+
sa.Column('short_key', sqlmodel.sql.sqltypes.AutoString(), nullable=False),
27+
sa.Column('team_id', sa.Integer(), nullable=False),
28+
sa.Column('created_at', sa.DateTime(timezone=True), nullable=True),
29+
sa.ForeignKeyConstraint(['team_id'], ['team.id'], ),
30+
sa.PrimaryKeyConstraint('id')
31+
)
32+
# ### end Alembic commands ###
33+
34+
35+
def downgrade():
36+
# ### commands auto generated by Alembic - please adjust! ###
37+
op.drop_table('apikey')
38+
# ### end Alembic commands ###

backend/app/api/deps.py

+27-2
Original file line numberDiff line numberDiff line change
@@ -3,15 +3,15 @@
33

44
import jwt
55
from fastapi import Depends, HTTPException, status
6-
from fastapi.security import OAuth2PasswordBearer
6+
from fastapi.security import APIKeyHeader, OAuth2PasswordBearer
77
from jwt.exceptions import InvalidTokenError
88
from pydantic import ValidationError
99
from sqlmodel import Session
1010

1111
from app.core import security
1212
from app.core.config import settings
1313
from app.core.db import engine
14-
from app.models import TokenPayload, User
14+
from app.models import Team, TokenPayload, User
1515

1616
reusable_oauth2 = OAuth2PasswordBearer(
1717
tokenUrl=f"{settings.API_V1_STR}/login/access-token"
@@ -55,3 +55,28 @@ def get_current_active_superuser(current_user: CurrentUser) -> User:
5555
status_code=400, detail="The user doesn't have enough privileges"
5656
)
5757
return current_user
58+
59+
60+
header_scheme = APIKeyHeader(name="x-api-key")
61+
62+
63+
def get_current_team_from_key(
64+
session: SessionDep,
65+
team_id: int,
66+
key: str = Depends(header_scheme),
67+
) -> Team:
68+
"""Return team if apikey belongs to it"""
69+
team = session.get(Team, team_id)
70+
if not team:
71+
raise HTTPException(status_code=404, detail="Team not found")
72+
verified = False
73+
for apikey in team.apikeys:
74+
if security.verify_password(key, apikey.hashed_key):
75+
verified = True
76+
break
77+
if not verified:
78+
raise HTTPException(status_code=401, detail="Invalid API key")
79+
return team
80+
81+
82+
CurrentTeam = Annotated[Team, Depends(get_current_team_from_key)]

backend/app/api/main.py

+14-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,16 @@
11
from fastapi import APIRouter
22

3-
from app.api.routes import login, members, skills, teams, threads, uploads, users, utils
3+
from app.api.routes import (
4+
apikeys,
5+
login,
6+
members,
7+
skills,
8+
teams,
9+
threads,
10+
uploads,
11+
users,
12+
utils,
13+
)
414

515
api_router = APIRouter()
616
api_router.include_router(login.router, tags=["login"])
@@ -15,3 +25,6 @@
1525
threads.router, prefix="/teams/{team_id}/threads", tags=["threads"]
1626
)
1727
api_router.include_router(uploads.router, prefix="/uploads", tags=["uploads"])
28+
api_router.include_router(
29+
apikeys.router, prefix="/teams/{team_id}/api-keys", tags=["api-keys"]
30+
)

backend/app/api/routes/apikeys.py

+121
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,121 @@
1+
from typing import Any
2+
3+
from fastapi import APIRouter, HTTPException
4+
from sqlmodel import func, select
5+
6+
from app.api.deps import CurrentUser, SessionDep
7+
from app.core.security import generate_apikey, generate_short_apikey, get_password_hash
8+
from app.models import ApiKey, ApiKeyCreate, ApiKeyOut, ApiKeysOutPublic, Message, Team
9+
10+
router = APIRouter()
11+
12+
13+
@router.get("/", response_model=ApiKeysOutPublic)
14+
def read_api_keys(
15+
session: SessionDep,
16+
current_user: CurrentUser,
17+
team_id: int,
18+
skip: int = 0,
19+
limit: int = 100,
20+
) -> Any:
21+
"""Read api keys"""
22+
if current_user.is_superuser:
23+
count_statement = select(func.count()).select_from(ApiKey)
24+
count = session.exec(count_statement).one()
25+
statement = (
26+
select(ApiKey).where(ApiKey.team_id == team_id).offset(skip).limit(limit)
27+
)
28+
apikeys = session.exec(statement).all()
29+
else:
30+
count_statement = (
31+
select(func.count())
32+
.select_from(ApiKey)
33+
.join(Team)
34+
.where(Team.owner_id == current_user.id, ApiKey.team_id == team_id)
35+
)
36+
count = session.exec(count_statement).one()
37+
statement = (
38+
select(ApiKey)
39+
.join(Team)
40+
.where(Team.owner_id == current_user.id, ApiKey.team_id == team_id)
41+
.offset(skip)
42+
.limit(limit)
43+
)
44+
apikeys = session.exec(statement).all()
45+
46+
return ApiKeysOutPublic(data=apikeys, count=count)
47+
48+
49+
@router.post("/", response_model=ApiKeyOut)
50+
def create_api_key(
51+
session: SessionDep,
52+
current_user: CurrentUser,
53+
team_id: int,
54+
apikey_in: ApiKeyCreate,
55+
) -> Any:
56+
"""Create API key for a team."""
57+
58+
# Check if the current user is not a superuser
59+
if not current_user.is_superuser:
60+
# Validate the provided team_id and check ownership
61+
team = session.get(Team, team_id)
62+
if not team:
63+
raise HTTPException(status_code=404, detail="Team not found.")
64+
if team.owner_id != current_user.id:
65+
raise HTTPException(status_code=403, detail="Not enough permissions.")
66+
67+
# Generate API key and hash it
68+
key = generate_apikey()
69+
hashed_key = get_password_hash(key)
70+
short_key = generate_short_apikey(key)
71+
72+
# Create the API key object
73+
description = apikey_in.description
74+
apikey = ApiKey(
75+
team_id=team_id,
76+
hashed_key=hashed_key,
77+
short_key=short_key,
78+
description=None if not description or not description.strip() else description,
79+
)
80+
81+
# Save the new API key to the database
82+
session.add(apikey)
83+
session.commit()
84+
session.refresh(apikey)
85+
86+
return ApiKeyOut(
87+
id=apikey.id,
88+
description=apikey.description,
89+
key=key,
90+
created_at=apikey.created_at,
91+
)
92+
93+
94+
@router.delete("/{id}")
95+
def delete_api_key(
96+
session: SessionDep, current_user: CurrentUser, team_id: int, id: int
97+
) -> Any:
98+
"""Delete API key for a team."""
99+
if current_user.is_superuser:
100+
statement = (
101+
select(ApiKey).join(Team).where(ApiKey.id == id, ApiKey.team_id == team_id)
102+
)
103+
apikey = session.exec(statement).first()
104+
else:
105+
statement = (
106+
select(ApiKey)
107+
.join(Team)
108+
.where(
109+
ApiKey.id == id,
110+
ApiKey.team_id == team_id,
111+
Team.owner_id == current_user.id,
112+
)
113+
)
114+
apikey = session.exec(statement).first()
115+
116+
if not apikey:
117+
raise HTTPException(status_code=404, detail="Api key not found")
118+
119+
session.delete(apikey)
120+
session.commit()
121+
return Message(message="Api key deleted successfully")

backend/app/api/routes/teams.py

+75-1
Original file line numberDiff line numberDiff line change
@@ -1,16 +1,23 @@
1+
from datetime import datetime
12
from typing import Any
23

34
from fastapi import APIRouter, Depends, HTTPException
45
from fastapi.responses import StreamingResponse
6+
from fastapi.security import APIKeyHeader
57
from sqlmodel import col, func, select
68

7-
from app.api.deps import CurrentUser, SessionDep
9+
from app.api.deps import (
10+
CurrentTeam,
11+
CurrentUser,
12+
SessionDep,
13+
)
814
from app.core.graph.build import generator
915
from app.models import (
1016
Member,
1117
Message,
1218
Team,
1319
TeamChat,
20+
TeamChatPublic,
1421
TeamCreate,
1522
TeamOut,
1623
TeamsOut,
@@ -20,6 +27,8 @@
2027

2128
router = APIRouter()
2229

30+
header_scheme = APIKeyHeader(name="x-api-key")
31+
2332

2433
async def validate_name_on_create(session: SessionDep, team_in: TeamCreate) -> None:
2534
"""Validate that team name is unique"""
@@ -206,3 +215,68 @@ async def stream(
206215
generator(team, members, team_chat.messages, thread_id, team_chat.interrupt),
207216
media_type="text/event-stream",
208217
)
218+
219+
220+
@router.post("/{team_id}/stream-public/{thread_id}")
221+
async def public_stream(
222+
session: SessionDep,
223+
team_id: int,
224+
team_chat: TeamChatPublic,
225+
thread_id: str,
226+
team: CurrentTeam,
227+
) -> StreamingResponse:
228+
"""
229+
Stream a response from a team using a given message or an interrupt decision. Requires an API key for authentication.
230+
231+
This endpoint allows streaming responses from a team based on a provided message or interrupt details. The request must include an API key for authorization.
232+
233+
Parameters:
234+
- `team_id` (int): The ID of the team to which the message is being sent. Must be a valid team ID.
235+
- `thread_id` (str): The ID of the thread where the message will be posted. If the thread ID does not exist, a new thread will be created.
236+
237+
Request Body (JSON):
238+
- The request body should be a JSON object containing either the `message` or `interrupt` field:
239+
- `message` (object, optional): The message to be sent to the team.
240+
- `type` (str): Must be `"human"`.
241+
- `content` (str): The content of the message to be sent.
242+
- `interrupt` (object, optional): Approve/reject tool or reply to an ask-human tool.
243+
- `decision` (str): Can be `'approved'`, `'rejected'`, or `'replied'`.
244+
- `tool_message` (str or null, optional): If `decision` is `'rejected'` or `'replied'`, provide a message explaining the reason for rejection or the reply.
245+
246+
Authorization:
247+
- API key must be provided in the request header as `x-api-key`.
248+
249+
Responses:
250+
- `200 OK`: Returns a streaming response in `text/event-stream` format containing the team's response.
251+
"""
252+
# Check if thread belongs to the team
253+
thread = session.get(Thread, thread_id)
254+
message_content = team_chat.message.content if team_chat.message else ""
255+
if not thread:
256+
# create new thread
257+
thread = Thread(
258+
id=thread_id,
259+
query=message_content,
260+
updated_at=datetime.now(),
261+
team_id=team_id,
262+
)
263+
session.add(thread)
264+
session.commit()
265+
session.refresh(thread)
266+
else:
267+
if thread.team_id != team_id:
268+
raise HTTPException(
269+
status_code=400, detail="Thread does not belong to the team"
270+
)
271+
272+
# Populate the skills and accessible uploads for each member
273+
members = team.members
274+
for member in members:
275+
member.skills = member.skills
276+
member.uploads = member.uploads
277+
278+
messages = [team_chat.message] if team_chat.message else []
279+
return StreamingResponse(
280+
generator(team, members, messages, thread_id, team_chat.interrupt),
281+
media_type="text/event-stream",
282+
)

0 commit comments

Comments
 (0)