プロパティにバインドされたTextBlockがあります。ただし、テキスト内の特定の単語を太字にしたい。これを行う最も簡単な方法は何ですか?参考までに、私はWPFを初めて使用します。
1064 次
1 に答える
6
個々の単語を太字にすることは、実際にはより多くのインライン要素を作成することを伴うため、文字列をTextBlockのテキストにバインドしてこれを行うことはできません。
過去にこれを行ったことは、バインドするカスタムプロパティを持つTextBlockのサブクラスを作成したことです。このプロパティがバインドされたら、ベースTextBlockのインラインをクリアしてから、新しい文字列値を解析するアルゴリズムを使用して、プレーンな実行、太字、ハイパーリンクなどを作成します。
これは、URL、電子メール、@パターンを検出し、それらのハイパーリンクを作成する実験的なTwitterクライアント用に作成したサンプルコードです。通常のテキストは、通常の実行としてインライン化されます。
[ContentProperty("StatusText")]
public sealed class StatusTextBlock : TextBlock
{
#region Fields
public static readonly DependencyProperty StatusTextProperty = DependencyProperty.Register(
"StatusText",
typeof(string),
typeof(StatusTextBlock),
new FrameworkPropertyMetadata(string.Empty, FrameworkPropertyMetadataOptions.None, StatusTextBlock.StatusTextPropertyChangedCallback, null));
private static readonly Regex UriMatchingRegex = new Regex(@"(?<url>[a-zA-Z]+:\/\/[a-zA-Z0-9]+([\-\.]{1}[a-zA-Z0-9]+)*\.[a-zA-Z]{2,5}(:[0-9]{1,5})?([a-zA-Z0-9_\-\.\~\%\+\?\=\&\;\|/]*)?)|(?<emailAddress>[^\s]+@[a-zA-Z0-9]+([\-\.]{1}[a-zA-Z0-9]+)*\.[a-zA-Z]{2,5})|(?<toTwitterScreenName>\@[a-zA-Z0-9\-_]+)", RegexOptions.Compiled);
#endregion
#region Constructors
public StatusTextBlock()
{
}
#endregion
#region Type specific properties
public string StatusText
{
get
{
return (string)this.GetValue(StatusTextBlock.StatusTextProperty);
}
set
{
this.SetValue(StatusTextBlock.StatusTextProperty, value);
}
}
#endregion
#region Helper methods
internal static IEnumerable<Inline> GenerateInlinesFromRawEntryText(string entryText)
{
int startIndex = 0;
Match match = StatusTextBlock.UriMatchingRegex.Match(entryText);
while(match.Success)
{
if(startIndex != match.Index)
{
yield return new Run(StatusTextBlock.DecodeStatusEntryText(entryText.Substring(startIndex, match.Index - startIndex)));
}
Hyperlink hyperLink = new Hyperlink(new Run(match.Value));
string uri = match.Value;
if(match.Groups["emailAddress"].Success)
{
uri = "mailto:" + uri;
}
else if(match.Groups["toTwitterScreenName"].Success)
{
uri = "http://twitter.com/" + uri.Substring(1);
}
hyperLink.NavigateUri = new Uri(uri);
yield return hyperLink;
startIndex = match.Index + match.Length;
match = match.NextMatch();
}
if(startIndex != entryText.Length)
{
yield return new Run(StatusTextBlock.DecodeStatusEntryText(entryText.Substring(startIndex)));
}
}
internal static string DecodeStatusEntryText(string text)
{
return text.Replace(">", ">").Replace("<", "<");
}
private static void StatusTextPropertyChangedCallback(DependencyObject target, DependencyPropertyChangedEventArgs eventArgs)
{
StatusTextBlock targetStatusEntryTextBlock = (StatusTextBlock)target;
targetStatusEntryTextBlock.Inlines.Clear();
string newValue = eventArgs.NewValue as string;
if(newValue != null)
{
targetStatusEntryTextBlock.Inlines.AddRange(StatusTextBlock.GenerateInlinesFromRawEntryText(newValue));
}
}
#endregion
}
于 2009-10-14T16:54:51.913 に答える