Change PIN to 1451

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
ARCHITECT
2026-01-17 23:31:52 +00:00
parent c152cacb90
commit f199daf4ba
171 changed files with 10492 additions and 2 deletions

View File

@@ -0,0 +1,358 @@
import 'package:flutter/material.dart';
import 'package:provider/provider.dart';
import '../providers/auth_provider.dart';
import '../providers/chat_provider.dart';
import '../services/chat_service.dart';
import '../widgets/message_bubble.dart';
import '../widgets/chat_input.dart';
class ChatScreen extends StatefulWidget {
const ChatScreen({super.key});
@override
State<ChatScreen> createState() => _ChatScreenState();
}
class _ChatScreenState extends State<ChatScreen> with WidgetsBindingObserver {
final _scrollController = ScrollController();
@override
void initState() {
super.initState();
WidgetsBinding.instance.addObserver(this);
WidgetsBinding.instance.addPostFrameCallback((_) {
final auth = context.read<AuthProvider>();
final chat = context.read<ChatProvider>();
chat.updateAuth(auth);
chat.addListener(_onChatUpdate);
});
}
String? _lastError;
void _onChatUpdate() {
final chat = context.read<ChatProvider>();
if (chat.error != null && chat.error != _lastError) {
_lastError = chat.error;
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text(chat.error!),
backgroundColor: Colors.red.shade700,
action: SnackBarAction(
label: 'OK',
textColor: Colors.white,
onPressed: () => chat.clearError(),
),
),
);
}
}
@override
void dispose() {
WidgetsBinding.instance.removeObserver(this);
_scrollController.dispose();
try {
final chat = context.read<ChatProvider>();
chat.removeListener(_onChatUpdate);
} catch (_) {}
super.dispose();
}
@override
void didChangeAppLifecycleState(AppLifecycleState state) {
if (state == AppLifecycleState.resumed) {
final chat = context.read<ChatProvider>();
if (!chat.isConnected) {
chat.connect();
}
}
}
void _scrollToBottom() {
if (_scrollController.hasClients) {
_scrollController.animateTo(
_scrollController.position.maxScrollExtent,
duration: const Duration(milliseconds: 300),
curve: Curves.easeOut,
);
}
}
void _sendMessage(String message) {
final chat = context.read<ChatProvider>();
chat.sendMessage(message);
Future.delayed(const Duration(milliseconds: 100), _scrollToBottom);
}
void _newChat() {
final chat = context.read<ChatProvider>();
final name = 'Chat ${DateTime.now().hour}:${DateTime.now().minute.toString().padLeft(2, '0')}';
chat.createSession(name);
}
void _logout() {
final auth = context.read<AuthProvider>();
final chat = context.read<ChatProvider>();
chat.disconnect();
auth.logout();
}
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: const Color(0xFF1A1A1A),
appBar: AppBar(
backgroundColor: const Color(0xFF2D2D2D),
elevation: 0,
title: Consumer<ChatProvider>(
builder: (context, chat, _) {
return Row(
mainAxisSize: MainAxisSize.min,
children: [
Icon(Icons.auto_awesome, color: Colors.orange.shade400, size: 24),
const SizedBox(width: 8),
Text(
chat.currentSession?.name ?? 'Captain Claude',
style: const TextStyle(fontSize: 18),
),
],
);
},
),
actions: [
Consumer<ChatProvider>(
builder: (context, chat, _) {
return IconButton(
icon: const Icon(Icons.add),
onPressed: _newChat,
tooltip: 'Nuevo Chat',
);
},
),
IconButton(
icon: const Icon(Icons.logout),
onPressed: _logout,
tooltip: 'Salir',
),
],
),
body: Column(
children: [
// Connection status bar
Consumer<ChatProvider>(
builder: (context, chat, _) {
return _buildConnectionBar(chat);
},
),
// Messages list
Expanded(
child: Consumer<ChatProvider>(
builder: (context, chat, _) {
WidgetsBinding.instance.addPostFrameCallback((_) {
if (chat.isProcessing) _scrollToBottom();
});
if (!chat.isSessionConnected) {
return _buildStartState();
}
if (chat.messages.isEmpty) {
return _buildEmptyState();
}
return ListView.builder(
controller: _scrollController,
padding: const EdgeInsets.only(top: 8, bottom: 8),
itemCount: chat.messages.length,
itemBuilder: (context, index) {
return MessageBubble(message: chat.messages[index]);
},
);
},
),
),
// Input area
Consumer<ChatProvider>(
builder: (context, chat, _) {
return ChatInput(
onSend: _sendMessage,
isConnected: chat.isConnected && chat.isSessionConnected,
isLoading: chat.isProcessing,
);
},
),
],
),
);
}
Widget _buildConnectionBar(ChatProvider chat) {
if (chat.connectionState == ChatConnectionState.connected) {
return const SizedBox.shrink();
}
Color backgroundColor;
String text;
IconData icon;
switch (chat.connectionState) {
case ChatConnectionState.connecting:
backgroundColor = Colors.blue.shade700;
text = 'Conectando...';
icon = Icons.sync;
break;
case ChatConnectionState.reconnecting:
backgroundColor = Colors.orange.shade700;
text = 'Reconectando...';
icon = Icons.sync;
break;
case ChatConnectionState.error:
backgroundColor = Colors.red.shade700;
text = 'Error de conexión';
icon = Icons.error_outline;
break;
default:
backgroundColor = Colors.grey.shade700;
text = 'Desconectado';
icon = Icons.cloud_off;
}
final showRetry = chat.connectionState == ChatConnectionState.error ||
chat.connectionState == ChatConnectionState.disconnected;
return GestureDetector(
onTap: showRetry ? () => chat.connect() : null,
child: Container(
padding: const EdgeInsets.symmetric(horizontal: 16, vertical: 8),
color: backgroundColor,
child: Row(
mainAxisAlignment: MainAxisAlignment.center,
children: [
Icon(icon, size: 16, color: Colors.white),
const SizedBox(width: 8),
Text(
showRetry ? '$text - Toca para reintentar' : text,
style: const TextStyle(color: Colors.white, fontSize: 13),
),
if (chat.connectionState == ChatConnectionState.connecting ||
chat.connectionState == ChatConnectionState.reconnecting) ...[
const SizedBox(width: 8),
const SizedBox(
width: 12,
height: 12,
child: CircularProgressIndicator(
strokeWidth: 2,
color: Colors.white,
),
),
],
],
),
),
);
}
Widget _buildStartState() {
return Center(
child: Padding(
padding: const EdgeInsets.all(32),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Icon(
Icons.chat_bubble_outline,
size: 80,
color: Colors.orange.shade400.withOpacity(0.5),
),
const SizedBox(height: 24),
Text(
'Captain Claude',
style: TextStyle(
color: Colors.grey.shade300,
fontSize: 24,
fontWeight: FontWeight.bold,
),
),
const SizedBox(height: 12),
Text(
'Toca el botón + para iniciar un chat',
textAlign: TextAlign.center,
style: TextStyle(
color: Colors.grey.shade500,
fontSize: 15,
),
),
const SizedBox(height: 32),
ElevatedButton.icon(
onPressed: _newChat,
icon: const Icon(Icons.add),
label: const Text('Nuevo Chat'),
style: ElevatedButton.styleFrom(
backgroundColor: Colors.orange.shade700,
foregroundColor: Colors.white,
padding: const EdgeInsets.symmetric(horizontal: 32, vertical: 16),
),
),
],
),
),
);
}
Widget _buildEmptyState() {
return Center(
child: Padding(
padding: const EdgeInsets.all(32),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Icon(
Icons.auto_awesome,
size: 80,
color: Colors.orange.shade400.withOpacity(0.5),
),
const SizedBox(height: 24),
Text(
'Chat Conectado',
style: TextStyle(
color: Colors.grey.shade300,
fontSize: 24,
fontWeight: FontWeight.bold,
),
),
const SizedBox(height: 12),
Text(
'Escribe un mensaje para hablar con Claude',
textAlign: TextAlign.center,
style: TextStyle(
color: Colors.grey.shade500,
fontSize: 15,
),
),
const SizedBox(height: 32),
Wrap(
spacing: 8,
runSpacing: 8,
alignment: WrapAlignment.center,
children: [
_buildSuggestionChip('Hola'),
_buildSuggestionChip('Estado del sistema'),
_buildSuggestionChip('Ayuda'),
],
),
],
),
),
);
}
Widget _buildSuggestionChip(String text) {
return ActionChip(
label: Text(text),
backgroundColor: const Color(0xFF2D2D2D),
labelStyle: TextStyle(color: Colors.grey.shade300, fontSize: 13),
side: BorderSide(color: Colors.grey.shade700),
onPressed: () => _sendMessage(text),
);
}
}

View File

@@ -0,0 +1,255 @@
import 'package:flutter/material.dart';
import 'package:provider/provider.dart';
import '../providers/auth_provider.dart';
import '../services/api_service.dart';
import '../models/conversation.dart';
class HistoryScreen extends StatefulWidget {
final Function(String) onSelectConversation;
const HistoryScreen({
super.key,
required this.onSelectConversation,
});
@override
State<HistoryScreen> createState() => _HistoryScreenState();
}
class _HistoryScreenState extends State<HistoryScreen> {
final ApiService _apiService = ApiService();
List<Conversation> _conversations = [];
bool _isLoading = true;
String? _error;
@override
void initState() {
super.initState();
_loadConversations();
}
Future<void> _loadConversations() async {
final auth = context.read<AuthProvider>();
_apiService.setToken(auth.token);
setState(() {
_isLoading = true;
_error = null;
});
try {
final conversations = await _apiService.getConversations();
setState(() {
_conversations = conversations;
_isLoading = false;
});
} catch (e) {
setState(() {
_error = e.toString();
_isLoading = false;
});
}
}
Future<void> _deleteConversation(String id) async {
try {
await _apiService.deleteConversation(id);
setState(() {
_conversations.removeWhere((c) => c.id == id);
});
} catch (e) {
if (mounted) {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text('Failed to delete: $e'),
backgroundColor: Colors.red.shade700,
),
);
}
}
}
IconData _getTitleIcon(String title) {
final lower = title.toLowerCase();
if (lower.contains('error') || lower.contains('fix') || lower.contains('bug')) {
return Icons.bug_report;
}
if (lower.contains('test')) {
return Icons.science;
}
if (lower.contains('backup') || lower.contains('restore')) {
return Icons.backup;
}
if (lower.contains('deploy') || lower.contains('build')) {
return Icons.rocket_launch;
}
if (lower.contains('install') || lower.contains('setup')) {
return Icons.download;
}
return Icons.chat_bubble_outline;
}
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: const Color(0xFF1A1A1A),
appBar: AppBar(
backgroundColor: const Color(0xFF2D2D2D),
title: const Text('Conversations'),
actions: [
IconButton(
icon: const Icon(Icons.refresh),
onPressed: _loadConversations,
),
],
),
body: _buildBody(),
);
}
Widget _buildBody() {
if (_isLoading) {
return const Center(
child: CircularProgressIndicator(color: Colors.orange),
);
}
if (_error != null) {
return Center(
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Icon(Icons.error_outline, size: 48, color: Colors.red.shade400),
const SizedBox(height: 16),
Text(
_error!,
style: TextStyle(color: Colors.grey.shade400),
textAlign: TextAlign.center,
),
const SizedBox(height: 16),
ElevatedButton(
onPressed: _loadConversations,
style: ElevatedButton.styleFrom(
backgroundColor: Colors.orange.shade700,
),
child: const Text('Retry'),
),
],
),
);
}
if (_conversations.isEmpty) {
return Center(
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Icon(Icons.chat_bubble_outline, size: 64, color: Colors.grey.shade700),
const SizedBox(height: 16),
Text(
'No conversations yet',
style: TextStyle(
color: Colors.grey.shade400,
fontSize: 18,
),
),
const SizedBox(height: 8),
Text(
'Start a new chat to get started',
style: TextStyle(
color: Colors.grey.shade600,
fontSize: 14,
),
),
],
),
);
}
return RefreshIndicator(
onRefresh: _loadConversations,
color: Colors.orange,
child: ListView.builder(
padding: const EdgeInsets.symmetric(vertical: 8),
itemCount: _conversations.length,
itemBuilder: (context, index) {
final conv = _conversations[index];
return Dismissible(
key: Key(conv.id),
direction: DismissDirection.endToStart,
background: Container(
alignment: Alignment.centerRight,
padding: const EdgeInsets.only(right: 20),
color: Colors.red.shade700,
child: const Icon(Icons.delete, color: Colors.white),
),
confirmDismiss: (_) async {
return await showDialog<bool>(
context: context,
builder: (context) => AlertDialog(
backgroundColor: const Color(0xFF2D2D2D),
title: const Text(
'Delete Conversation?',
style: TextStyle(color: Colors.white),
),
content: const Text(
'This action cannot be undone.',
style: TextStyle(color: Colors.white70),
),
actions: [
TextButton(
onPressed: () => Navigator.pop(context, false),
child: const Text('Cancel'),
),
TextButton(
onPressed: () => Navigator.pop(context, true),
style: TextButton.styleFrom(
foregroundColor: Colors.red.shade400,
),
child: const Text('Delete'),
),
],
),
);
},
onDismissed: (_) => _deleteConversation(conv.id),
child: ListTile(
leading: CircleAvatar(
backgroundColor: const Color(0xFF3D3D3D),
child: Icon(
_getTitleIcon(conv.displayTitle),
color: Colors.orange.shade400,
size: 20,
),
),
title: Text(
conv.displayTitle,
style: const TextStyle(
color: Colors.white,
fontWeight: FontWeight.w500,
),
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
subtitle: Text(
'${conv.timeAgo}${conv.messageCount} messages',
style: TextStyle(
color: Colors.grey.shade500,
fontSize: 12,
),
),
trailing: Icon(
Icons.chevron_right,
color: Colors.grey.shade600,
),
onTap: () {
widget.onSelectConversation(conv.id);
Navigator.pop(context);
},
),
);
},
),
);
}
}

View File

@@ -0,0 +1,193 @@
import 'package:flutter/material.dart';
import 'package:provider/provider.dart';
import '../providers/auth_provider.dart';
class LoginScreen extends StatefulWidget {
const LoginScreen({super.key});
@override
State<LoginScreen> createState() => _LoginScreenState();
}
class _LoginScreenState extends State<LoginScreen> {
final _usernameController = TextEditingController();
final _passwordController = TextEditingController();
bool _obscurePassword = true;
@override
void dispose() {
_usernameController.dispose();
_passwordController.dispose();
super.dispose();
}
Future<void> _login() async {
final username = _usernameController.text.trim();
final password = _passwordController.text;
if (username.isEmpty || password.isEmpty) {
ScaffoldMessenger.of(context).showSnackBar(
const SnackBar(
content: Text('Please enter username and password'),
backgroundColor: Colors.orange,
),
);
return;
}
final auth = context.read<AuthProvider>();
await auth.login(username, password);
}
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: const Color(0xFF1A1A1A),
body: SafeArea(
child: SingleChildScrollView(
padding: const EdgeInsets.all(24),
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
children: [
const SizedBox(height: 60),
// Logo
Icon(
Icons.auto_awesome,
size: 80,
color: Colors.orange.shade400,
),
const SizedBox(height: 24),
// Title
const Text(
'Captain Claude',
textAlign: TextAlign.center,
style: TextStyle(
color: Colors.white,
fontSize: 32,
fontWeight: FontWeight.bold,
),
),
const SizedBox(height: 8),
Text(
'Your AI Command Center',
textAlign: TextAlign.center,
style: TextStyle(
color: Colors.grey.shade400,
fontSize: 16,
),
),
const SizedBox(height: 60),
// Username field
TextField(
controller: _usernameController,
style: const TextStyle(color: Colors.white),
decoration: InputDecoration(
labelText: 'Username',
labelStyle: TextStyle(color: Colors.grey.shade400),
prefixIcon: Icon(Icons.person, color: Colors.grey.shade400),
filled: true,
fillColor: const Color(0xFF2D2D2D),
border: OutlineInputBorder(
borderRadius: BorderRadius.circular(12),
borderSide: BorderSide.none,
),
focusedBorder: OutlineInputBorder(
borderRadius: BorderRadius.circular(12),
borderSide: BorderSide(color: Colors.orange.shade400),
),
),
),
const SizedBox(height: 16),
// Password field
TextField(
controller: _passwordController,
obscureText: _obscurePassword,
style: const TextStyle(color: Colors.white),
decoration: InputDecoration(
labelText: 'Password',
labelStyle: TextStyle(color: Colors.grey.shade400),
prefixIcon: Icon(Icons.lock, color: Colors.grey.shade400),
suffixIcon: IconButton(
icon: Icon(
_obscurePassword
? Icons.visibility_off
: Icons.visibility,
color: Colors.grey.shade400,
),
onPressed: () {
setState(() => _obscurePassword = !_obscurePassword);
},
),
filled: true,
fillColor: const Color(0xFF2D2D2D),
border: OutlineInputBorder(
borderRadius: BorderRadius.circular(12),
borderSide: BorderSide.none,
),
focusedBorder: OutlineInputBorder(
borderRadius: BorderRadius.circular(12),
borderSide: BorderSide(color: Colors.orange.shade400),
),
),
onSubmitted: (_) => _login(),
),
const SizedBox(height: 24),
// Error message
Consumer<AuthProvider>(
builder: (context, auth, _) {
if (auth.error != null) {
return Padding(
padding: const EdgeInsets.only(bottom: 16),
child: Text(
auth.error!,
textAlign: TextAlign.center,
style: TextStyle(
color: Colors.red.shade400,
fontSize: 14,
),
),
);
}
return const SizedBox.shrink();
},
),
// Login button
Consumer<AuthProvider>(
builder: (context, auth, _) {
return ElevatedButton(
onPressed: auth.isLoading ? null : _login,
style: ElevatedButton.styleFrom(
backgroundColor: Colors.orange.shade700,
foregroundColor: Colors.white,
padding: const EdgeInsets.symmetric(vertical: 16),
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(12),
),
disabledBackgroundColor: Colors.grey.shade800,
),
child: auth.isLoading
? const SizedBox(
width: 24,
height: 24,
child: CircularProgressIndicator(
strokeWidth: 2,
color: Colors.white,
),
)
: const Text(
'Sign In',
style: TextStyle(
fontSize: 16,
fontWeight: FontWeight.bold,
),
),
);
},
),
],
),
),
),
);
}
}