import 'package:flutter/material.dart';
import 'package:get/get.dart';
import 'package:flutter_html/flutter_html.dart' as html;
import 'package:flutter_quill/flutter_quill.dart' as quill;
import 'package:marco/controller/project_controller.dart';
import 'package:marco/controller/directory/directory_controller.dart';
import 'package:marco/helpers/widgets/my_spacing.dart';
import 'package:marco/helpers/widgets/my_text.dart';
import 'package:marco/model/directory/contact_model.dart';
import 'package:marco/helpers/widgets/avatar.dart';
import 'package:marco/helpers/utils/launcher_utils.dart';
import 'package:tab_indicator_styler/tab_indicator_styler.dart';
import 'package:marco/helpers/widgets/Directory/comment_editor_card.dart';
import 'package:flutter_quill_delta_from_html/flutter_quill_delta_from_html.dart';
import 'package:marco/model/directory/add_comment_bottom_sheet.dart';
import 'package:marco/helpers/utils/date_time_utils.dart';
import 'package:marco/model/directory/add_contact_bottom_sheet.dart';
import 'package:marco/helpers/widgets/my_refresh_indicator.dart';
// HELPER: Delta to HTML conversion
String _convertDeltaToHtml(dynamic delta) {
  final buffer = StringBuffer();
  bool inList = false;
  for (var op in delta.toList()) {
    final String data = op.data?.toString() ?? '';
    final attr = op.attributes ?? {};
    final bool isListItem = attr.containsKey('list');
    if (isListItem && !inList) {
      buffer.write('
');
      inList = true;
    }
    if (!isListItem && inList) {
      buffer.write('
');
      inList = false;
    }
    if (isListItem) buffer.write('');
    if (attr.containsKey('bold')) buffer.write('');
    if (attr.containsKey('italic')) buffer.write('');
    if (attr.containsKey('underline')) buffer.write('');
    if (attr.containsKey('strike')) buffer.write('');
    if (attr.containsKey('link')) buffer.write('');
    buffer.write(data.replaceAll('\n', ''));
    if (attr.containsKey('link')) buffer.write('');
    if (attr.containsKey('strike')) buffer.write('');
    if (attr.containsKey('underline')) buffer.write('');
    if (attr.containsKey('italic')) buffer.write('');
    if (attr.containsKey('bold')) buffer.write('');
    if (isListItem)
      buffer.write('');
    else if (data.contains('\n')) {
      buffer.write('
');
    }
  }
  if (inList) buffer.write('');
  return buffer.toString();
}
class ContactDetailScreen extends StatefulWidget {
  final ContactModel contact;
  const ContactDetailScreen({super.key, required this.contact});
  @override
  State createState() => _ContactDetailScreenState();
}
class _ContactDetailScreenState extends State {
  late final DirectoryController directoryController;
  late final ProjectController projectController;
  late Rx contactRx;
  @override
  void initState() {
    super.initState();
    directoryController = Get.find();
    projectController = Get.find();
    contactRx = widget.contact.obs;
    WidgetsBinding.instance.addPostFrameCallback((_) {
      directoryController.fetchCommentsForContact(contactRx.value.id);
    });
    // Listen to controller's allContacts and update contact if changed
    ever(directoryController.allContacts, (_) {
      final updated = directoryController.allContacts
          .firstWhereOrNull((c) => c.id == contactRx.value.id);
      if (updated != null) contactRx.value = updated;
    });
  }
  @override
  Widget build(BuildContext context) {
    return DefaultTabController(
      length: 2,
      child: Scaffold(
        backgroundColor: const Color(0xFFF5F5F5),
        appBar: _buildMainAppBar(),
        body: SafeArea(
          child: Column(
            crossAxisAlignment: CrossAxisAlignment.start,
            children: [
              Obx(() => _buildSubHeader(contactRx.value)),
              const Divider(height: 1, thickness: 0.5, color: Colors.grey),
              Expanded(
                child: TabBarView(children: [
                  Obx(() => _buildDetailsTab(contactRx.value)),
                  _buildCommentsTab(),
                ]),
              ),
            ],
          ),
        ),
      ),
    );
  }
  PreferredSizeWidget _buildMainAppBar() {
    return AppBar(
      backgroundColor: const Color(0xFFF5F5F5),
      elevation: 0.2,
      automaticallyImplyLeading: false,
      titleSpacing: 0,
      title: Padding(
        padding: MySpacing.xy(16, 0),
        child: Row(
          crossAxisAlignment: CrossAxisAlignment.center,
          children: [
            IconButton(
              icon: const Icon(Icons.arrow_back_ios_new,
                  color: Colors.black, size: 20),
              onPressed: () =>
                  Get.offAllNamed('/dashboard/directory-main-page'),
            ),
            MySpacing.width(8),
            Expanded(
              child: Column(
                crossAxisAlignment: CrossAxisAlignment.start,
                mainAxisSize: MainAxisSize.min,
                children: [
                  MyText.titleLarge('Contact Profile',
                      fontWeight: 700, color: Colors.black),
                  MySpacing.height(2),
                  GetBuilder(builder: (p) {
                    return ProjectLabel(p.selectedProject?.name);
                  }),
                ],
              ),
            ),
          ],
        ),
      ),
    );
  }
  Widget _buildSubHeader(ContactModel contact) {
    final firstName = contact.name.split(" ").first;
    final lastName =
        contact.name.split(" ").length > 1 ? contact.name.split(" ").last : "";
    return Padding(
      padding: MySpacing.xy(16, 12),
      child: Column(
        crossAxisAlignment: CrossAxisAlignment.start,
        children: [
          Row(children: [
            Avatar(
                firstName: firstName,
                lastName: lastName,
                size: 35,
                backgroundColor: Colors.indigo),
            MySpacing.width(12),
            Column(
              crossAxisAlignment: CrossAxisAlignment.start,
              children: [
                MyText.titleSmall(contact.name,
                    fontWeight: 600, color: Colors.black),
                MySpacing.height(2),
                MyText.bodySmall(contact.organization,
                    fontWeight: 500, color: Colors.grey[700]),
              ],
            ),
          ]),
          TabBar(
            labelColor: Colors.red,
            unselectedLabelColor: Colors.black,
            indicator: MaterialIndicator(
              color: Colors.red,
              height: 4,
              topLeftRadius: 8,
              topRightRadius: 8,
              bottomLeftRadius: 8,
              bottomRightRadius: 8,
            ),
            tabs: const [
              Tab(text: "Details"),
              Tab(text: "Comments"),
            ],
          ),
        ],
      ),
    );
  }
  Widget _buildDetailsTab(ContactModel contact) {
    final tags = contact.tags.map((e) => e.name).join(", ");
    final bucketNames = contact.bucketIds
        .map((id) => directoryController.contactBuckets
            .firstWhereOrNull((b) => b.id == id)
            ?.name)
        .whereType()
        .join(", ");
    final projectNames = contact.projectIds
            ?.map((id) => projectController.projects
                .firstWhereOrNull((p) => p.id == id)
                ?.name)
            .whereType()
            .join(", ") ??
        "-";
    final category = contact.contactCategory?.name ?? "-";
    Widget multiRows(
        {required List items,
        required IconData icon,
        required String label,
        required String typeLabel,
        required Function(String)? onTap,
        required Function(String)? onLongPress}) {
      return items.isNotEmpty
          ? Column(
              crossAxisAlignment: CrossAxisAlignment.start,
              children: [
                _iconInfoRow(icon, label, items.first,
                    onTap: () => onTap?.call(items.first),
                    onLongPress: () => onLongPress?.call(items.first)),
                ...items.skip(1).map(
                      (val) => _iconInfoRow(
                        null,
                        '',
                        val,
                        onTap: () => onTap?.call(val),
                        onLongPress: () => onLongPress?.call(val),
                      ),
                    ),
              ],
            )
          : _iconInfoRow(icon, label, "-");
    }
    return Stack(
      children: [
        SingleChildScrollView(
          padding: MySpacing.fromLTRB(8, 8, 8, 80),
          child: Column(
            crossAxisAlignment: CrossAxisAlignment.start,
            children: [
              MySpacing.height(12),
              _infoCard("Basic Info", [
                multiRows(
                  items:
                      contact.contactEmails.map((e) => e.emailAddress).toList(),
                  icon: Icons.email,
                  label: "Email",
                  typeLabel: "Email",
                  onTap: (email) => LauncherUtils.launchEmail(email),
                  onLongPress: (email) =>
                      LauncherUtils.copyToClipboard(email, typeLabel: "Email"),
                ),
                multiRows(
                  items:
                      contact.contactPhones.map((p) => p.phoneNumber).toList(),
                  icon: Icons.phone,
                  label: "Phone",
                  typeLabel: "Phone",
                  onTap: (phone) => LauncherUtils.launchPhone(phone),
                  onLongPress: (phone) =>
                      LauncherUtils.copyToClipboard(phone, typeLabel: "Phone"),
                ),
                _iconInfoRow(Icons.location_on, "Address", contact.address),
              ]),
              _infoCard("Organization", [
                _iconInfoRow(
                    Icons.business, "Organization", contact.organization),
                _iconInfoRow(Icons.category, "Category", category),
              ]),
              _infoCard("Meta Info", [
                _iconInfoRow(Icons.label, "Tags", tags.isNotEmpty ? tags : "-"),
                _iconInfoRow(Icons.folder_shared, "Contact Buckets",
                    bucketNames.isNotEmpty ? bucketNames : "-"),
                _iconInfoRow(Icons.work_outline, "Projects", projectNames),
              ]),
              _infoCard("Description", [
                MySpacing.height(6),
                Align(
                  alignment: Alignment.topLeft,
                  child: MyText.bodyMedium(
                    contact.description,
                    color: Colors.grey[800],
                    maxLines: 10,
                    textAlign: TextAlign.left,
                  ),
                ),
              ]),
            ],
          ),
        ),
        Positioned(
          bottom: 20,
          right: 20,
          child: FloatingActionButton.extended(
            backgroundColor: Colors.red,
            onPressed: () async {
              final result = await Get.bottomSheet(
                AddContactBottomSheet(existingContact: contact),
                isScrollControlled: true,
                backgroundColor: Colors.transparent,
              );
              if (result == true) {
                await directoryController.fetchContacts();
                final updated = directoryController.allContacts
                    .firstWhereOrNull((c) => c.id == contact.id);
                if (updated != null) {
                  contactRx.value = updated;
                }
              }
            },
            icon: const Icon(Icons.edit, color: Colors.white),
            label: const Text("Edit Contact",
                style: TextStyle(color: Colors.white)),
          ),
        ),
      ],
    );
  }
  Widget _buildCommentsTab() {
    return Obx(() {
      final contactId = contactRx.value.id;
      if (!directoryController.contactCommentsMap.containsKey(contactId)) {
        return const Center(child: CircularProgressIndicator());
      }
      final comments = directoryController
          .getCommentsForContact(contactId)
          .reversed
          .toList();
      final editingId = directoryController.editingCommentId.value;
      return Stack(
        children: [
          MyRefreshIndicator(
            onRefresh: () async {
              await directoryController.fetchCommentsForContact(contactId);
            },
            child: comments.isEmpty
                ? ListView(
                    physics: const AlwaysScrollableScrollPhysics(),
                    children: [
                      SizedBox(
                        height: Get.height * 0.6,
                        child: Center(
                          child: MyText.bodyLarge(
                            "No comments yet.",
                            color: Colors.grey,
                          ),
                        ),
                      ),
                    ],
                  )
                : Padding(
                    padding: MySpacing.xy(12, 12),
                    child: ListView.separated(
                      physics: const AlwaysScrollableScrollPhysics(),
                      padding: const EdgeInsets.only(bottom: 100),
                      itemCount: comments.length,
                      separatorBuilder: (_, __) => MySpacing.height(14),
                      itemBuilder: (_, index) => _buildCommentItem(
                        comments[index],
                        editingId,
                        contactId,
                      ),
                    ),
                  ),
          ),
          if (editingId == null)
            Positioned(
              bottom: 20,
              right: 20,
              child: FloatingActionButton.extended(
                backgroundColor: Colors.red,
                onPressed: () async {
                  final result = await Get.bottomSheet(
                    AddCommentBottomSheet(contactId: contactId),
                    isScrollControlled: true,
                  );
                  if (result == true) {
                    await directoryController
                        .fetchCommentsForContact(contactId);
                  }
                },
                icon: const Icon(Icons.add_comment, color: Colors.white),
                label: const Text(
                  "Add Comment",
                  style: TextStyle(color: Colors.white),
                ),
              ),
            ),
        ],
      );
    });
  }
  Widget _buildCommentItem(comment, editingId, contactId) {
    final isEditing = editingId == comment.id;
    final initials = comment.createdBy.firstName.isNotEmpty
        ? comment.createdBy.firstName[0].toUpperCase()
        : "?";
    final decodedDelta = HtmlToDelta().convert(comment.note);
    final quillController = isEditing
        ? quill.QuillController(
            document: quill.Document.fromDelta(decodedDelta),
            selection: TextSelection.collapsed(offset: decodedDelta.length),
          )
        : null;
    return AnimatedContainer(
      duration: const Duration(milliseconds: 300),
      padding: MySpacing.xy(8, 7),
      decoration: BoxDecoration(
        color: isEditing ? Colors.indigo[50] : Colors.white,
        borderRadius: BorderRadius.circular(12),
        border: Border.all(
          color: isEditing ? Colors.indigo : Colors.grey.shade300,
          width: 1.2,
        ),
        boxShadow: const [
          BoxShadow(color: Colors.black12, blurRadius: 4, offset: Offset(0, 2))
        ],
      ),
      child: Column(
        crossAxisAlignment: CrossAxisAlignment.start,
        children: [
          Row(
            crossAxisAlignment: CrossAxisAlignment.start,
            children: [
              Avatar(firstName: initials, lastName: '', size: 36),
              MySpacing.width(12),
              Expanded(
                child: Column(
                  crossAxisAlignment: CrossAxisAlignment.start,
                  children: [
                    MyText.bodyMedium("By: ${comment.createdBy.firstName}",
                        fontWeight: 600, color: Colors.indigo[800]),
                    MySpacing.height(4),
                    MyText.bodySmall(
                      DateTimeUtils.convertUtcToLocal(
                        comment.createdAt.toString(),
                        format: 'dd MMM yyyy, hh:mm a',
                      ),
                      color: Colors.grey[600],
                    ),
                  ],
                ),
              ),
              IconButton(
                icon: Icon(
                  isEditing ? Icons.close : Icons.edit,
                  size: 20,
                  color: Colors.indigo,
                ),
                onPressed: () {
                  directoryController.editingCommentId.value =
                      isEditing ? null : comment.id;
                },
              ),
            ],
          ),
          if (isEditing && quillController != null)
            CommentEditorCard(
              controller: quillController,
              onCancel: () => directoryController.editingCommentId.value = null,
              onSave: (ctrl) async {
                final delta = ctrl.document.toDelta();
                final htmlOutput = _convertDeltaToHtml(delta);
                final updated = comment.copyWith(note: htmlOutput);
                await directoryController.updateComment(updated);
                await directoryController.fetchCommentsForContact(contactId);
                directoryController.editingCommentId.value = null;
              },
            )
          else
            html.Html(
              data: comment.note,
              style: {
                "body": html.Style(
                  margin: html.Margins.zero,
                  padding: html.HtmlPaddings.zero,
                  fontSize: html.FontSize.medium,
                  color: Colors.black87,
                ),
              },
            ),
        ],
      ),
    );
  }
  Widget _iconInfoRow(
    IconData? icon,
    String label,
    String value, {
    VoidCallback? onTap,
    VoidCallback? onLongPress,
  }) {
    return Padding(
      padding: MySpacing.y(2),
      child: GestureDetector(
        onTap: onTap,
        onLongPress: onLongPress,
        child: Row(
          crossAxisAlignment: CrossAxisAlignment.start,
          children: [
            if (icon != null) ...[
              Icon(icon, size: 22, color: Colors.indigo),
              MySpacing.width(12),
            ] else
              const SizedBox(width: 34),
            Expanded(
              child: Column(
                crossAxisAlignment: CrossAxisAlignment.start,
                children: [
                  if (label.isNotEmpty)
                    MyText.bodySmall(label,
                        fontWeight: 600, color: Colors.black87),
                  if (label.isNotEmpty) MySpacing.height(2),
                  MyText.bodyMedium(value, color: Colors.grey[800]),
                ],
              ),
            ),
          ],
        ),
      ),
    );
  }
  Widget _infoCard(String title, List children) {
    return Card(
      shape: RoundedRectangleBorder(borderRadius: BorderRadius.circular(12)),
      elevation: 2,
      margin: MySpacing.bottom(12),
      child: Padding(
        padding: MySpacing.xy(16, 16),
        child: Column(
          crossAxisAlignment: CrossAxisAlignment.start,
          children: [
            MyText.titleSmall(title,
                fontWeight: 700, color: Colors.indigo[700]),
            MySpacing.height(8),
            ...children,
          ],
        ),
      ),
    );
  }
}
// Helper widget for Project label in AppBar
class ProjectLabel extends StatelessWidget {
  final String? projectName;
  const ProjectLabel(this.projectName, {super.key});
  @override
  Widget build(BuildContext context) {
    return Row(
      children: [
        const Icon(Icons.work_outline, size: 14, color: Colors.grey),
        MySpacing.width(4),
        Expanded(
          child: MyText.bodySmall(
            projectName ?? 'Select Project',
            fontWeight: 600,
            overflow: TextOverflow.ellipsis,
            color: Colors.grey[700],
          ),
        ),
      ],
    );
  }
}