548

We are unable to connect to an HTTPS server using WebRequest because of this error message:

The request was aborted: Could not create SSL/TLS secure channel.

We know that the server doesn't have a valid HTTPS certificate with the path used, but to bypass this issue, we use the following code that we've taken from another StackOverflow post:

private void Somewhere() {
    ServicePointManager.ServerCertificateValidationCallback += new RemoteCertificateValidationCallback(AlwaysGoodCertificate);
}

private static bool AlwaysGoodCertificate(object sender, X509Certificate certificate, X509Chain chain, SslPolicyErrors policyErrors) {
   return true;
}

The problem is that server never validates the certificate and fails with the above error. Does anyone have any idea of what I should do?


I should mention that a colleague and I performed tests a few weeks ago and it was working fine with something similar to what I wrote above. The only "major difference" we've found is that I'm using Windows 7 and he was using Windows XP. Does that change something?

InteXX
  • 5,804
  • 5
  • 33
  • 54
Simon Dugré
  • 14,977
  • 10
  • 50
  • 72
  • 4
    Check this also http://stackoverflow.com/questions/1600743/could-not-create-ssl-tls-secure-channel-could-the-problem-be-a-proxy-server – Oskar Kjellin May 18 '10 at 18:14
  • After some modification on my code, we've tried it back onto a Windows XP and it works preaty fine ... but still not in Windows 7. Heum !?! :o( – Simon Dugré May 21 '10 at 15:05
  • here's a solution i found: http://stackoverflow.com/a/12702022/1716005 HTH – kennydust Oct 03 '12 at 05:14
  • I had similar exception - see: http://stackoverflow.com/questions/8594684/differences-between-webservice-clients-written-in-net2-0-and-net4-0 – Mateusz Sep 04 '13 at 13:52
  • 84
    It's 2018 and this question has been viewed 308,056 times but still there is no proper fix for this!! I get this issue randomly and none of the fixes mentioned here or in any other threads have solved my issue. – Nigel Fds Apr 03 '18 at 02:21
  • 3
    @NigelFds The error `The request was aborted: Could not create SSL/TLS secure channel` is a very generic one. It basically says, "the SSL/TLS/HTTPS connection initialization failed for one of many possible reasons". So if you get it regularly in a specific situation, your best option is to ask a specific question giving specific details about that situation. And checking the Event Viewer for more information. And/or enable some .NET client-side debugging to get more details (is the server cert not trusted? is there a cipher mismatch? SSL/TLS protocol version mismatch? etc). – MarnixKlooster ReinstateMonica Apr 10 '18 at 13:04
  • 5
    @MarnixKlooster I have already checked all of that, It can't be an issue with the certificate as if i retry it , it works. And I doubt I'd be able to ask this question on SO without someone coming and marking it as duplicate or something . – Nigel Fds Apr 11 '18 at 02:26
  • I tried all the above and none of them work. But this helps me: "Ultimately the problem was the order of the ServicePointManager and the Webrequest.Create. Reversing those lines, so the ServicePointManager is defined before the Webrequest.Create fixed the issue. I still don't know why adding the ServicePointManager after the Create fixed our original issue when our server moved to TLS 1.2, but we're not going to worry about that now." Original post: https://stackoverflow.com/questions/52296865/kb4344167-security-update-breaks-tls-code – user2686690 Sep 17 '18 at 16:11
  • I had the same problem on windows 7, the problem is reproducible on internet explorer 11 going to a site that it has a certificate only supports tls2 protocol (i.e no ss3, no tls and tls 1.1, just only tls2). I had realize that windows 7 O.S was not up to date and I couldn't do a massive update due problems of connectivity so I started an investigation. After waste two days I got the solution. It seems to be that installing MS14-066 ( Windows6.1-KB2992611-x64 ) it enable some additionals cipher that it doesn't comes with windows 7 at begining. – Jordi Espada Oct 18 '18 at 13:53
  • I have this same error with Visual Studio 2017 (15.9.3) on windows 10. – StingyJack Dec 03 '18 at 17:23
  • @NigelFds are you connecting with a server that uses a wildcard SSL server certificate and Server Name Indication? – petko Jun 25 '19 at 08:51
  • @petko my application connects to many different APIs and almost all have this issue from time to time ... I feel the issue lies in .Net framework – Nigel Fds Jun 26 '19 at 00:04
  • @NigelFds to clarify: your target .NET Framework is 4.5.2 ? – petko Jun 26 '19 at 10:13
  • @petko yes it is – Nigel Fds Jun 27 '19 at 23:32
  • 1
    I'm fighting this issue maybe for the 4th time. The same code base I'm running works fine in production and also in the dev environment of some of my fellow devs. Last time around, I was instructed to add a registry value Computer\HKEY_LOCAL_MACHINE\SOFTWARE\WOW6432Node\Microsoft\.NETFramework\v4.7.02046\SchUseStrongCrypto [DWORD] = 1. And it worked for a while. I started working in a different project for a time and now I'm back to this project and the request fails again, even with this registry key fix. Very annoying. – Miguel Sep 12 '19 at 13:39
  • 2
    @NigelFds Using 4.5.2 is almost surely a large part of the problem. The runtime determines the security protocol defaults, and 4.5.x only has SSL 3.0 and TLS 1.0 enabled, meaning if your app calls an API that has TLS 1.0 disabled, it will fail. Try a higher .NET Framework, [preferably 4.7 or higher](https://docs.microsoft.com/en-us/dotnet/framework/network-programming/tls). Please see [my answer](https://stackoverflow.com/questions/2859790/the-request-was-aborted-could-not-create-ssl-tls-secure-channel/58195987#58195987) for more details, especially if your app is an ASP.NET site. – JLRishe Oct 02 '19 at 06:03
  • Same problems here, this issue happened randomly, not sure if it is related to network. Using .net framework 4.7.2 so it shouldn't relate to tls1.2 – lty Jul 03 '20 at 07:51

43 Answers43

711

I finally found the answer (I haven't noted my source but it was from a search);

While the code works in Windows XP, in Windows 7, you must add this at the beginning:

// using System.Net;
ServicePointManager.Expect100Continue = true;
ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12;
// Use SecurityProtocolType.Ssl3 if needed for compatibility reasons

And now, it works perfectly.


ADDENDUM

As mentioned by Robin French; if you are getting this problem while configuring PayPal, please note that they won't support SSL3 starting by December, 3rd 2018. You'll need to use TLS. Here's Paypal page about it.

Simon Dugré
  • 14,977
  • 10
  • 50
  • 72
  • 1
    This works for the new [HttpClient](http://msdn.microsoft.com/en-us/library/system.net.http.httpclient.aspx) class too. – deerchao Mar 20 '13 at 09:38
  • 1
    `ServicePointManager.SecurityProtocol = SecurityProtocolType.Ssl3;` alone might work too. I'm using Windows 8. – draw Jun 07 '13 at 15:01
  • 5
    Going down to SecurityProtocolType.Tls12 actually fixed this problem for me. See my answer below. – Bryan Legend Oct 15 '14 at 17:45
  • 25
    SSLv3 is 18 years old and now susceptible to the POODLE exploit - as @LoneCoder recommends SecurityProtocolType.Tls12 is the suitable replacement for SecurityProtocolType.Ssl3 – gary Oct 16 '14 at 04:31
  • 4
    SecurityProtocolType.Tls might actually be a better alternative until an exploit is found for that (not all sites support Tls12 as of writing) – gary Oct 20 '14 at 04:03
  • As a further information, for paypal i also needed to update the soap web reference. +1 – BendEg Mar 10 '16 at 10:46
  • 3
    PayPal have set a date of June 30 2017 to disable SSL3 and implement TLS1.2. It is already applied in their sandbox environment https://www.paypal-knowledge.com/infocenter/index?page=content&widgetview=true&id=FAQ1914&viewlocale=en_US – Robin French May 10 '16 at 14:49
  • 2
    `ServicePointManager` is a class in the `System.Net` namespace, and `Expect100Continue` and `SecurityProtocol` are static properties of that class. Without a `using` directive, you can accomplish this by `System.Net.ServicePointManager.SecurityProtocol = System.Net.SecurityProtocolType.Tls12;` – palswim Dec 13 '17 at 22:46
  • 1
    You can send a GET request with your HttpWebRequest to this url: https://www.ssllabs.com/ssltest/viewMyClient.html and save the response body to disk, then open this file in a browser. It will tell you the protocol versions you have choosen (SecurityProtocolType has FlagsAttribute attribute) along with many others security details about your web client. – figolu Dec 28 '17 at 16:55
  • 1
    Github API updated to be TLs only on February 22nd 2018 (which made me encounter the error above) : https://developer.github.com/changes/2018-02-01-weak-crypto-removal-notice/ – Wollan Mar 01 '18 at 07:09
  • My ***task scheduler*** execute every day (not weekend). I get the same error, but sometimes (`2 errors in 2 months`). When I get the error, later few minutes I try again manually and all is OK. I use `WebRequest.Create`. I not use `ServicePointManager` – Kiquenet Mar 08 '18 at 17:09
  • Do you get the error ***always*** (in all requests) or ***sometimes*** ? – PreguntonCojoneroCabrón Mar 08 '18 at 22:58
  • 15
    See [this](https://stackoverflow.com/a/43245305/7032856) as well. You don't need to exclusively set it to a single type, you can simply append as well. `System.Net.ServicePointManager.SecurityProtocol |= System.Net.SecurityProtocolType.Tls12;` – Nae Mar 20 '18 at 08:44
  • 2
    This works but it is VERY important that you set the ServicePointManager settings before you perform the web request.. I.E ServicePointManager code should be at the top of your code in order to work. – Peter H Aug 24 '18 at 05:38
  • Even now in 2018 this is the correct answer. Thanks for posting so long ago. – digitalformula Nov 11 '18 at 23:24
  • @PreguntonCojoneroCabrón I get the error **sometimes on windows 7**, but **neveron on windows 10**. Your question let me hope that you have an idea or a solution for this case? – h.m.i.13 Apr 02 '19 at 15:00
  • 2
    This change is static and global so you only have to do it once rather than for each request--ideally in a startup class. You can run into weird behavior if you don't. I was seeing this error only for the first request and subsequent requests were okay. It was because the HttpWebRequest was being set up before the above, so the newly initialized HttpWebRequest wasn't wise to the new protocol until a second run. – Chad Hedgcock Apr 12 '19 at 15:57
  • Expect100Continue can be set for a particular HttpWebRequest instance: `_request.ServicePoint.Expect100Continue = false;` I think is a better idea than change it globally for every request. – lisandro101 May 10 '19 at 23:05
  • 2
    You don't need to set `ServicePointManager.Expect100Continue = true;`. It is enabled by default ([see here](https://docs.microsoft.com/en-us/dotnet/api/system.net.servicepointmanager.expect100continue?view=netframework-4.8#property-value)). – Gucu112 Jul 03 '19 at 07:04
  • 1
    You can add this in the constructor of your test and it will fix the issue even if the implementation is in another library. Solved it for me! – Don Rolling Sep 20 '19 at 20:01
  • 2
    It should be noted that Microsoft [strongly advises against doing this](https://docs.microsoft.com/en-us/dotnet/framework/network-programming/tls). If you are seeing this issue, it is very likely due to using an old version of the .NET framework. I have [added an answer](https://stackoverflow.com/a/58195987/1945651) going into more detail about this. – JLRishe Oct 02 '19 at 06:15
  • 1
    I had the same error, and used the solution above, however my code only worked when I run my code in Visual Studio as an administrator. The error message doesn't change when its a permissions issue, so try running it as an admin as well. – Raz Dec 30 '19 at 10:09
  • I battled with this error when developing an MS Access VSTO add-in. DLL code would work if executed via a console app but the exact same command would fail if executed via Access. Turned out the console app used `.SystemDefault` while for some reason Access would set this to `Ssl | Tls`, neither of which were supported by the server. – Dav Feb 02 '20 at 03:49
  • this worked now but now I keep getting this error. However it works on localhost. – Mike Jun 27 '20 at 18:08
  • 1
    Thank you so much for adding the usings. There are endless amounts of useful code examples here which simply don't work right away because the using's aren't present and you have to google up those first... – BloodyRain2k Oct 20 '20 at 13:40
  • Thanks, I was troubleshooting this for an hour. My code was working in Visual Studio but not when run from SSIS. – MadMarc Mar 12 '21 at 14:29
203

The solution to this, in .NET 4.5 is

ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12;

If you don’t have .NET 4.5 then use

ServicePointManager.SecurityProtocol = (SecurityProtocolType)3072;
Andrej Z
  • 2,031
  • 1
  • 5
  • 2
  • 13
    Thank you! I need to use .net 4.0 and didn't know how to solve this. This seems to work here. :) – Fabiano Jun 04 '18 at 13:51
  • Doesn't work on Windows Server 2008R2 (and possibly on 2012 as well) – Misam Jul 12 '18 at 05:29
  • @billpg , read [this](https://stackoverflow.com/questions/33761919/tls-1-2-in-net-framework-4-0/39725273#39725273) for more exact answer – Vikrant Aug 20 '18 at 10:06
  • 2
    For VB types (since this answer shows up in Google), the equivalent code is `ServicePointManager.SecurityProtocol = DirectCast(3072, SecurityProtocolType)` – ConfusionTowers Mar 22 '19 at 16:52
146

Make sure the ServicePointManager settings are made before the HttpWebRequest is created, else it will not work.

Works:

ServicePointManager.Expect100Continue = true;
ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls
       | SecurityProtocolType.Tls11
       | SecurityProtocolType.Tls12
       | SecurityProtocolType.Ssl3;

HttpWebRequest request = (HttpWebRequest)WebRequest.Create("https://google.com/api/")

Fails:

HttpWebRequest request = (HttpWebRequest)WebRequest.Create("https://google.com/api/")

ServicePointManager.Expect100Continue = true;
ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls
       | SecurityProtocolType.Tls11
       | SecurityProtocolType.Tls12
       | SecurityProtocolType.Ssl3;
kamalpreet
  • 2,384
  • 1
  • 23
  • 47
hogarth45
  • 2,667
  • 1
  • 18
  • 26
  • 5
    Whats the difference between Works and Fails you mentioned above? – Chandy Kunhu Jul 06 '18 at 08:09
  • 7
    Awesome. My request only worked after the second try, which did not make sense and then I saw your post, moved the security protocol before the request and voilà, fixed. Thanks @hogarth45 – deanwilliammills Oct 09 '18 at 13:46
  • 3
    Exactly! when i placed ServicePointManager just before the request is created, it worked for me, Thanks man, You saved my day. –  Mar 29 '19 at 06:43
  • 2
    In our case, the request failed for the first time and worked afterward. That was exactly because of the reason stated in this answer! – Mohammad Dehghan Jan 06 '20 at 10:14
  • 2
    I can't believe something as silly as initialization order solved this problem for me. SMH. Thanks @horgath45!! – Steve H. May 02 '20 at 01:51
  • 1
    Thank you guy! In my case the interesting thing was that I got the error before sending the request during trying to call method "request.GetRequestStream()" for adding some form data. The order of setting tls info is really important. – Ustin Jul 02 '20 at 11:38
  • In custom C# class I changed: var client = new WebClient(); AddHeader(H, client); To: var client = new WebClient(); ServicePointManager.Expect100Continue = true; ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls | SecurityProtocolType.Tls11 | SecurityProtocolType.Tls12 | SecurityProtocolType.Ssl3; AddHeader(H, client); – Lawrence Patrick Feb 02 '21 at 04:44
40

I had this problem trying to hit https://ct.mob0.com/Styles/Fun.png, which is an image distributed by CloudFlare on its CDN that supports crazy stuff like SPDY and weird redirect SSL certs.

Instead of specifying Ssl3 as in Simons answer I was able to fix it by going down to Tls12 like this:

ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12;
new WebClient().DownloadData("https://ct.mob0.com/Styles/Fun.png");
InteXX
  • 5,804
  • 5
  • 33
  • 54
Bryan Legend
  • 6,314
  • 1
  • 54
  • 56
  • Thanks Lone... this is crazy how there seems to have many different possibilities of issues depending of situation... And, as I can see, there is no real documentation of that. Well, thanks to point out for someone who'll may experience same problem. – Simon Dugré Oct 15 '14 at 18:15
  • This worked for me. I faced the Error when i switched from office LAN to my home network. Same code, same laptop! – Amal Aug 19 '17 at 09:07
  • Do you get the error ***always*** (in all requests) or ***sometimes*** ? – PreguntonCojoneroCabrón Mar 08 '18 at 22:58
36

The problem you're having is that the aspNet user doesn't have access to the certificate. You have to give access using the winhttpcertcfg.exe

An example on how to set this up is at: http://support.microsoft.com/kb/901183

Under step 2 in more information

EDIT: In more recent versions of IIS, this feature is built in to the certificate manager tool - and can be accessed by right clicking on the certificate and using the option for managing private keys. More details here: https://serverfault.com/questions/131046/how-to-grant-iis-7-5-access-to-a-certificate-in-certificate-store/132791#132791

Community
  • 1
  • 1
Avitus
  • 14,677
  • 6
  • 41
  • 53
  • I've tried executing winhttpcertcfg.exe ... note that I'm on Windows 7. Can it changes something? – Simon Dugré May 19 '10 at 19:11
  • I am not sure if it is related, but this post gave me the idea to run VS as admin when making this call from VS and that fixed the issue for me. – PFranchise Aug 16 '13 at 14:42
  • 2
    In Windows 7 and later, the certificate must be in the store for the Local Computer rather than Current User in order to "Manage Private Keys" – Lukos Apr 21 '15 at 13:13
  • 1
    Yep, this was my problem. use mmc.exe, add the certificates snap-in (for me I then chose 'local computer'). Right-click certificate, all tasks, manage private keys. Add 'everyone' (for local dev this is easiest - prod obviously needs your explicit IIS website app pool / user) – Ian Yates May 04 '20 at 08:14
33

The error is generic and there are many reasons why the SSL/TLS negotiation may fail. The most common is an invalid or expired server certificate, and you took care of that by providing your own server certificate validation hook, but is not necessarily the only reason. The server may require mutual authentication, it may be configured with a suites of ciphers not supported by your client, it may have a time drift too big for the handshake to succeed and many more reasons.

The best solution is to use the SChannel troubleshooting tools set. SChannel is the SSPI provider responsible for SSL and TLS and your client will use it for the handshake. Take a look at TLS/SSL Tools and Settings.

Also see How to enable Schannel event logging.

Remus Rusanu
  • 273,340
  • 38
  • 408
  • 539
29

After many long hours with this same issue I found that the ASP.NET account the client service was running under didn't have access to the certificate. I fixed it by going into the IIS Application Pool that the web app runs under, going into Advanced Settings, and changing the Identity to the LocalSystem account from NetworkService.

A better solution is to get the certificate working with the default NetworkService account but this works for quick functional testing.

Nick Gotch
  • 8,739
  • 13
  • 66
  • 94
  • 4
    This answer should have more up-votes. After a week of researching, this is the only solution that worked for me. Thanks!! – user224567893 Jan 20 '17 at 02:50
  • It also took me days of ever-growing frustation before finding this post that also solves it for me. In my case the AppPool was running as ApplicationPoolIdentity which is the default setting, but changing it to LocalSystem solved the issue. – Hanno Sep 01 '20 at 13:08
28

One of the biggest causes of this issue is the active .NET Framework version. The .NET framework runtime version affects which security protocols are enabled by default.

  • In ASP.NET sites, the framework runtime version is often specified in web.config. (see below)
  • In other apps, the runtime version is usually the version for which the project was built, regardless of whether it is running on a machine with a newer .NET version.

There doesn't seem to be any authoritative documentation on how it specifically works in different versions, but it seems the defaults are determined more or less as follows:

  • .NET Framework 4.5 and earlier - SSL 3.0, TLS 1.0
  • .NET Framework 4.6.x - TLS 1.0, 1.1, 1.2, 1.3
  • .NET Framework 4.7+ - System (OS) Defaults

(For the older versions, your mileage may vary somewhat based on which .NET runtimes are installed on the system. For example, there could be a situation where you are using a very old framework and TLS 1.0 is not supported, or using 4.6.x and TLS 1.3 is not supported)

Microsoft's documentation strongly advises using 4.7+ and the system defaults:

We recommend that you:

  • Target .NET Framework 4.7 or later versions on your apps. Target .NET Framework 4.7.1 or later versions on your WCF apps.
  • Do not specify the TLS version. Configure your code to let the OS decide on the TLS version.
  • Perform a thorough code audit to verify you're not specifying a TLS or SSL version.

For ASP.NET sites: check the targetFramework version in your <httpRuntime> element, as this (when present) determines which runtime is actually used by your site:

<httpRuntime targetFramework="4.5" />

Better:

<httpRuntime targetFramework="4.7" />
JLRishe
  • 90,548
  • 14
  • 117
  • 150
  • Added to was the fix for me. – BrianK Jan 27 '21 at 16:06
  • I had the same problem appear on one of my projects (it had been ok previously). It turned out it's because web sites are moving with the times and no longer support older security protocols. I updated the framework on my project from 4 to 4.6.1 and it worked again without any code change being needed. – Skyfish Apr 21 '21 at 09:23
  • This fixed the issue for me in 3 of my web apps – nshathish May 25 '21 at 05:29
24

The approach with setting

ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12

Seems to be okay, because Tls1.2 is latest version of secure protocol. But I decided to look deeper and answer do we really need to hardcode it.

Specs: Windows Server 2012R2 x64.

From the internet there is told that .NetFramework 4.6+ must use Tls1.2 by default. But when I updated my project to 4.6 nothing happened. I have found some info that tells I need manually do some changes to enable Tls1.2 by default

https://support.microsoft.com/en-in/help/3140245/update-to-enable-tls-1-1-and-tls-1-2-as-default-secure-protocols-in-wi

But proposed windows update doesnt work for R2 version

But what helped me is adding 2 values to registry. You can use next PS script so they will be added automatically

Set-ItemProperty -Path 'HKLM:\SOFTWARE\Wow6432Node\Microsoft\.NetFramework\v4.0.30319' -Name 'SchUseStrongCrypto' -Value '1' -Type DWord
Set-ItemProperty -Path 'HKLM:\SOFTWARE\Microsoft\.NetFramework\v4.0.30319' -Name 'SchUseStrongCrypto' -Value '1' -Type DWord

That is kind of what I was looking for. But still I cant answer on question why NetFramework 4.6+ doesn't set this ...Protocol value automatically?

simply good
  • 702
  • 5
  • 16
  • do you need to restart the server after making those changes? – Sharon Dec 01 '20 at 18:39
  • @Sharon If you are talking about the machine - no, just restarting the application/host should be enough – simply good Jan 26 '21 at 19:52
  • 1
    Adding the registry keys helped in my case. Additional info from https://docs.microsoft.com/en-us/dotnet/framework/network-programming/tls#schusestrongcrypto "A value of 1 causes your app to use strong cryptography. The strong cryptography uses more secure network protocols (TLS 1.2, TLS 1.1, and TLS 1.0) and blocks protocols that are not secure. A value of 0 disables strong cryptography." Restarting my app was enough. – bugybunny Feb 23 '21 at 16:42
  • @bugybunny thank you, I will update the answer – simply good Apr 07 '21 at 11:30
18

Something the original answer didn't have. I added some more code to make it bullet proof.

ServicePointManager.Expect100Continue = true;
        ServicePointManager.DefaultConnectionLimit = 9999;
        ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls | SecurityProtocolType.Tls11 | SecurityProtocolType.Tls12 | SecurityProtocolType.Ssl3;
SpoiledTechie.com
  • 9,951
  • 19
  • 73
  • 98
  • 9
    I would not recommend the added SSL3 protocol. – Peter de Bruijn Feb 21 '17 at 20:42
  • SSL3 has a severe security issue called 'Poodle'. – Peter de Bruijn Mar 09 '18 at 11:32
  • @PeterdeBruijn `Tls and Tls11` are ***obsoletes*** ? – Kiquenet Apr 10 '18 at 11:31
  • 1
    @Kiquenet - yes. As of June 2018 the PCI (Payment Card Industries) will not allow protocols lower than TLS1.2. (This was originally slated for 06/2017 but was postponed for a year) – GlennG Apr 13 '18 at 09:15
  • There are five protocols in the ***SSL/TLS family: SSL v2, SSL v3, TLS v1.0, TLS v1.1, and TLS v1.2***: https://github.com/ssllabs/research/wiki/SSL-and-TLS-Deployment-Best-Practices `SSL v2 unsecure, SSL v3 is insecure when used with HTTP (the POODLE attack), TLS v1.0, TLS v1.1 obsoletes` Only valid option will be `ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12`? – Kiquenet Apr 13 '18 at 11:28
15

"The request was aborted: Could not create SSL/TLS secure channel" exception can occur if the server is returning an HTTP 401 Unauthorized response to the HTTP request.

You can determine if this is happening by turning on trace-level System.Net logging for your client application, as described in this answer.

Once that logging configuration is in place, run the application and reproduce the error, then look in the logging output for a line like this:

System.Net Information: 0 : [9840] Connection#62912200 - Received status line: Version=1.1, StatusCode=401, StatusDescription=Unauthorized.

In my situation, I was failing to set a particular cookie that the server was expecting, leading to the server responding to the request with the 401 error, which in turn led to the "Could not create SSL/TLS secure channel" exception.

HoldOffHunger
  • 10,963
  • 6
  • 53
  • 100
Jon Schneider
  • 21,628
  • 17
  • 129
  • 157
  • 1
    My ***task scheduler*** execute every day (not weekend). I get the same error, but sometimes (`2 errors in 2 months`). When I get the error, later few minutes I try again manually and all is OK. – Kiquenet Mar 08 '18 at 17:05
14

Another possibility is improper certificate importation on the box. Make sure to select encircled check box. Initially I didn't do it, so code was either timing out or throwing same exception as private key could not be located.

certificate importation dialog

Sherlock
  • 972
  • 7
  • 16
  • A client kept having to re-install the cert in order to use a client program. Over and over again they would have to re-install the cert before using the program. I'm hoping this answer fixes that issue. – Pangamma Oct 20 '17 at 17:15
13

Another possible cause of the The request was aborted: Could not create SSL/TLS secure channel error is a mismatch between your client PC's configured cipher_suites values, and the values that the server is configured as being willing and able to accept. In this case, when your client sends the list of cipher_suites values that it is able to accept in its initial SSL handshaking/negotiation "Client Hello" message, the server sees that none of the provided values are acceptable, and may return an "Alert" response instead of proceeding to the "Server Hello" step of the SSL handshake.

To investigate this possibility, you can download Microsoft Message Analyzer, and use it to run a trace on the SSL negotiation that occurs when you try and fail to establish an HTTPS connection to the server (in your C# app).

If you are able to make a successful HTTPS connection from another environment (e.g. the Windows XP machine that you mentioned -- or possibly by hitting the HTTPS URL in a non-Microsoft browser that doesn't use the OS's cipher suite settings, such as Chrome or Firefox), run another Message Analyzer trace in that environment to capture what happens when the SSL negotiation succeeds.

Hopefully, you'll see some difference between the two Client Hello messages that will allow you to pinpoint exactly what about the failing SSL negotiation is causing it to fail. Then you should be able to make configuration changes to Windows that will allow it to succeed. IISCrypto is a great tool to use for this (even for client PCs, despite the "IIS" name).

The following two Windows registry keys govern the cipher_suites values that your PC will use:

  • HKLM\SOFTWARE\Policies\Microsoft\Cryptography\Configuration\SSL\00010002
  • HKLM\SYSTEM\CurrentControlSet\Control\Cryptography\Configuration\Local\SSL\00010002

Here's a full writeup of how I investigated and solved an instance of this variety of the Could not create SSL/TLS secure channel problem: http://blog.jonschneider.com/2016/08/fix-ssl-handshaking-error-in-windows.html

Jon Schneider
  • 21,628
  • 17
  • 129
  • 157
  • 1
    In my case, this answer is helpful. Also, since I suspected my client PC missed some cipher suites, I took a shortcut and installed this Windows Update directly to try my luck (https://support.microsoft.com/en-hk/help/3161639, needs Windows reboot) before really starting the Message Analyzer search, and turned out I was lucky and it solved my problem, saving myself a search. – sken130 Mar 30 '18 at 09:33
  • 1
    Note that when you test a HTTPS link in browsers such as Firefox, even if you get a different cipher than the ones provided by any given Windows Update, the Windows Update is still worth to be tried, because installing new ciphers will affect the cipher negotiation between the client PC and server, thus increasing the hope of finding a match. – sken130 Mar 30 '18 at 09:38
  • 2
    To the point answer for my problem. Two things that helped me to find the changes to make. 1. Cipher Suites supported by the web server: https://www.ssllabs.com/ssltest/ 2. Cipher Suites that different Windows versions support: https://docs.microsoft.com/en-us/windows/win32/secauthn/cipher-suites-in-schannel – Paul B. Dec 02 '19 at 10:07
13

This one is working for me in MVC webclient

public string DownloadSite(string RefinedLink)
{
    try
    {
        Uri address = new Uri(RefinedLink);

        ServicePointManager.ServerCertificateValidationCallback = delegate { return true; };
        ServicePointManager.SecurityProtocol = SecurityProtocolType.Ssl3;

        System.Net.ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls11 | SecurityProtocolType.Tls12;

        using (WebClient webClient = new WebClient())
        {
            var stream = webClient.OpenRead(address);
            using (StreamReader sr = new StreamReader(stream))
            {
                var page = sr.ReadToEnd();

                return page;
            }
        }

    }
    catch (Exception e)
    {
        log.Error("DownloadSite - error Lin = " + RefinedLink, e);
        return null;
    }
}
kamalpreet
  • 2,384
  • 1
  • 23
  • 47
Arun Prasad E S
  • 7,342
  • 6
  • 61
  • 75
  • 4
    Would override ServerCertificateValidationCallback introduce new security hole? –  Feb 05 '18 at 04:18
12

I had this problem because my web.config had:

<httpRuntime targetFramework="4.5.2" />

and not:

<httpRuntime targetFramework="4.6.1" />
Terje Solem
  • 656
  • 6
  • 21
  • I had this same issue and have added [a more detailed answer](https://stackoverflow.com/a/58195987/1945651) below, that goes into more of the ins and outs of this issue. – JLRishe Oct 02 '19 at 06:11
12

The top-voted answer will probably be enough for most people. However, in some circumstances, you could continue getting a "Could not create SSL/TLS secure channel" error even after forcing TLS 1.2. If so, you may want to consult this helpful article for additional troubleshooting steps. To summarize: independent of the TLS/SSL version issue, the client and server must agree on a "cipher suite." During the "handshake" phase of the SSL connection, the client will list its supported cipher-suites for the server to check against its own list. But on some Windows machines, certain common cipher-suites may have been disabled (seemingly due to well-intentioned attempts to limit attack surface), decreasing the possibility of the client & server agreeing on a cipher suite. If they cannot agree, then you may see "fatal alert code 40" in the event viewer and "Could not create SSL/TLS secure channel" in your .NET program.

The aforementioned article explains how to list all of a machine's potentially-supported cipher suites and enable additional cipher suites through the Windows Registry. To help check which cipher suites are enabled on the client, try visiting this diagnostic page in MSIE. (Using System.Net tracing may give more definitive results.) To check which cipher suites are supported by the server, try this online tool (assuming that the server is Internet-accessible). It should go without saying that Registry edits must be done with caution, especially where networking is involved. (Is your machine a remote-hosted VM? If you were to break networking, would the VM be accessible at all?)

In my company's case, we enabled several additional "ECDHE_ECDSA" suites via Registry edit, to fix an immediate problem and guard against future problems. But if you cannot (or will not) edit the Registry, then numerous workarounds (not necessarily pretty) come to mind. For example: your .NET program could delegate its SSL traffic to a separate Python program (which may itself work, for the same reason that Chrome requests may succeed where MSIE requests fail on an affected machine).

APW
  • 304
  • 4
  • 5
10

The root of this exception in my case was that at some point in code the following was being called:

ServicePointManager.SecurityProtocol = SecurityProtocolType.Ssl3;

This is really bad. Not only is it instructing .NET to use an insecure protocol, but this impacts every new WebClient (and similar) request made afterward within your appdomain. (Note that incoming web requests are unaffected in your ASP.NET app, but new WebClient requests, such as to talk to an external web service, are).

In my case, it was not actually needed, so I could just delete the statement and all my other web requests started working fine again. Based on my reading elsewhere, I learned a few things:

  • This is a global setting in your appdomain, and if you have concurrent activity, you can't reliably set it to one value, do your action, and then set it back. Another action may take place during that small window and be impacted.
  • The correct setting is to leave it default. This allows .NET to continue to use whatever is the most secure default value as time goes on and you upgrade frameworks. Setting it to TLS12 (which is the most secure as of this writing) will work now but in 5 years may start causing mysterious problems.
  • If you really need to set a value, you should consider doing it in a separate specialized application or appdomain and find a way to talk between it and your main pool. Because it's a single global value, trying to manage it within a busy app pool will only lead to trouble. This answer: https://stackoverflow.com/a/26754917/7656 provides a possible solution by way of a custom proxy. (Note I have not personally implemented it.)
Community
  • 1
  • 1
Tyler Forsythe
  • 1,361
  • 15
  • 21
  • 2
    Contrary to your general rule of thumb, I'll add that there is an exception when you MUST set it to TLS 1.2, rather than letting the default run. If you are on a framework older than .NET 4.6, and you disable insecure protocols on your server (SSL or TLS 1.0/1.1), then you cannot issue requests unless you force the program into TLS 1.2. – Paul Mar 08 '17 at 19:13
9

As you can tell there are plenty of reasons this might happen. Thought I would add the cause I encountered ...

If you set the value of WebRequest.Timeout to 0, this is the exception that is thrown. Below is the code I had... (Except instead of a hard-coded 0 for the timeout value, I had a parameter which was inadvertently set to 0).

WebRequest webRequest = WebRequest.Create(@"https://myservice/path");
webRequest.ContentType = "text/html";
webRequest.Method = "POST";
string body = "...";
byte[] bytes = Encoding.ASCII.GetBytes(body);
webRequest.ContentLength = bytes.Length;
var os = webRequest.GetRequestStream();
os.Write(bytes, 0, bytes.Length);
os.Close();
webRequest.Timeout = 0; //setting the timeout to 0 causes the request to fail
WebResponse webResponse = webRequest.GetResponse(); //Exception thrown here ...
TCC
  • 2,476
  • 1
  • 22
  • 34
  • 2
    Wow! Thanks for mentioning this. Couldn't believe this in the first place and tried tons of different things first. Then, finally, set the timeout to 10sec and the exception disappeared! This is the solution for me. (y) – derFunk Aug 11 '14 at 08:21
8

In my case, the service account running the application did not have permission to access the private key. Once I gave this permission, the error went away

  1. mmc
  2. certificates
  3. Expand to personal
  4. select cert
  5. right click
  6. All tasks
  7. Manage private keys
  8. Add
Dinesh Rajan
  • 2,038
  • 20
  • 14
7

I have struggled with this problem all day.

When I created a new project with .NET 4.5 I finally got it to work.

But if I downgraded to 4.0 I got the same problem again, and it was irreversable for that project (even when i tried to upgrade to 4.5 again).

Strange no other error message but "The request was aborted: Could not create SSL/TLS secure channel." came up for this error

aghost
  • 182
  • 2
  • 8
  • 5
    The reason that this worked may have been because different .NET versions support different SSL/TLS protocol versions. More info: http://blogs.perficient.com/microsoft/2016/04/tsl-1-2-and-net-support/ – Jon Schneider Aug 23 '16 at 20:00
7

In case that the client is a windows machine, a possible reason could be that the tls or ssl protocol required by the service is not activated.

This can be set in:

Control Panel -> Network and Internet -> Internet Options -> Advanced

Scroll settings down to "Security" and choose between

  • Use SSL 2.0
  • Use SSL 3.0
  • Use TLS 1.0
  • Use TLS 1.1
  • Use TLS 1.2

enter image description here

cnom
  • 2,313
  • 3
  • 20
  • 51
  • any issue in ticking all of them ? – Nigel Fds Apr 03 '18 at 00:50
  • no issues, as far as I know... except that ssl are not any more recommended... they are not considered secure enough. – cnom Apr 03 '18 at 07:06
  • how-to do it ***programatically*** in powershell ? – Kiquenet Apr 06 '18 at 22:37
  • This is something that affects older versions of Windows, Do some research, find out what security options are currently in use. As of today see this link: https://tecadmin.net/enable-tls-on-windows-server-and-iis/ – Tod May 14 '19 at 08:27
7

If you are running your code from Visual Studio, try running Visual Studio as administrator. Fixed the issue for me.

bplus
  • 7,177
  • 13
  • 59
  • 83
6

Doing this helped me:

System.Net.ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12;
Merlyn007
  • 319
  • 5
  • 18
5

System.Net.WebException: The request was aborted: Could not create SSL/TLS secure channel.

In our case, we where using a software vendor so we didn't have access to modify the .NET code. Apparently .NET 4 won't use TLS v 1.2 unless there is a change.

The fix for us was adding the SchUseStrongCrypto key to the registry. You can copy/paste the below code into a text file with the .reg extension and execute it. It served as our "patch" to the problem.

Windows Registry Editor Version 5.00

[HKEY_LOCAL_MACHINE\SOFTWARE\Wow6432Node\Microsoft\.NETFramework\v4.0.30319]
"SchUseStrongCrypto"=dword:00000001

[HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\.NETFramework\v4.0.30319]
"SchUseStrongCrypto"=dword:00000001
capdragon
  • 13,443
  • 22
  • 96
  • 145
  • 3
    Here PS for quick edit: `New-ItemProperty -Path "HKLM:\SOFTWARE\Microsoft\.NETFramework\v4.0.30319" -Name "SchUseStrongCrypto" -Value "1" -Type DWord` – Tilo Aug 29 '18 at 19:17
  • 2
    Here PS for quick edit2: `New-ItemProperty -Path "HKLM:\SOFTWARE\Wow6432Node\Microsoft\.NETFramework\v4.0.30319" -Name "SchUseStrongCrypto" -Value "1" -Type DWord` – Tilo Aug 29 '18 at 19:18
4

This fixed for me, add Network Service to permissions. Right click on the certificate > All Tasks > Manage Private Keys... > Add... > Add "Network Service".

Lionel Gaillard
  • 2,931
  • 1
  • 18
  • 19
jayasurya_j
  • 1,029
  • 1
  • 11
  • 17
4

I was having this same issue and found this answer worked properly for me. The key is 3072. This link provides the details on the '3072' fix.

ServicePointManager.SecurityProtocol = (SecurityProtocolType)3072;

XmlReader r = XmlReader.Create(url);
SyndicationFeed albums = SyndicationFeed.Load(r);

In my case two feeds required the fix:

https://www.fbi.gov/feeds/fbi-in-the-news/atom.xml
https://www.wired.com/feed/category/gear/latest/rss
Stephen Rauch
  • 40,722
  • 30
  • 82
  • 105
joeydood
  • 41
  • 3
4

None of the answers worked for me.

This is what worked:

Instead of initializing my X509Certifiacte2 like this:

   var certificate = new X509Certificate2(bytes, pass);

I did it like this:

   var certificate = new X509Certificate2(bytes, pass, X509KeyStorageFlags.MachineKeySet | X509KeyStorageFlags.PersistKeySet | X509KeyStorageFlags.Exportable);

Notice the X509KeyStorageFlags.Exportable !!

I didn't change the rest of the code (the WebRequest itself):

// I'm not even sure the first two lines are necessary:
ServicePointManager.Expect100Continue = true; 
ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls12;

request = (HttpWebRequest)WebRequest.Create(string.Format("https://{0}.sii.cl/cvc_cgi/dte/of_solicita_folios", server));
request.Method = "GET";
request.Referer = string.Format("https://hercules.sii.cl/cgi_AUT2000/autInicio.cgi?referencia=https://{0}.sii.cl/cvc_cgi/dte/of_solicita_folios", servidor);
request.UserAgent = "Mozilla/4.0";
request.ClientCertificates.Add(certificate);
request.CookieContainer = new CookieContainer();

using (HttpWebResponse response = (HttpWebResponse)request.GetResponse())
{
    // etc...
}

In fact I'm not even sure that the first two lines are necessary...

sports
  • 6,889
  • 11
  • 61
  • 121
  • In my case this problem occurred ONLY when hosting the process in IIS (i.e. the webapp making a call elsewhere). - This fixed it! Thanks for sharing! – Efrain Sep 18 '19 at 11:28
3

The issue for me was that I was trying to deploy on IIS as a web service, I installed the certificate on the server, but the user that runs IIS didn't have the correct permissions on the certificate.

How to give ASP.NET access to a private key in a certificate in the certificate store?

Community
  • 1
  • 1
Danny Cullen
  • 1,586
  • 4
  • 27
  • 43
3

This question can have many answers since it's about a generic error message. We ran into this issue on some of our servers, but not our development machines. After pulling out most of our hair, we found it was a Microsoft bug.

https://support.microsoft.com/en-us/help/4458166/applications-that-rely-on-tls-1-2-strong-encryption-experience-connect

Essentially, MS assumes you want weaker encryption, but the OS is patched to only allow TLS 1.2, so you receive the dreaded "The request was aborted: Could not create SSL/TLS secure channel."

There are three fixes.

1) Patch the OS with the proper update: http://www.catalog.update.microsoft.com/Search.aspx?q=kb4458166

2) Add a setting to your app.config/web.config file.

3) Add a registry setting that was already mentioned in another answer.

All of these are mentioned in the knowledge base article I posted.

Michael Silver
  • 425
  • 5
  • 13
  • Also, make sure you are only setting ServicePointManager.SecurityProtocol once in your app. We discovered a second call in our app (which is rather complex with optional assemblies being loaded at runtime) that was setting it to SSL3, which then threw the same error message. – Michael Silver Oct 24 '18 at 03:33
3

Another possibility is that the code being executed doesn't have the required premissions.

In my case, I got this error when using Visual Studio debugger to test a call to a web service. Visual Studio wasn't running as Administrator, which caused this exception.

OfirD
  • 4,693
  • 2
  • 22
  • 52
2

This was happening for me on just one site, and it turns out that it only had the RC4 cipher available. In a prior effort to harden the server, I had disabled the RC4 cipher, once I re-enabled this the issue was solved.

Mark Reid
  • 51
  • 3
  • 1
    Do not use links on response, as they may not work on future, point out the most relevant aspects on it inside your answer – Rodrigo López Jun 11 '15 at 00:41
2

In my case I had this problem when a Windows service tried to connected to a web service. Looking in Windows events finally I found a error code.

Event ID 36888 (Schannel) is raised:

The following fatal alert was generated: 40. The internal error state is 808.

Finally it was related with a Windows Hotfix. In my case: KB3172605 and KB3177186

The proposed solution in vmware forum was add a registry entry in windows. After adding the following registry all works fine.

[HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Control\SecurityProviders\SCHANNEL\KeyExchangeAlgorithms\Diffie-Hellman]

"ClientMinKeyBitLength"=dword:00000200

Apparently it's related with a missing value in the https handshake in the client side.

List your Windows HotFix:

wmic qfe list

Solution Thread:

https://communities.vmware.com/message/2604912#2604912

Hope it's helps.

2

none of this answer not working for me , the google chrome and postman work and handshake the server but ie and .net not working. in google chrome in security tab > connection show that encrypted and authenticated using ECDHE_RSA with P-256 and AES_256_GCM cipher suite to handshake with the server.

enter image description here

i install IIS Crypto and in cipher suites list on windows server 2012 R2 ican't find ECDHE_RSA with P-256 and AES_256_GCM cipher suite. then i update windows to the last version but the problem not solve. finally after searches i understood that windows server 2012 R2 not support GSM correctly and update my server to windows server 2016 and my problem solved.

sina alizadeh
  • 71
  • 2
  • 3
1

As long as this is a relatively "live" link I thought I would add a new option. That possibility is that the service is no longer supporting SSL 3.0 due to the problem with the Poodle attack. Check out the Google statement on this. I encountered this problem with several web services at once and realized something had to be going on. I switched to TLS 1.2 and everything is working again.

http://googleonlinesecurity.blogspot.com/2014/10/this-poodle-bites-exploiting-ssl-30.html

Jeff Lehmer
  • 199
  • 3
  • 15
1

You can try to install a demo certificate (some ssl providers offers them for free for a month) to be sure if the problem is related to cert validity or not.

twk
  • 3,092
  • 2
  • 22
  • 32
  • Installing certificate would work on my computer for sure, but i'm trying to authenticate to an external certificate on a server that I've not any access otherwize than an API access using WebRequest but I must authenticate to the https zone ... – Simon Dugré May 19 '10 at 19:14
  • so, dowload their certificate and install as trusted on the app machine. – twk May 21 '10 at 14:03
  • 1
    Ok... Maybe I'll look a little beginner but, why and how? – Simon Dugré May 21 '10 at 19:21
1

I had this issue uploading a video to Wistia via a command line app. Our system administrator resolved the issue by enabling additional cipher suites using IIScrypto that was listed in the SSL labs scan for upload.wistia.com

TLS_DHE_RSA_WITH_AES_128_GCM_SHA256 (0x9e) DH 2048 bits FS 128 TLS_DHE_RSA_WITH_AES_256_GCM_SHA384 (0x9f) DH 2048 bits FS 256

PutoTropical
  • 113
  • 1
  • 8
1

For SOAP/WCF users, this error can also occur when the server rejects your WS-Security configuration. The error information the client receives is very vague, but the server administrator will likely be able to determine the reason.

Once example of this is under the UsernameToken Profile, where the message is considered expired by the <wsu:Created> time is not a valid ISO 8601 datetime, either due to bad formatting, not being UTC, or having mismatched server times.

<wsse:UsernameToken wsu:Id="Example-1">
   <wsse:Username> ... </wsse:Username>
   <wsse:Password Type="..."> ... </wsse:Password>
   <wsse:Nonce EncodingType="..."> ... </wsse:Nonce>
   <wsu:Created>2021-01-31T19:00:00.0000000Z</wsu:Created>
</wsse:UsernameToken>
Nickson
  • 506
  • 6
  • 9
0

The default .NET ServicePointManager.SecurityProtocol uses SSLv3 and TLS. If you are accessing an Apache server, there is a config variable called SSLProtocol which defaults to TLSv1.2. You can either set the ServicePointManager.SecurityProtocol to use the appropriate protocol supported by your web server or change your Apache config to allow all protocols like this SSLProtocolall.

MDTech.us_MAN
  • 1,842
  • 1
  • 16
  • 26
Paul
  • 71
  • 1
0

I ran into the same issue recently. My environment is running under .NET 4.6.1 with VB.NET. That is how I fixed it:

ServicePointManager.SecurityProtocol = SecurityProtocolType.Ssl3
ServicePointManager.ServerCertificateValidationCallback = New RemoteCertificateValidationCallback(AddressOf util.ValidateServerCertificate)

and the util.ValidateServerCertificate function is:

Public Function ValidateServerCertificate(ByVal sender As Object, ByVal certificate As X509Certificate, ByVal chain As X509Chain, ByVal sslPolicyErrors As SslPolicyErrors) As Boolean
    Return True
End Function
cavalcanteg
  • 774
  • 4
  • 12
0

If you don't want to, can't easily, or can't quickly patch your code, instead, you can force TLS 1.2 usage by your .NET code in the framework.

This isn't my app, but it helped hotfix our older .NET 4.5 app (running on Server 2008r2) to work again with Paypal Payflow Gateway. They must have started forcing connections over to TLS 1.2 on the payflow gateway callbacks between 6/25/18 and 7/8/18.

Details: https://github.com/TheLevelUp/pos-tls-patcher Download: https://github.com/TheLevelUp/pos-tls-patcher/releases

cvocvo
  • 1,425
  • 2
  • 21
  • 36
0

I had cert in store and on file. I tried to connect with file and got this error message. When I used the one in the store it worked. My best guess is that some sort of conflict arose as a result of the cert being in store when I wanted to use the one on file. (A different service on the same machine used the cert in store and I had developed a different service using the cert on file. Worked like a charm on dev until test).

Jon
  • 684
  • 6
  • 13
0

I have been getting the same error on a .NET 4.5.2 Winform application on a Windows 2008 Server.

I tried the following fix:

ServicePointManager.SecurityProtocol = SecurityProtocolType.Tls1|SecurityProtocolType.Tls11| SecurityProtocolType.Tls12;

But that didnt work and the number of occurences of the error were still there.

As per one of the answers above, Is it mandatory to override the SchUseStrongCrypto key to the registry. Are there any side effects if i set this key.

Windows Registry Editor Version 5.00
[HKEY_LOCAL_MACHINE\SOFTWARE\Wow6432Node\Microsoft\.NETFramework\v4.0.30319]
"SchUseStrongCrypto"=dword:00000001
[HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\.NETFramework\v4.0.30319]
"SchUseStrongCrypto"=dword:00000001
siddharth
  • 167
  • 8
0

Delete this option from registry helped me in Windows Server 2012 [HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Control\SecurityProviders\SCHANNEL\KeyExchangAlgorithms

enter image description here

Zireael
  • 317
  • 2
  • 5