说我有以下内容:
<TextBox TextWrapping="Wrap"
AcceptsReturn="True"
AcceptsTab="True"
MaxLines="3000"/>
有没有办法可以将每行的最大字符数限制为 60?
我已经看到了通过 keydown 事件来做到这一点的方法,但这似乎并不是万无一失的(即粘贴长文本块怎么样)。
选择单间距字体。并计算包含 60 个字符的文本框的宽度。
鉴于您正在响应 keydown 事件,我假设您要确保后面的字符串TextBox
遵守“每行 60 个字符”规则。如果是这种情况,您应该TextChanged
在TextBox
. 在那里,您可以修复文本并截断或分隔太长的行。
(编辑)要解决显示部分,您可以按照 Kafuka 的建议进行操作:只需使框宽到足以容纳 60 个字符,如果您想确定,请使用等宽字体。如果您确定字符串是正确的,这应该很容易符合要求。
我真的不认为您可以在包装时执行此操作,因为包装会更改当前行以适应TextBox
. 即使在使用记事本时,您也永远无法在启用自动换行时查看状态栏,因为在换行时很难获取当前行索引及其长度。
当TextWrapping
属性设置为NoWrap
. 您首先需要获取当前行索引的长度。然后,如果它是 59 或更多,则处理输入。
例子
<TextBox Name="textBox1"
TextWrapping="NoWrap"
AcceptsReturn="True"
AcceptsTab="True"
MaxLines="3000"
KeyDown="textBox1_KeyDown"/>
private void textBox1_KeyDown(object sender, KeyEventArgs e)
{
//Initialize a new int of name CurrentLine to get the current line the user is on
int CurrentLine = textBox1.GetLineIndexFromCharacterIndex(textBox1.Text.Length);
//Continue if the length of the current line is more or equal to 59
if (textBox1.GetLineLength(CurrentLine) >= 59)
{
//Don't insert the character
e.Handled = true;
}
}
谢谢,
我希望你觉得这有帮助:)
我知道这是一个非常晚的答案,但是这样发现这个问题的人可以获得一个很好的答案,并可以防止例如 Ctrl+C 和其他东西:
private void textBox1_TextChanged(object sender, EventArgs e)
{
foreach (string line in textBox1.Lines)
{
if (line.Length > 60)
{
textBox1.Undo();
}
}
textBox1.ClearUndo();
}
请注意,这确实意味着您不能再在文本框中使用 Ctrl+Z,但如果这不打扰您,这是一个不错的选择,因为它适用于任何字体。
编辑这不适用于 wpf 文本框,只有 windows 窗体文本框
我今天看了几个解决方案。他们要么根本不工作,要么如果他们工作,他们就没有按照我认为应该的方式工作。光标位置异常或换行不正确。这是我的“解决方案”,我希望它对未来的人有所帮助。它包装,不展开,并保留任何现有的新行。我将此示例设置为 60 个字符宽,并在此示例之外设置一个 bool isBusyUpdating 以防止它在更新进行时再次触发。
txtNotes.HorizontalContentAlignment = HorizontalAlignment.Left;
txtNotes.VerticalContentAlignment = VerticalAlignment.Top;
txtNotes.TextWrapping = TextWrapping.NoWrap;
txtNotes.AcceptsReturn = true;
txtNotes.TextChanged += delegate (object o, TextChangedEventArgs args)
{
//args.Handled = true;
TextBox thisText = (TextBox)args.Source;
if (!isBusyUpdating)
{
isBusyUpdating = true;
string updatedText = "";
bool blnUpdate = false;
int curPos = thisText.CaretIndex;
foreach (string thisLine in thisText.Text.Split('\n'))
{
if (thisLine.Length > 60)
{
blnUpdate = true;
updatedText = updatedText +
thisLine.Substring(0, 60)
.Replace("\n", "") +
"\n" + thisLine.Substring(60);
curPos++;
}
else
{
updatedText = updatedText + thisLine + "\n";
}
}
if (blnUpdate)
{
thisText.Text = updatedText;
thisText.CaretIndex = curPos-1;
}
isBusyUpdating = false;
}
};