11

我正在尝试制作一个 HtmlHelper,我需要允许用户将自己的自定义属性添加到 html 标记中。

我尝试使用 TagBuilder 类来执行此操作,但似乎不是合并属性,而是替换它们。

这就是我在 C# 中所做的:

public static MvcHtmlString List(HtmlHelper helper, object htmlAttributes)
{
    var attributes = HtmlHelper.AnonymousObjectToHtmlAttributes(htmlAttributes);

    var tag = new TagBuilder("div");
    tag.AddCssClass("myClass");
    tag.MergeAttributes(attributes, false);

    // tag class property has value "myClass", not "myClass testClass"

    return new MvcHtmlString("<div>");
}

这是我的看法:

@Html.List(new { @class = "testClass" })

我究竟做错了什么?

4

3 回答 3

32

MergeAttributes 覆盖标签上已有的属性,AddCssClass 将名称附加到类值中。

所以只需切换它,它就会工作;

    tag.MergeAttributes(attributes, false);
    tag.AddCssClass("myClass");

AddCssClass 将附加到合并在它上面的类名。

于 2012-11-08T11:42:59.623 回答
17

TagBuilder.MergeAttributes方法无法按照您的预期工作。这是此方法的确切代码:

    public void MergeAttributes<TKey, TValue>(IDictionary<TKey, TValue> attributes, bool replaceExisting)
    {
        if (attributes != null)
        {
            foreach (var entry in attributes)
            {
                string key = Convert.ToString(entry.Key, CultureInfo.InvariantCulture);
                string value = Convert.ToString(entry.Value, CultureInfo.InvariantCulture);
                MergeAttribute(key, value, replaceExisting);
            }
        }
    }

    public void MergeAttribute(string key, string value, bool replaceExisting)
    {
        if (String.IsNullOrEmpty(key))
        {
            throw new ArgumentException(CommonResources.Argument_Cannot_Be_Null_Or_Empty, "key");
        }

        if (replaceExisting || !Attributes.ContainsKey(key))
        {
            Attributes[key] = value;
        }
    }

如您所见,它仅向集合添加新属性(如果replaceExisting设置为 true,它也会替换集合中已有的属性)。它不执行和属性值合并逻辑。如果你想合并值,你需要自己做:

public static MvcHtmlString List(this HtmlHelperhelper, object htmlAttributes)
{
    var attributes = HtmlHelper.AnonymousObjectToHtmlAttributes(htmlAttributes);        
    if (attributes.ContainsKey("class"))
        attributes["class"] = "myclass " + attributes["class"];
    else
        attributes.Add("class", "myClass");

    var tag = new TagBuilder("div");
    tag.MergeAttributes(attributes, false);

    return new MvcHtmlString(tag.ToString(TagRenderMode.Normal));
}
于 2012-09-28T08:52:27.187 回答
4

我需要合并其他属性(除了类),所以 AddCssClass() 是不够的。我写了一个扩展方法来做我认为 MergeAttributes 应该做的事情:

public static class TagBuilderExtensions
{
    public static void TrueMergeAttributes(this TagBuilder tagBuilder, IDictionary<string, object> attributes)
    {
        foreach (var attribute in attributes)
        {
            string currentValue;
            string newValue = attribute.Value.ToString();

            if (tagBuilder.Attributes.TryGetValue(attribute.Key, out currentValue))
            {
                newValue = currentValue + " " + newValue;
            }

            tagBuilder.Attributes[attribute.Key] = newValue;
        }
    }
}
于 2014-02-05T21:00:18.810 回答