Setting ASP.NET Core TagHelper Attribute Without Encoding

こ雲淡風輕ζ 提交于 2019-12-20 04:53:55

问题


I want to add the integrity attribute to a script tag in my tag helper. It contains a + sign which I don't want encoded.

<script integrity="sha384-Li9vy3DqF8tnTXuiaAJuML3ky+er10rcgNR/VqsVpcw+ThHmYcwiB1pbOxEbzJr7"></script>

This is my tag helper:

[HtmlTargetElement(Attributes = "script")]
public class MyTagHelper : TagHelper
{
    public override async Task ProcessAsync(TagHelperContext context, TagHelperOutput output)
    {
        // Omitted...

        output.Attributes["integrity"] = "sha384-Li9vy3DqF8tnTXuiaAJuML3ky+er10rcgNR/VqsVpcw+ThHmYcwiB1pbOxEbzJr7";
    }
}

This is the output of the above code, where + has been replaced by &#x2B;:

<script integrity="sha384-Li9vy3DqF8tnTXuiaAJuML3ky&#x2B;er10rcgNR/VqsVpcw&#x2B;ThHmYcwiB1pbOxEbzJr7"></script>

How can I stop this encoding from taking place?


回答1:


The provided code didn't work for me, as the ProcessAsync method wasn't called. There were some things wrong with this (abstract class can't be instantiated, there is no script attribute etc.).

The solution is basically that you create the TagHelperAttribute class yourself, instead of simply assigning the string type.

@section Scripts {
    <script></script>
}

The tag helper

[HtmlTargetElement("script")]
public class MyTagHelper : TagHelper
{
    public const string IntegrityAttributeName = "integrity";
    public override async Task ProcessAsync(TagHelperContext context, TagHelperOutput output)
    {
        // Omitted...

        output.Attributes[IntegrityAttributeName] = new TagHelperAttribute(IntegrityAttributeName, new HtmlString("sha384-Li9vy3DqF8tnTXuiaAJuML3ky+er10rcgNR/VqsVpcw+ThHmYcwiB1pbOxEbzJr7"));

        await Task.FromResult(true);
    }
}

This correctly outputs

<script integrity="sha384-Li9vy3DqF8tnTXuiaAJuML3ky+er10rcgNR/VqsVpcw+ThHmYcwiB1pbOxEbzJr7"></script>

The reason for this is, that TagHelperAttribute has an operator overload public static implicit operator TagHelperAttribute(string value) for the implicit (=) operator, which will create the TagHelperAttribute and pass the string as it's Value.

In Razor, strings get escaped automatically. If you want to avoid the escaping, you have to use HtmlString instead.



来源:https://stackoverflow.com/questions/35671172/setting-asp-net-core-taghelper-attribute-without-encoding

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!