4

我目前在视图中使用以下代码来调整 Html.TextAreaFor() 的高度以适应其内容。有没有更好的和/或不那么冗长的方法来做到这一点?

...
int width = 85;
int lines = 1;
string[] arr = Model.Text.Split(new string[] {"\r\n", "\n", "\r"}, StringSplitOptions.None);
foreach (var str in arr)
{
    if (str.Length / width > 0)
    {
        lines += str.Length / width + (str.Length % width <= width/2 ? 1 : 0);
    }
    else
    {
        lines++;
    }
}
@Html.TextAreaFor(m => m.Text,
                  new
                  {
                      id = "text",
                      style = "width:" + width + "em; height:" + lines + "em;"
                  })

...
4

3 回答 3

5

代码看起来不错。一种可能的改进是将其外部化为可重用的助手以避免污染视图:

public static class TextAreaExtensions
{
    public static IHtmlString TextAreaAutoSizeFor<TModel, TProperty>(
        this HtmlHelper<TModel> htmlHelper,
        Expression<Func<TModel, TProperty>> expression,
        object htmlAttributes
    )
    {
        var model = ModelMetadata.FromLambdaExpression(expression, htmlHelper.ViewData).Model;
        var text = model as string ?? string.Empty;
        int width = 85;
        int lines = 1;
        string[] arr = text.Split(new string[] { "\r\n", "\n", "\r" }, StringSplitOptions.None);
        foreach (var str in arr)
        {
            if (str.Length / width > 0)
            {
                lines += str.Length / width + (str.Length % width <= width / 2 ? 1 : 0);
            }
            else
            {
                lines++;
            }
        }
        var attributes = new RouteValueDictionary(htmlAttributes);
        attributes["style"] = string.Format("width:{0}em; height:{1}em;", width, lines);
        return htmlHelper.TextAreaFor(expression, attributes);
    }
}

在视图中:

@Html.TextAreaAutoSizeFor(m => m.Text, new { id = "text" })
于 2012-04-18T21:01:30.027 回答
3

看起来不错,您还可以使用JQuery autogrow textarea 插件

它将为您节省一些编码,甚至可能更有效。

于 2012-04-18T20:46:47.023 回答
2

您可以使用一些 LINQ 魔法将其减少为一行:

var lines = Model.Text.Split( new[] { "\r\n", "\r", "\n" }, StringSplitOptions.None )
  .Aggregate( 0, (total, next) => 
    total += next.Length <= width ? 1 
      : (int)Math.Ceiling( (double)next.Length / width ) );

请注意,您拆分的方式存在一个小问题。如果您的输入中确实有混合\n\r, 和\r\nline 结尾(不太可能),则此拆分将按从左到右的顺序拆分,因此它永远不会在 string 上拆分\r\n,这意味着 the\r和 the之间有一个空行\n。所以你会看到我将 移动\r\n到拆分中的第一个字符串。

于 2012-04-18T21:01:28.213 回答