Fix up markdown rendering to be scrollable
This commit is contained in:
@@ -1,11 +1,22 @@
|
|||||||
/// Utility class to convert BBCode to Markdown for RimWorld mod descriptions
|
/// Utility class to convert BBCode to Markdown for RimWorld mod descriptions
|
||||||
|
import 'dart:math' as math;
|
||||||
|
|
||||||
class BBCodeConverter {
|
class BBCodeConverter {
|
||||||
/// Converts BBCode formatted text to Markdown format
|
/// Converts BBCode formatted text to Markdown format
|
||||||
static String toMarkdown(String bbcode) {
|
static String toMarkdown(String bbcode) {
|
||||||
if (bbcode.isEmpty) return '';
|
if (bbcode.isEmpty) return '';
|
||||||
|
|
||||||
// First, normalize line endings
|
// First, normalize line endings and escape any literal backslashes
|
||||||
String result = bbcode.replaceAll('\r\n', '\n');
|
String result = bbcode.replaceAll('\r\n', '\n').replaceAll('\\', '\\\\');
|
||||||
|
|
||||||
|
// Ensure paragraphs - double newlines between paragraphs
|
||||||
|
// First normalize any consecutive newlines to a single one
|
||||||
|
result = result.replaceAll(RegExp(r'\n+'), '\n');
|
||||||
|
|
||||||
|
// Then add empty line after each paragraph where needed
|
||||||
|
result = result.replaceAll('.\n', '.\n\n');
|
||||||
|
result = result.replaceAll('!\n', '!\n\n');
|
||||||
|
result = result.replaceAll('?\n', '?\n\n');
|
||||||
|
|
||||||
// Fix unclosed tags - RimWorld descriptions often have unclosed tags
|
// Fix unclosed tags - RimWorld descriptions often have unclosed tags
|
||||||
final List<String> tagTypes = ['b', 'i', 'color', 'size', 'url', 'code', 'quote'];
|
final List<String> tagTypes = ['b', 'i', 'color', 'size', 'url', 'code', 'quote'];
|
||||||
@@ -42,30 +53,29 @@ class BBCodeConverter {
|
|||||||
// Italic
|
// Italic
|
||||||
result = result.replaceAll('[i]', '_').replaceAll('[/i]', '_');
|
result = result.replaceAll('[i]', '_').replaceAll('[/i]', '_');
|
||||||
|
|
||||||
// Headers
|
// Headers - ensure they start on their own line
|
||||||
result = result.replaceAllMapped(
|
result = result.replaceAllMapped(
|
||||||
RegExp(r'\[h1\](.*?)\[/h1\]', dotAll: true),
|
RegExp(r'\[h1\](.*?)\[/h1\]', dotAll: true),
|
||||||
(match) => '# ${match.group(1)}'
|
(match) => '\n\n# ${match.group(1)?.trim()}\n\n'
|
||||||
);
|
);
|
||||||
result = result.replaceAllMapped(
|
result = result.replaceAllMapped(
|
||||||
RegExp(r'\[h2\](.*?)\[/h2\]', dotAll: true),
|
RegExp(r'\[h2\](.*?)\[/h2\]', dotAll: true),
|
||||||
(match) => '## ${match.group(1)}'
|
(match) => '\n\n## ${match.group(1)?.trim()}\n\n'
|
||||||
);
|
);
|
||||||
result = result.replaceAllMapped(
|
result = result.replaceAllMapped(
|
||||||
RegExp(r'\[h3\](.*?)\[/h3\]', dotAll: true),
|
RegExp(r'\[h3\](.*?)\[/h3\]', dotAll: true),
|
||||||
(match) => '### ${match.group(1)}'
|
(match) => '\n\n### ${match.group(1)?.trim()}\n\n'
|
||||||
);
|
);
|
||||||
|
|
||||||
// Lists - handle nested lists too
|
// Lists - handle nested lists too
|
||||||
result = result.replaceAll('[list]', '\n').replaceAll('[/list]', '\n');
|
result = result.replaceAll('[list]', '\n').replaceAll('[/list]', '\n');
|
||||||
|
|
||||||
// Handle list items - giving them proper indentation
|
// Handle list items - giving them proper indentation
|
||||||
int listLevel = 0;
|
|
||||||
result = result.replaceAllMapped(
|
result = result.replaceAllMapped(
|
||||||
RegExp(r'\[\*\](.*?)(?=\[\*\]|\[/list\]|$)', dotAll: true),
|
RegExp(r'\[\*\](.*?)(?=\[\*\]|\[/list\]|$)', dotAll: true),
|
||||||
(match) {
|
(match) {
|
||||||
final content = match.group(1)?.trim() ?? '';
|
final content = match.group(1)?.trim() ?? '';
|
||||||
return '* $content\n';
|
return '\n* $content\n';
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
@@ -102,35 +112,64 @@ class BBCodeConverter {
|
|||||||
final tableContent = tableMatch.group(1) ?? '';
|
final tableContent = tableMatch.group(1) ?? '';
|
||||||
final rows = RegExp(r'\[tr\](.*?)\[/tr\]', dotAll: true).allMatches(tableContent);
|
final rows = RegExp(r'\[tr\](.*?)\[/tr\]', dotAll: true).allMatches(tableContent);
|
||||||
|
|
||||||
final markdownTable = StringBuffer();
|
// Only process tables that have rows
|
||||||
|
if (rows.isEmpty) {
|
||||||
|
result = result.replaceFirst(tableMatch.group(0)!, '');
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
final markdownTable = StringBuffer('\n');
|
||||||
var isFirstRow = true;
|
var isFirstRow = true;
|
||||||
|
|
||||||
|
// First determine the number of columns by examining all rows
|
||||||
|
int maxColumns = 0;
|
||||||
|
for (final rowMatch in rows) {
|
||||||
|
final rowContent = rowMatch.group(1) ?? '';
|
||||||
|
final cellCount = RegExp(r'\[td\]').allMatches(rowContent).length;
|
||||||
|
maxColumns = math.max(maxColumns, cellCount);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Ensure we have at least 1 column
|
||||||
|
maxColumns = math.max(1, maxColumns);
|
||||||
|
|
||||||
for (final rowMatch in rows) {
|
for (final rowMatch in rows) {
|
||||||
final rowContent = rowMatch.group(1) ?? '';
|
final rowContent = rowMatch.group(1) ?? '';
|
||||||
final cells = RegExp(r'\[td\](.*?)\[/td\]', dotAll: true).allMatches(rowContent);
|
final cells = RegExp(r'\[td\](.*?)\[/td\]', dotAll: true).allMatches(rowContent);
|
||||||
|
|
||||||
if (cells.isEmpty) continue;
|
if (cells.isEmpty) continue;
|
||||||
|
|
||||||
final rowBuffer = StringBuffer('|');
|
final rowBuffer = StringBuffer('| ');
|
||||||
|
|
||||||
|
int cellsAdded = 0;
|
||||||
for (final cellMatch in cells) {
|
for (final cellMatch in cells) {
|
||||||
final cellContent = cellMatch.group(1)?.trim() ?? '';
|
final cellContent = cellMatch.group(1)?.trim() ?? '';
|
||||||
// Clean up any newlines inside cell content
|
// Clean up any newlines inside cell content
|
||||||
final cleanCell = cellContent.replaceAll('\n', ' ').trim();
|
final cleanCell = cellContent.replaceAll('\n', ' ').trim();
|
||||||
rowBuffer.write(' $cleanCell |');
|
rowBuffer.write('$cleanCell | ');
|
||||||
|
cellsAdded++;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Add empty cells if needed to maintain table structure
|
||||||
|
while (cellsAdded < maxColumns) {
|
||||||
|
rowBuffer.write(' | ');
|
||||||
|
cellsAdded++;
|
||||||
}
|
}
|
||||||
|
|
||||||
markdownTable.writeln(rowBuffer.toString());
|
markdownTable.writeln(rowBuffer.toString());
|
||||||
|
|
||||||
// Add header separator after first row
|
// Add header separator after first row
|
||||||
if (isFirstRow) {
|
if (isFirstRow) {
|
||||||
final cellCount = RegExp(r'\[td\]').allMatches(rowContent).length;
|
final headerRow = StringBuffer('| ');
|
||||||
markdownTable.writeln('|${' --- |' * cellCount}');
|
for (int i = 0; i < maxColumns; i++) {
|
||||||
|
headerRow.write('--- | ');
|
||||||
|
}
|
||||||
|
markdownTable.writeln(headerRow.toString());
|
||||||
isFirstRow = false;
|
isFirstRow = false;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
result = result.replaceFirst(tableMatch.group(0)!, '\n${markdownTable.toString()}\n');
|
markdownTable.write('\n');
|
||||||
|
result = result.replaceFirst(tableMatch.group(0)!, markdownTable.toString());
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -149,7 +188,7 @@ class BBCodeConverter {
|
|||||||
(match) {
|
(match) {
|
||||||
final content = match.group(1)?.trim() ?? '';
|
final content = match.group(1)?.trim() ?? '';
|
||||||
if (content.isEmpty) return '';
|
if (content.isEmpty) return '';
|
||||||
return '\n> ${content.replaceAll('\n', '\n> ')}\n';
|
return '\n> ${content.replaceAll('\n', '\n> ')}\n\n';
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
@@ -163,12 +202,25 @@ class BBCodeConverter {
|
|||||||
// [h1] without closing tag is common
|
// [h1] without closing tag is common
|
||||||
result = result.replaceAllMapped(
|
result = result.replaceAllMapped(
|
||||||
RegExp(r'\[h1\]([^\[]+)'),
|
RegExp(r'\[h1\]([^\[]+)'),
|
||||||
(match) => '# ${match.group(1)}\n'
|
(match) => '\n\n# ${match.group(1)?.trim()}\n\n'
|
||||||
);
|
);
|
||||||
|
|
||||||
// Replace multiple newlines with at most two newlines
|
// Convert simple newlines to double newlines for proper markdown rendering
|
||||||
|
// But avoid doing this for lines that are already marked up as headings, lists, or tables
|
||||||
|
result = result.replaceAllMapped(
|
||||||
|
RegExp(r'([^\n#*>|])\n([^\n#*>|-])'),
|
||||||
|
(match) => '${match.group(1)}\n\n${match.group(2)}'
|
||||||
|
);
|
||||||
|
|
||||||
|
// Normalize multiple spaces
|
||||||
|
result = result.replaceAll(RegExp(r' {2,}'), ' ');
|
||||||
|
|
||||||
|
// Remove excessive newlines (more than 2 consecutive)
|
||||||
result = result.replaceAll(RegExp(r'\n{3,}'), '\n\n');
|
result = result.replaceAll(RegExp(r'\n{3,}'), '\n\n');
|
||||||
|
|
||||||
|
// Ensure document starts and ends cleanly
|
||||||
|
result = result.trim();
|
||||||
|
|
||||||
return result;
|
return result;
|
||||||
}
|
}
|
||||||
}
|
}
|
@@ -2,6 +2,7 @@ import 'package:flutter/material.dart';
|
|||||||
import 'package:flutter/gestures.dart';
|
import 'package:flutter/gestures.dart';
|
||||||
import 'package:flutter_markdown/flutter_markdown.dart';
|
import 'package:flutter_markdown/flutter_markdown.dart';
|
||||||
import 'package:rimworld_modman/bbcode_converter.dart';
|
import 'package:rimworld_modman/bbcode_converter.dart';
|
||||||
|
import 'dart:math' as math;
|
||||||
|
|
||||||
/// A custom tooltip widget that can properly render mod descriptions in BBCode format.
|
/// A custom tooltip widget that can properly render mod descriptions in BBCode format.
|
||||||
class MarkdownTooltip extends StatefulWidget {
|
class MarkdownTooltip extends StatefulWidget {
|
||||||
@@ -25,7 +26,7 @@ class MarkdownTooltip extends StatefulWidget {
|
|||||||
super.key,
|
super.key,
|
||||||
required this.markdownContent,
|
required this.markdownContent,
|
||||||
required this.child,
|
required this.child,
|
||||||
this.preferredWidth = 500.0,
|
this.preferredWidth = 800.0,
|
||||||
this.maxHeight = 500.0,
|
this.maxHeight = 500.0,
|
||||||
this.styleSheet,
|
this.styleSheet,
|
||||||
});
|
});
|
||||||
@@ -39,12 +40,15 @@ class _MarkdownTooltipState extends State<MarkdownTooltip> {
|
|||||||
final LayerLink _layerLink = LayerLink();
|
final LayerLink _layerLink = LayerLink();
|
||||||
bool _isTooltipVisible = false;
|
bool _isTooltipVisible = false;
|
||||||
bool _isMouseInside = false;
|
bool _isMouseInside = false;
|
||||||
|
bool _isMouseInsideTooltip = false;
|
||||||
bool _isPointerListenerActive = false;
|
bool _isPointerListenerActive = false;
|
||||||
|
final ScrollController _scrollController = ScrollController();
|
||||||
|
|
||||||
@override
|
@override
|
||||||
void dispose() {
|
void dispose() {
|
||||||
_removeGlobalListener();
|
_removeGlobalListener();
|
||||||
_hideTooltip();
|
_hideTooltip();
|
||||||
|
_scrollController.dispose();
|
||||||
super.dispose();
|
super.dispose();
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -154,15 +158,37 @@ class _MarkdownTooltipState extends State<MarkdownTooltip> {
|
|||||||
leftPosition = screenSize.width - widget.preferredWidth - 10; // 10px padding from right edge
|
leftPosition = screenSize.width - widget.preferredWidth - 10; // 10px padding from right edge
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Calculate appropriate tooltip height based on content length
|
||||||
|
// Longer descriptions need more space
|
||||||
|
final contentLength = widget.markdownContent.length;
|
||||||
|
double dynamicHeight = widget.maxHeight;
|
||||||
|
if (contentLength < 500) {
|
||||||
|
dynamicHeight = 250.0; // Small description
|
||||||
|
} else if (contentLength < 2000) {
|
||||||
|
dynamicHeight = 350.0; // Medium description
|
||||||
|
} else {
|
||||||
|
dynamicHeight = widget.maxHeight; // Large description
|
||||||
|
}
|
||||||
|
|
||||||
|
// Ensure dynamic height doesn't exceed screen height
|
||||||
|
dynamicHeight = math.min(dynamicHeight, screenSize.height * 0.7);
|
||||||
|
|
||||||
// If tooltip would go below screen bottom, show it above the widget instead
|
// If tooltip would go below screen bottom, show it above the widget instead
|
||||||
bool showAbove = topPosition + widget.maxHeight > screenSize.height - 10;
|
bool showAbove = topPosition + dynamicHeight > screenSize.height - 10;
|
||||||
if (showAbove) {
|
if (showAbove) {
|
||||||
topPosition = offset.dy - widget.maxHeight - 5; // 5px above the widget
|
topPosition = offset.dy - dynamicHeight - 5; // 5px above the widget
|
||||||
|
|
||||||
|
// If going above would put it offscreen at the top, prefer below but with reduced height
|
||||||
|
if (topPosition < 10) {
|
||||||
|
showAbove = false;
|
||||||
|
topPosition = offset.dy + size.height + 5.0;
|
||||||
|
dynamicHeight = math.min(dynamicHeight, screenSize.height - topPosition - 20);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
// Create follower offset based on calculated position
|
// Create follower offset based on calculated position
|
||||||
final Offset followerOffset = showAbove
|
final Offset followerOffset = showAbove
|
||||||
? Offset(size.width * 0.5 - widget.preferredWidth * 0.5, -widget.maxHeight - 5)
|
? Offset(size.width * 0.5 - widget.preferredWidth * 0.5, -dynamicHeight - 5)
|
||||||
: Offset(size.width * 0.5 - widget.preferredWidth * 0.5, size.height + 5.0);
|
: Offset(size.width * 0.5 - widget.preferredWidth * 0.5, size.height + 5.0);
|
||||||
|
|
||||||
// Create a custom style sheet based on the dark theme
|
// Create a custom style sheet based on the dark theme
|
||||||
@@ -236,89 +262,199 @@ class _MarkdownTooltipState extends State<MarkdownTooltip> {
|
|||||||
left: leftPosition,
|
left: leftPosition,
|
||||||
top: topPosition,
|
top: topPosition,
|
||||||
width: widget.preferredWidth,
|
width: widget.preferredWidth,
|
||||||
child: CompositedTransformFollower(
|
child: MouseRegion(
|
||||||
link: _layerLink,
|
onEnter: (_) {
|
||||||
offset: followerOffset,
|
setState(() {
|
||||||
child: Material(
|
_isMouseInsideTooltip = true;
|
||||||
elevation: 8.0,
|
});
|
||||||
borderRadius: BorderRadius.circular(8.0),
|
},
|
||||||
color: Colors.transparent,
|
onExit: (_) {
|
||||||
child: Container(
|
setState(() {
|
||||||
constraints: BoxConstraints(
|
_isMouseInsideTooltip = false;
|
||||||
maxHeight: widget.maxHeight,
|
// Delay hiding to avoid flickering when moving between tooltip and trigger
|
||||||
),
|
Future.delayed(const Duration(milliseconds: 100), () {
|
||||||
decoration: BoxDecoration(
|
if (!_isMouseInside && !_isMouseInsideTooltip && mounted) {
|
||||||
color: const Color(0xFF2A3440), // Match app's dark theme card color
|
_hideTooltip();
|
||||||
borderRadius: BorderRadius.circular(8.0),
|
_removeGlobalListener();
|
||||||
boxShadow: [
|
}
|
||||||
BoxShadow(
|
});
|
||||||
color: Colors.black.withOpacity(0.3),
|
});
|
||||||
blurRadius: 10,
|
},
|
||||||
offset: const Offset(0, 5),
|
child: CompositedTransformFollower(
|
||||||
),
|
link: _layerLink,
|
||||||
],
|
offset: followerOffset,
|
||||||
),
|
child: Material(
|
||||||
child: ClipRRect(
|
elevation: 8.0,
|
||||||
borderRadius: BorderRadius.circular(8.0),
|
borderRadius: BorderRadius.circular(8.0),
|
||||||
child: Column(
|
color: Colors.transparent,
|
||||||
mainAxisSize: MainAxisSize.min,
|
child: ConstrainedBox(
|
||||||
crossAxisAlignment: CrossAxisAlignment.start,
|
constraints: BoxConstraints(
|
||||||
children: [
|
maxHeight: dynamicHeight,
|
||||||
// Header
|
maxWidth: widget.preferredWidth,
|
||||||
Container(
|
minHeight: 100.0, // Ensure a minimum height to show content
|
||||||
padding: const EdgeInsets.symmetric(horizontal: 16.0, vertical: 8.0),
|
),
|
||||||
width: double.infinity,
|
child: Container(
|
||||||
color: const Color(0xFF3D4A59), // Match app's primary color
|
decoration: BoxDecoration(
|
||||||
child: Row(
|
color: const Color(0xFF2A3440), // Match app's dark theme card color
|
||||||
mainAxisAlignment: MainAxisAlignment.spaceBetween,
|
borderRadius: BorderRadius.circular(8.0),
|
||||||
children: [
|
boxShadow: [
|
||||||
const Text(
|
BoxShadow(
|
||||||
'Mod Description',
|
color: Colors.black.withOpacity(0.3),
|
||||||
style: TextStyle(
|
blurRadius: 10,
|
||||||
color: Colors.white,
|
offset: const Offset(0, 5),
|
||||||
fontWeight: FontWeight.bold,
|
|
||||||
fontSize: 14.0,
|
|
||||||
),
|
|
||||||
),
|
|
||||||
InkWell(
|
|
||||||
onTap: () {
|
|
||||||
WidgetsBinding.instance.addPostFrameCallback((_) {
|
|
||||||
if (mounted) {
|
|
||||||
_hideTooltip();
|
|
||||||
_removeGlobalListener();
|
|
||||||
}
|
|
||||||
});
|
|
||||||
},
|
|
||||||
child: const Padding(
|
|
||||||
padding: EdgeInsets.all(2.0),
|
|
||||||
child: Icon(
|
|
||||||
Icons.close,
|
|
||||||
color: Colors.white,
|
|
||||||
size: 16.0,
|
|
||||||
),
|
|
||||||
),
|
|
||||||
),
|
|
||||||
],
|
|
||||||
),
|
),
|
||||||
),
|
],
|
||||||
// Markdown content
|
),
|
||||||
Flexible(
|
child: ClipRRect(
|
||||||
child: SingleChildScrollView(
|
borderRadius: BorderRadius.circular(8.0),
|
||||||
child: Padding(
|
child: Column(
|
||||||
padding: const EdgeInsets.all(16.0),
|
mainAxisSize: MainAxisSize.min,
|
||||||
child: MarkdownBody(
|
crossAxisAlignment: CrossAxisAlignment.start,
|
||||||
data: widget.markdownContent.length > 5000
|
children: [
|
||||||
? BBCodeConverter.toMarkdown('${widget.markdownContent.substring(0, 5000)}...\n\n*[Description truncated due to length]*')
|
// Header
|
||||||
: BBCodeConverter.toMarkdown(widget.markdownContent),
|
Container(
|
||||||
styleSheet: effectiveStyleSheet,
|
padding: const EdgeInsets.symmetric(horizontal: 16.0, vertical: 8.0),
|
||||||
shrinkWrap: true,
|
width: double.infinity,
|
||||||
softLineBreak: true,
|
color: const Color(0xFF3D4A59), // Match app's primary color
|
||||||
selectable: true,
|
child: Row(
|
||||||
|
mainAxisAlignment: MainAxisAlignment.spaceBetween,
|
||||||
|
children: [
|
||||||
|
const Text(
|
||||||
|
'Mod Description',
|
||||||
|
style: TextStyle(
|
||||||
|
color: Colors.white,
|
||||||
|
fontWeight: FontWeight.bold,
|
||||||
|
fontSize: 14.0,
|
||||||
|
),
|
||||||
|
),
|
||||||
|
Row(
|
||||||
|
mainAxisSize: MainAxisSize.min,
|
||||||
|
children: [
|
||||||
|
// Scroll to top button
|
||||||
|
InkWell(
|
||||||
|
onTap: () {
|
||||||
|
if (_scrollController.hasClients) {
|
||||||
|
_scrollController.animateTo(
|
||||||
|
0.0,
|
||||||
|
duration: const Duration(milliseconds: 300),
|
||||||
|
curve: Curves.easeOut,
|
||||||
|
);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
child: const Padding(
|
||||||
|
padding: EdgeInsets.all(2.0),
|
||||||
|
child: Icon(
|
||||||
|
Icons.arrow_upward,
|
||||||
|
color: Colors.white,
|
||||||
|
size: 16.0,
|
||||||
|
),
|
||||||
|
),
|
||||||
|
),
|
||||||
|
const SizedBox(width: 4.0),
|
||||||
|
// Close button
|
||||||
|
InkWell(
|
||||||
|
onTap: () {
|
||||||
|
WidgetsBinding.instance.addPostFrameCallback((_) {
|
||||||
|
if (mounted) {
|
||||||
|
_hideTooltip();
|
||||||
|
_removeGlobalListener();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
},
|
||||||
|
child: const Padding(
|
||||||
|
padding: EdgeInsets.all(2.0),
|
||||||
|
child: Icon(
|
||||||
|
Icons.close,
|
||||||
|
color: Colors.white,
|
||||||
|
size: 16.0,
|
||||||
|
),
|
||||||
|
),
|
||||||
|
),
|
||||||
|
],
|
||||||
|
),
|
||||||
|
],
|
||||||
),
|
),
|
||||||
),
|
),
|
||||||
),
|
// Markdown content
|
||||||
|
Flexible(
|
||||||
|
child: Stack(
|
||||||
|
children: [
|
||||||
|
// Scrollable content
|
||||||
|
SingleChildScrollView(
|
||||||
|
controller: _scrollController,
|
||||||
|
physics: const AlwaysScrollableScrollPhysics(),
|
||||||
|
scrollDirection: Axis.vertical,
|
||||||
|
child: Padding(
|
||||||
|
padding: const EdgeInsets.all(16.0),
|
||||||
|
child: MarkdownBody(
|
||||||
|
data: widget.markdownContent.length > 7000
|
||||||
|
? BBCodeConverter.toMarkdown('${widget.markdownContent.substring(0, 7000)}...\n\n*[Description truncated due to length]*')
|
||||||
|
: BBCodeConverter.toMarkdown(widget.markdownContent),
|
||||||
|
styleSheet: effectiveStyleSheet,
|
||||||
|
shrinkWrap: true,
|
||||||
|
softLineBreak: true,
|
||||||
|
selectable: true,
|
||||||
|
onTapLink: (text, href, title) {
|
||||||
|
if (href != null) {
|
||||||
|
debugPrint('Link tapped: $href');
|
||||||
|
// Here you could add code to open the link in a browser
|
||||||
|
}
|
||||||
|
},
|
||||||
|
),
|
||||||
|
),
|
||||||
|
),
|
||||||
|
|
||||||
|
// Scroll indicator (fades out when scrolling begins)
|
||||||
|
Positioned(
|
||||||
|
bottom: 10,
|
||||||
|
right: 10,
|
||||||
|
child: StreamBuilder<double>(
|
||||||
|
stream: Stream.periodic(const Duration(milliseconds: 200), (_) {
|
||||||
|
if (!_scrollController.hasClients) return 0.0;
|
||||||
|
|
||||||
|
// Check if content is scrollable
|
||||||
|
final isScrollable = _scrollController.position.maxScrollExtent > 0;
|
||||||
|
|
||||||
|
// If not scrollable, don't show the indicator
|
||||||
|
if (!isScrollable) return -1.0;
|
||||||
|
|
||||||
|
return _scrollController.offset;
|
||||||
|
}),
|
||||||
|
builder: (context, snapshot) {
|
||||||
|
// Check for scrollability
|
||||||
|
final isScrollable = snapshot.hasData && snapshot.data! >= 0;
|
||||||
|
|
||||||
|
// Check for already scrolled state
|
||||||
|
final isScrolled = snapshot.hasData && snapshot.data! > 20.0;
|
||||||
|
|
||||||
|
// Don't show indicator at all if content is not scrollable
|
||||||
|
if (!isScrollable) return const SizedBox.shrink();
|
||||||
|
|
||||||
|
return AnimatedOpacity(
|
||||||
|
opacity: isScrolled ? 0.0 : 0.7,
|
||||||
|
duration: const Duration(milliseconds: 300),
|
||||||
|
child: Container(
|
||||||
|
padding: const EdgeInsets.all(8.0),
|
||||||
|
decoration: BoxDecoration(
|
||||||
|
color: Colors.black54,
|
||||||
|
borderRadius: BorderRadius.circular(20),
|
||||||
|
),
|
||||||
|
child: const Icon(
|
||||||
|
Icons.keyboard_arrow_down,
|
||||||
|
color: Colors.white,
|
||||||
|
size: 16,
|
||||||
|
),
|
||||||
|
),
|
||||||
|
);
|
||||||
|
},
|
||||||
|
),
|
||||||
|
),
|
||||||
|
],
|
||||||
|
),
|
||||||
|
),
|
||||||
|
],
|
||||||
),
|
),
|
||||||
],
|
),
|
||||||
),
|
),
|
||||||
),
|
),
|
||||||
),
|
),
|
||||||
@@ -346,19 +482,23 @@ class _MarkdownTooltipState extends State<MarkdownTooltip> {
|
|||||||
},
|
},
|
||||||
child: MouseRegion(
|
child: MouseRegion(
|
||||||
onEnter: (_) {
|
onEnter: (_) {
|
||||||
_isMouseInside = true;
|
setState(() {
|
||||||
|
_isMouseInside = true;
|
||||||
|
});
|
||||||
// Delay showing tooltip slightly to avoid accidental triggers
|
// Delay showing tooltip slightly to avoid accidental triggers
|
||||||
Future.delayed(const Duration(milliseconds: 100), () {
|
Future.delayed(const Duration(milliseconds: 100), () {
|
||||||
if (mounted && _isMouseInside && !_isTooltipVisible) {
|
if (mounted && (_isMouseInside || _isMouseInsideTooltip) && !_isTooltipVisible) {
|
||||||
_showTooltip();
|
_showTooltip();
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
},
|
},
|
||||||
onExit: (_) {
|
onExit: (_) {
|
||||||
_isMouseInside = false;
|
setState(() {
|
||||||
|
_isMouseInside = false;
|
||||||
|
});
|
||||||
// Delay hiding tooltip slightly to allow moving to the tooltip itself
|
// Delay hiding tooltip slightly to allow moving to the tooltip itself
|
||||||
Future.delayed(const Duration(milliseconds: 100), () {
|
Future.delayed(const Duration(milliseconds: 100), () {
|
||||||
if (mounted && !_isMouseInside && _isTooltipVisible) {
|
if (mounted && !_isMouseInside && !_isMouseInsideTooltip && _isTooltipVisible) {
|
||||||
_hideTooltip();
|
_hideTooltip();
|
||||||
_removeGlobalListener();
|
_removeGlobalListener();
|
||||||
}
|
}
|
||||||
|
Reference in New Issue
Block a user