这很困难,因为大写可以改变显示字符和文档之间的映射(视觉列与文档偏移)。
例如,单个字符 'ß'(德语锐利 s)仅作为小写字母存在,并在调用 时转换为两个字符的字符串“SS” string.ToUpper()
。编辑这个文本很棘手:我们不能让用户只替换一个“S”,因为基础文档只包含“ß”。
一个简单的解决方案是改用该char.ToUpper()
方法,强制在原始字符和大写字符之间进行一对一的映射。这将使像“ß”这样的字母保持不变。
在 AvalonEdit 4.2 中,仅允许对已生成的 VisualLineElement 进行两种转换:
- 更改文本运行属性,例如字体大小、文本颜色等。
- 将 VisualLineElement 一分为二 - 这是在内部使用的,
ChangeLinePart()
以便可以更改文本部分的属性。
这意味着不可能在着色器中进行文本替换,您需要使用VisualLineElementGenerator
.
/// <summary>
/// Makes all text after a colon (until the end of line) upper-case.
/// </summary>
public class UppercaseGenerator : VisualLineElementGenerator
{
public override int GetFirstInterestedOffset(int startOffset)
{
TextDocument document = CurrentContext.Document;
int endOffset = CurrentContext.VisualLine.LastDocumentLine.EndOffset;
for (int i = startOffset; i < endOffset; i++) {
char c = document.GetCharAt(i);
if (c == ':')
return i + 1;
}
return -1;
}
public override VisualLineElement ConstructElement(int offset)
{
DocumentLine line = CurrentContext.Document.GetLineByOffset(offset);
return new UppercaseText(CurrentContext.VisualLine, line.EndOffset - offset);
}
/// <summary>
/// Displays a portion of the document text, but upper-cased.
/// </summary>
class UppercaseText : VisualLineText
{
public UppercaseText(VisualLine parentVisualLine, int length) : base(parentVisualLine, length)
{
}
protected override VisualLineText CreateInstance(int length)
{
return new UppercaseText(ParentVisualLine, length);
}
public override TextRun CreateTextRun(int startVisualColumn, ITextRunConstructionContext context)
{
if (context == null)
throw new ArgumentNullException("context");
int relativeOffset = startVisualColumn - VisualColumn;
StringSegment text = context.GetText(context.VisualLine.FirstDocumentLine.Offset + RelativeTextOffset + relativeOffset, DocumentLength - relativeOffset);
char[] uppercase = new char[text.Count];
for (int i = 0; i < text.Count; i++) {
uppercase[i] = char.ToUpper(text.Text[text.Offset + i]);
}
return new TextCharacters(uppercase, 0, uppercase.Length, this.TextRunProperties);
}
}
}
在 AvalonEdit 4.3.0.8868 中,我添加了方法VisualLine.ReplaceElement()
. 这可用于将默认VisualText
元素替换UppercaseText
为线路转换器(着色器)中的元素。
请注意,也可以实现对“ß”显示为“SS”的支持。为此,您必须实现自己的副本VisualLineText
而不是仅仅覆盖现有的副本。然后,您可以使用不同于文档长度的视觉长度。GetRelativeOffset
和方法将GetVisualColumns
用于提供文档和视觉坐标之间的映射。
您可以使用另一种选择:小型大写字母。
// in the colorizer:
ChangeLinePart(start, end, e => e.TextRunProperties.SetTypographyProperties(new CapsTypography()));
// helper class
class CapsTypography : DefaultTextRunTypographyProperties
{
public override FontCapitals Capitals {
get { return FontCapitals.SmallCaps; }
}
}
但是,只有在使用支持它们的 OpenType 字体时,WPF 才会呈现小型大写字母。在我的测试中,Cambria
使用小型大写字母,大多数其他字体都没有。此外,SetTypographyProperties
方法和DefaultTextRunTypographyProperties
类需要 AvalonEdit 4.3。