Как установить useUnsafeHeaderParsing в коде - PullRequest
17 голосов
/ 08 декабря 2011

Я получаю следующее исключение:

Сервер совершил нарушение протокола. Раздел = ResponseHeader Detail = CR должен сопровождаться LF

Из этого вопроса:

HttpWebRequestError: Сервер совершил нарушение протокола. Section = ResponseHeader Detail = CR должен сопровождаться LF

Я понимаю, что мне нужно для параметра useUnsafeHeaderParsing установить значение True.

Вот мой код:

HttpWebRequest myReq = (HttpWebRequest)WebRequest.Create(url);
WebResponse myResp = myReq.GetResponse(); //exception is thrown here

useUnsafeHeaderParsing является свойством класса HttpWebRequestElement.

Как мне интегрировать его в приведенный выше код?

Ответы [ 3 ]

31 голосов
/ 12 декабря 2011

Вам нужно установить это в вашем файле web.config, внутри секции <system.net>, например:

<system.net> 
  <settings> 
   <httpWebRequest useUnsafeHeaderParsing="true" /> 
  </settings> 
</system.net> 

Если по какой-то причине вы не хотите делать это из своего конфигаВы можете сделать это из кода, предварительно установив параметры конфигурации.См. эту страницу для примера.

26 голосов
/ 15 декабря 2011

Как отметил Эдвин, вам нужно установить атрибут useUnsafeHeaderParsing в файле web.config или app.config. Если вы действительно хотите динамически изменять значение во время выполнения, вам придется прибегнуть к отражению, поскольку значение скрыто в экземпляре System.Net.Configuration.SettingsSectionInternal и недоступно для общего доступа.

Вот пример кода (основанный на найденной информации здесь ), который добивается цели:

using System;
using System.Net;
using System.Net.Configuration;
using System.Reflection;

namespace UnsafeHeaderParsingSample
{
    class Program
    {
        static void Main()
        {
            // Enable UseUnsafeHeaderParsing
            if (!ToggleAllowUnsafeHeaderParsing(true))
            {
                // Couldn't set flag. Log the fact, throw an exception or whatever.
            }

            // This request will now allow unsafe header parsing, i.e. GetResponse won't throw an exception.
            var request = (HttpWebRequest) WebRequest.Create("http://localhost:8000");
            var response = request.GetResponse();

            // Disable UseUnsafeHeaderParsing
            if (!ToggleAllowUnsafeHeaderParsing(false))
            {
                // Couldn't change flag. Log the fact, throw an exception or whatever.
            }

            // This request won't allow unsafe header parsing, i.e. GetResponse will throw an exception.
            var strictHeaderRequest = (HttpWebRequest)WebRequest.Create("http://localhost:8000");
            var strictResponse = strictHeaderRequest.GetResponse();
        }

        // Enable/disable useUnsafeHeaderParsing.
        // See http://o2platform.wordpress.com/2010/10/20/dealing-with-the-server-committed-a-protocol-violation-sectionresponsestatusline/
        public static bool ToggleAllowUnsafeHeaderParsing(bool enable)
        {
            //Get the assembly that contains the internal class
            Assembly assembly = Assembly.GetAssembly(typeof(SettingsSection));
            if (assembly != null)
            {
                //Use the assembly in order to get the internal type for the internal class
                Type settingsSectionType = assembly.GetType("System.Net.Configuration.SettingsSectionInternal");
                if (settingsSectionType != null)
                {
                    //Use the internal static property to get an instance of the internal settings class.
                    //If the static instance isn't created already invoking the property will create it for us.
                    object anInstance = settingsSectionType.InvokeMember("Section",
                    BindingFlags.Static | BindingFlags.GetProperty | BindingFlags.NonPublic, null, null, new object[] { });
                    if (anInstance != null)
                    {
                        //Locate the private bool field that tells the framework if unsafe header parsing is allowed
                        FieldInfo aUseUnsafeHeaderParsing = settingsSectionType.GetField("useUnsafeHeaderParsing", BindingFlags.NonPublic | BindingFlags.Instance);
                        if (aUseUnsafeHeaderParsing != null)
                        {
                            aUseUnsafeHeaderParsing.SetValue(anInstance, enable);
                            return true;
                        }

                    }
                }
            }
            return false;
        }
    }
}
0 голосов
/ 13 февраля 2019

Если вы не хотите использовать Reflection, попробуйте этот код (ссылка на System.Configuration.dll):

using System.Configuration;
using System.Net.Configuration;

var config = ConfigurationManager.OpenExeConfiguration(ConfigurationUserLevel.None);
var settings = (SettingsSection)config.GetSection("system.net/settings");
settings.HttpWebRequest.UseUnsafeHeaderParsing = true;
config.Save(ConfigurationSaveMode.Modified);
ConfigurationManager.RefreshSection("system.net/settings");
...