| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313 |
- import contextlib
- from collections.abc import Callable, Sequence
- from typing import Any, Optional, Union
-
- from sqlalchemy import asc, desc, func, or_, select
- from sqlalchemy.orm import Session
-
- from core.app.entities.app_invoke_entities import InvokeFrom
- from core.llm_generator.llm_generator import LLMGenerator
- from core.variables.types import SegmentType
- from core.workflow.nodes.variable_assigner.common.impl import conversation_variable_updater_factory
- from extensions.ext_database import db
- from factories import variable_factory
- from libs.datetime_utils import naive_utc_now
- from libs.infinite_scroll_pagination import InfiniteScrollPagination
- from models import ConversationVariable
- from models.account import Account
- from models.model import App, Conversation, EndUser, Message
- from services.errors.conversation import (
- ConversationNotExistsError,
- ConversationVariableNotExistsError,
- ConversationVariableTypeMismatchError,
- LastConversationNotExistsError,
- )
- from services.errors.message import MessageNotExistsError
-
-
- class ConversationService:
- @classmethod
- def pagination_by_last_id(
- cls,
- *,
- session: Session,
- app_model: App,
- user: Optional[Union[Account, EndUser]],
- last_id: Optional[str],
- limit: int,
- invoke_from: InvokeFrom,
- include_ids: Optional[Sequence[str]] = None,
- exclude_ids: Optional[Sequence[str]] = None,
- sort_by: str = "-updated_at",
- ) -> InfiniteScrollPagination:
- if not user:
- return InfiniteScrollPagination(data=[], limit=limit, has_more=False)
-
- stmt = select(Conversation).where(
- Conversation.is_deleted == False,
- Conversation.app_id == app_model.id,
- Conversation.from_source == ("api" if isinstance(user, EndUser) else "console"),
- Conversation.from_end_user_id == (user.id if isinstance(user, EndUser) else None),
- Conversation.from_account_id == (user.id if isinstance(user, Account) else None),
- or_(Conversation.invoke_from.is_(None), Conversation.invoke_from == invoke_from.value),
- )
- # Check if include_ids is not None to apply filter
- if include_ids is not None:
- if len(include_ids) == 0:
- # If include_ids is empty, return empty result
- return InfiniteScrollPagination(data=[], limit=limit, has_more=False)
- stmt = stmt.where(Conversation.id.in_(include_ids))
- # Check if exclude_ids is not None to apply filter
- if exclude_ids is not None:
- if len(exclude_ids) > 0:
- stmt = stmt.where(~Conversation.id.in_(exclude_ids))
-
- # define sort fields and directions
- sort_field, sort_direction = cls._get_sort_params(sort_by)
-
- if last_id:
- last_conversation = session.scalar(stmt.where(Conversation.id == last_id))
- if not last_conversation:
- raise LastConversationNotExistsError()
-
- # build filters based on sorting
- filter_condition = cls._build_filter_condition(
- sort_field=sort_field,
- sort_direction=sort_direction,
- reference_conversation=last_conversation,
- )
- stmt = stmt.where(filter_condition)
- query_stmt = stmt.order_by(sort_direction(getattr(Conversation, sort_field))).limit(limit)
- conversations = session.scalars(query_stmt).all()
-
- has_more = False
- if len(conversations) == limit:
- current_page_last_conversation = conversations[-1]
- rest_filter_condition = cls._build_filter_condition(
- sort_field=sort_field,
- sort_direction=sort_direction,
- reference_conversation=current_page_last_conversation,
- )
- count_stmt = select(func.count()).select_from(stmt.where(rest_filter_condition).subquery())
- rest_count = session.scalar(count_stmt) or 0
- if rest_count > 0:
- has_more = True
-
- return InfiniteScrollPagination(data=conversations, limit=limit, has_more=has_more)
-
- @classmethod
- def _get_sort_params(cls, sort_by: str):
- if sort_by.startswith("-"):
- return sort_by[1:], desc
- return sort_by, asc
-
- @classmethod
- def _build_filter_condition(cls, sort_field: str, sort_direction: Callable, reference_conversation: Conversation):
- field_value = getattr(reference_conversation, sort_field)
- if sort_direction is desc:
- return getattr(Conversation, sort_field) < field_value
-
- return getattr(Conversation, sort_field) > field_value
-
- @classmethod
- def rename(
- cls,
- app_model: App,
- conversation_id: str,
- user: Optional[Union[Account, EndUser]],
- name: str,
- auto_generate: bool,
- ):
- conversation = cls.get_conversation(app_model, conversation_id, user)
-
- if auto_generate:
- return cls.auto_generate_name(app_model, conversation)
- else:
- conversation.name = name
- conversation.updated_at = naive_utc_now()
- db.session.commit()
-
- return conversation
-
- @classmethod
- def auto_generate_name(cls, app_model: App, conversation: Conversation):
- # get conversation first message
- message = (
- db.session.query(Message)
- .where(Message.app_id == app_model.id, Message.conversation_id == conversation.id)
- .order_by(Message.created_at.asc())
- .first()
- )
-
- if not message:
- raise MessageNotExistsError()
-
- # generate conversation name
- with contextlib.suppress(Exception):
- name = LLMGenerator.generate_conversation_name(
- app_model.tenant_id, message.query, conversation.id, app_model.id
- )
- conversation.name = name
-
- db.session.commit()
-
- return conversation
-
- @classmethod
- def get_conversation(cls, app_model: App, conversation_id: str, user: Optional[Union[Account, EndUser]]):
- conversation = (
- db.session.query(Conversation)
- .where(
- Conversation.id == conversation_id,
- Conversation.app_id == app_model.id,
- Conversation.from_source == ("api" if isinstance(user, EndUser) else "console"),
- Conversation.from_end_user_id == (user.id if isinstance(user, EndUser) else None),
- Conversation.from_account_id == (user.id if isinstance(user, Account) else None),
- Conversation.is_deleted == False,
- )
- .first()
- )
-
- if not conversation:
- raise ConversationNotExistsError()
-
- return conversation
-
- @classmethod
- def delete(cls, app_model: App, conversation_id: str, user: Optional[Union[Account, EndUser]]):
- conversation = cls.get_conversation(app_model, conversation_id, user)
-
- conversation.is_deleted = True
- conversation.updated_at = naive_utc_now()
- db.session.commit()
-
- @classmethod
- def get_conversational_variable(
- cls,
- app_model: App,
- conversation_id: str,
- user: Optional[Union[Account, EndUser]],
- limit: int,
- last_id: Optional[str],
- ) -> InfiniteScrollPagination:
- conversation = cls.get_conversation(app_model, conversation_id, user)
-
- stmt = (
- select(ConversationVariable)
- .where(ConversationVariable.app_id == app_model.id)
- .where(ConversationVariable.conversation_id == conversation.id)
- .order_by(ConversationVariable.created_at)
- )
-
- with Session(db.engine) as session:
- if last_id:
- last_variable = session.scalar(stmt.where(ConversationVariable.id == last_id))
- if not last_variable:
- raise ConversationVariableNotExistsError()
-
- # Filter for variables created after the last_id
- stmt = stmt.where(ConversationVariable.created_at > last_variable.created_at)
-
- # Apply limit to query
- query_stmt = stmt.limit(limit) # Get one extra to check if there are more
- rows = session.scalars(query_stmt).all()
-
- has_more = False
- if len(rows) > limit:
- has_more = True
- rows = rows[:limit] # Remove the extra item
-
- variables = [
- {
- "created_at": row.created_at,
- "updated_at": row.updated_at,
- **row.to_variable().model_dump(),
- }
- for row in rows
- ]
-
- return InfiniteScrollPagination(variables, limit, has_more)
-
- @classmethod
- def update_conversation_variable(
- cls,
- app_model: App,
- conversation_id: str,
- variable_id: str,
- user: Optional[Union[Account, EndUser]],
- new_value: Any,
- ) -> dict:
- """
- Update a conversation variable's value.
-
- Args:
- app_model: The app model
- conversation_id: The conversation ID
- variable_id: The variable ID to update
- user: The user (Account or EndUser)
- new_value: The new value for the variable
-
- Returns:
- Dictionary containing the updated variable information
-
- Raises:
- ConversationNotExistsError: If the conversation doesn't exist
- ConversationVariableNotExistsError: If the variable doesn't exist
- ConversationVariableTypeMismatchError: If the new value type doesn't match the variable's expected type
- """
- # Verify conversation exists and user has access
- conversation = cls.get_conversation(app_model, conversation_id, user)
-
- # Get the existing conversation variable
- stmt = (
- select(ConversationVariable)
- .where(ConversationVariable.app_id == app_model.id)
- .where(ConversationVariable.conversation_id == conversation.id)
- .where(ConversationVariable.id == variable_id)
- )
-
- with Session(db.engine) as session:
- existing_variable = session.scalar(stmt)
- if not existing_variable:
- raise ConversationVariableNotExistsError()
-
- # Convert existing variable to Variable object
- current_variable = existing_variable.to_variable()
-
- # Validate that the new value type matches the expected variable type
- expected_type = SegmentType(current_variable.value_type)
-
- # There is showing number in web ui but int in db
- if expected_type == SegmentType.INTEGER:
- expected_type = SegmentType.NUMBER
-
- if not expected_type.is_valid(new_value):
- inferred_type = SegmentType.infer_segment_type(new_value)
- raise ConversationVariableTypeMismatchError(
- f"Type mismatch: variable '{current_variable.name}' expects {expected_type.value}, "
- f"but got {inferred_type.value if inferred_type else 'unknown'} type"
- )
-
- # Create updated variable with new value only, preserving everything else
- updated_variable_dict = {
- "id": current_variable.id,
- "name": current_variable.name,
- "description": current_variable.description,
- "value_type": current_variable.value_type,
- "value": new_value,
- "selector": current_variable.selector,
- }
-
- updated_variable = variable_factory.build_conversation_variable_from_mapping(updated_variable_dict)
-
- # Use the conversation variable updater to persist the changes
- updater = conversation_variable_updater_factory()
- updater.update(conversation_id, updated_variable)
- updater.flush()
-
- # Return the updated variable data
- return {
- "created_at": existing_variable.created_at,
- "updated_at": naive_utc_now(), # Update timestamp
- **updated_variable.model_dump(),
- }
|