Как динамически изменять цвет определенного текста в текстовом поле?
Рассмотрим изображение ниже, я хочу динамически изменять цвет текста части текста на основе текста, вводимого пользователем (а не всего текста) в текстовом поле. Как я могу это сделать во флаттере? https:https://stackru.com/images/32690143a85e63a41e38977f2f5e2d47d5f72026.png
3 ответа
В этом примере нам действительно не нужен полноценный редактор форматированного текста.
В моем приложении у меня была аналогичная цель - выделить теги (@flutter
) или ссылки на дату (next week
, on Friday
и т. д.), и я смог реализовать это, расширив встроенный EditableText
виджет и разместил мой пример как Gist здесь: https://gist.github.com/pulyaevskiy/d7af7217c2e71f31dfb78699f91dfbb5
Ниже представлена полная реализация этого виджета, который я назвал AnnotatedEditableText
. Есть новая недвижимостьannotations
в котором описаны диапазоны текста, которые необходимо выделить, и их стиль.
import 'package:flutter/widgets.dart';
class Annotation extends Comparable<Annotation> {
Annotation({@required this.range, this.style});
final TextRange range;
final TextStyle style;
@override
int compareTo(Annotation other) {
return range.start.compareTo(other.range.start);
}
@override
String toString() {
return 'Annotation(range:$range, style:$style)';
}
}
class AnnotatedEditableText extends EditableText {
AnnotatedEditableText({
Key key,
FocusNode focusNode,
TextEditingController controller,
TextStyle style,
ValueChanged<String> onChanged,
ValueChanged<String> onSubmitted,
Color cursorColor,
Color selectionColor,
TextSelectionControls selectionControls,
this.annotations,
}) : super(
key: key,
focusNode: focusNode,
controller: controller,
cursorColor: cursorColor,
style: style,
keyboardType: TextInputType.text,
autocorrect: true,
autofocus: true,
selectionColor: selectionColor,
selectionControls: selectionControls,
onChanged: onChanged,
onSubmitted: onSubmitted,
);
final List<Annotation> annotations;
@override
AnnotatedEditableTextState createState() => new AnnotatedEditableTextState();
}
class AnnotatedEditableTextState extends EditableTextState {
@override
AnnotatedEditableText get widget => super.widget;
List<Annotation> getRanges() {
var source = widget.annotations;
source.sort();
var result = new List<Annotation>();
Annotation prev;
for (var item in source) {
if (prev == null) {
// First item, check if we need one before it.
if (item.range.start > 0) {
result.add(new Annotation(
range: TextRange(start: 0, end: item.range.start),
));
}
result.add(item);
prev = item;
continue;
} else {
// Consequent item, check if there is a gap between.
if (prev.range.end > item.range.start) {
// Invalid ranges
throw new StateError(
'Invalid (intersecting) ranges for annotated field');
} else if (prev.range.end < item.range.start) {
result.add(Annotation(
range: TextRange(start: prev.range.end, end: item.range.start),
));
}
// Also add current annotation
result.add(item);
prev = item;
}
}
// Also check for trailing range
final String text = textEditingValue.text;
if (result.last.range.end < text.length) {
result.add(Annotation(
range: TextRange(start: result.last.range.end, end: text.length),
));
}
return result;
}
@override
TextSpan buildTextSpan() {
final String text = textEditingValue.text;
if (widget.annotations != null) {
var items = getRanges();
var children = <TextSpan>[];
for (var item in items) {
children.add(
TextSpan(style: item.style, text: item.range.textInside(text)),
);
}
return new TextSpan(style: widget.style, children: children);
}
return new TextSpan(style: widget.style, text: text);
}
}
Контроллер расширенного текста работает нормально!
Подробнее см. на https://pub.dev/packages/rich_text_controller .
Сначала вы выбираете свое регулярное выражение
RichTextController _controller;
Map<RegExp, TextStyle> patternUser = {
RegExp(r"\B@[a-zA-Z0-9]+\b"):
TextStyle(color: Colors.amber, fontWeight: FontWeight.bold)
};
в состоянии инициализации()
_controller = RichTextController(
patternMap: patternUser,
);
Добавьте контроллер в свой TextFormField
TextFormField(
controller: _controller,
style: TextStyle(color: Colors.white),
)
Вы можете использовать простой стиль в текстовом виджете
Text("value",style: TextStyle(color: Colors.purple)),
или если вы хотите раскрасить определенное значение в строке, используйте строку с несколькими TextWidgets и укажите один из цветных примеров
Row(children: <Widgets>[
Text("see this")),
Text("@tammyDelgado",style: TextStyle(color: Colors.purple)),
Text("Wonderfull")),
]),