Files
Auto-GPT/frontend/lib/viewmodels/chat_viewmodel.dart
hunteraraujo f3210fba96 Add _isWaitingForAgentResponse Property to ChatViewModel
A new property named _isWaitingForAgentResponse has been introduced to the ChatViewModel class to track the loading state when waiting for the agent's response. This boolean property is set to true when a chat message is being sent and reverts to false upon completion, whether successful or not. The notifyListeners() method is invoked to update the UI accordingly. This enhancement facilitates the display of a loading indicator, offering users visual feedback during the wait time for agent responses.
2023-09-28 13:09:05 -07:00

195 lines
6.0 KiB
Dart

import 'package:auto_gpt_flutter_client/models/step.dart';
import 'package:auto_gpt_flutter_client/models/step_request_body.dart';
import 'package:flutter/foundation.dart';
import 'package:auto_gpt_flutter_client/services/chat_service.dart';
import 'package:auto_gpt_flutter_client/models/chat.dart';
import 'package:auto_gpt_flutter_client/models/message_type.dart';
class ChatViewModel with ChangeNotifier {
final ChatService _chatService;
List<Chat> _chats = [];
String? _currentTaskId;
bool _isWaitingForAgentResponse = false;
bool get isWaitingForAgentResponse => _isWaitingForAgentResponse;
bool _isContinuousMode = false;
bool get isContinuousMode => _isContinuousMode;
set isContinuousMode(bool value) {
_isContinuousMode = value;
notifyListeners();
}
ChatViewModel(this._chatService);
/// Returns the current list of chats.
List<Chat> get chats => _chats;
String? get currentTaskId => _currentTaskId;
void setCurrentTaskId(String taskId) {
if (_currentTaskId != taskId) {
_currentTaskId = taskId;
fetchChatsForTask();
}
}
void clearCurrentTaskAndChats() {
_currentTaskId = null;
_chats.clear();
notifyListeners(); // Notify listeners to rebuild UI
}
/// Fetches chats from the data source for a specific task.
void fetchChatsForTask() async {
if (_currentTaskId == null) {
print("Error: Task ID is not set.");
return;
}
try {
// Fetch task steps from the data source
final Map<String, dynamic> stepsResponse =
await _chatService.listTaskSteps(_currentTaskId!, pageSize: 10000);
// Extract steps from the response
final List<dynamic> stepsJsonList = stepsResponse['steps'] ?? [];
// Convert each map into a Step object
List<Step> steps =
stepsJsonList.map((stepMap) => Step.fromMap(stepMap)).toList();
// Initialize an empty list to store Chat objects
List<Chat> chats = [];
// Generate current timestamp
DateTime currentTimestamp = DateTime.now();
for (int i = 0; i < steps.length; i++) {
Step step = steps[i];
// Create a Chat object for 'input' if it exists and is not empty
if (step.input.isNotEmpty) {
chats.add(Chat(
id: step.stepId,
taskId: step.taskId,
message: step.input,
timestamp: currentTimestamp,
messageType: MessageType.user,
artifacts: step.artifacts));
}
// Create a Chat object for 'output'
chats.add(Chat(
id: step.stepId,
taskId: step.taskId,
message: step.output,
timestamp: currentTimestamp,
messageType: MessageType.agent,
jsonResponse: stepsJsonList[i],
artifacts: step.artifacts));
}
// Assign the chats list
_chats = chats;
// Notify listeners to rebuild UI
notifyListeners();
print(
"Chats (and steps) fetched successfully for task ID: $_currentTaskId");
} catch (error) {
print("Error fetching chats: $error");
// TODO: Handle additional error scenarios or log them as required
}
}
/// Sends a chat message for a specific task.
void sendChatMessage(String? message,
{required int continuousModeSteps, int currentStep = 1}) async {
if (_currentTaskId == null) {
print("Error: Task ID is not set.");
return;
}
_isWaitingForAgentResponse = true;
notifyListeners();
try {
// Create the request body for executing the step
StepRequestBody requestBody = StepRequestBody(input: message);
// Execute the step and get the response
Map<String, dynamic> executedStepResponse =
await _chatService.executeStep(_currentTaskId!, requestBody);
// Create a Chat object from the returned step
Step executedStep = Step.fromMap(executedStepResponse);
// Create a Chat object for the user message
if (executedStep.input.isNotEmpty) {
final userChat = Chat(
id: executedStep.stepId,
taskId: executedStep.taskId,
message: executedStep.input,
timestamp: DateTime.now(),
messageType: MessageType.user,
artifacts: executedStep.artifacts);
_chats.add(userChat);
}
// Create a Chat object for the agent message
final agentChat = Chat(
id: executedStep.stepId,
taskId: executedStep.taskId,
message: executedStep.output,
timestamp: DateTime.now(),
messageType: MessageType.agent,
jsonResponse: executedStepResponse,
artifacts: executedStep.artifacts);
_chats.add(agentChat);
// Notify UI of the new chats
notifyListeners();
if (_isContinuousMode) {
print("Continuous Mode: Step $currentStep of $continuousModeSteps");
if (currentStep < continuousModeSteps) {
sendChatMessage(null,
continuousModeSteps: continuousModeSteps,
currentStep: currentStep + 1);
} else {
_isContinuousMode = false;
}
}
print("Chats added for task ID: $_currentTaskId");
} catch (error) {
// TODO: Bubble up errors to UI
print("Error sending chat: $error");
// TODO: Handle additional error scenarios or log them as required
} finally {
_isWaitingForAgentResponse = false;
notifyListeners();
}
}
/// Downloads an artifact associated with a specific chat.
///
/// [taskId] is the ID of the task.
/// [artifactId] is the ID of the artifact to be downloaded.
Future<void> downloadArtifact(String taskId, String artifactId) async {
try {
// Call the downloadArtifact method from the ChatService class
await _chatService.downloadArtifact(taskId, artifactId);
print("Artifact $artifactId downloaded successfully for task $taskId!");
} catch (error) {
print("Error downloading artifact: $error");
// TODO: Handle the error appropriately, perhaps notify the user
}
}
}