├── src └── FreeCert.Core │ ├── Models │ ├── AcmeDnsAuthorizationInfo.cs │ ├── AcmeAccountInfo.cs │ ├── AcmeOrderInfo.cs │ └── AutoCreateDnsRecordResult.cs │ ├── FreeCertConsts.cs │ ├── Exceptions │ └── FreeCertException.cs │ ├── FreeCert.Core.csproj │ ├── DnsResolver.cs │ ├── FreeCertBuilder.cs │ └── FreeCertContext.cs ├── README.md ├── sample └── FreeCert.ConsoleApp │ ├── FreeCert.ConsoleApp.csproj │ └── Program.cs ├── FreeCert.sln ├── .gitignore └── LICENSE /src/FreeCert.Core/Models/AcmeDnsAuthorizationInfo.cs: -------------------------------------------------------------------------------- 1 | namespace FreeCert.Core.Models 2 | { 3 | public class AcmeDnsAuthorizationInfo 4 | { 5 | public string Record { get; set; } 6 | public string RecordType { get; set; } 7 | public string Value { get; set; } 8 | public string Status { get; set; } 9 | } 10 | } -------------------------------------------------------------------------------- /src/FreeCert.Core/Models/AcmeAccountInfo.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | using System.Collections.Generic; 3 | 4 | namespace FreeCert.Core.Models 5 | { 6 | public class AcmeAccountInfo 7 | { 8 | public string Status { get; set; } 9 | public List Contacts { get; set; } 10 | public bool? AcceptTos { get; set; } 11 | } 12 | } -------------------------------------------------------------------------------- /src/FreeCert.Core/Models/AcmeOrderInfo.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | using System.Collections.Generic; 3 | 4 | namespace FreeCert.Core.Models 5 | { 6 | public class AcmeOrderInfo 7 | { 8 | public DateTime? Expires { get; set; } 9 | 10 | public List Domains { get; set; } 11 | public string Status { get; set; } 12 | } 13 | } -------------------------------------------------------------------------------- /src/FreeCert.Core/FreeCertConsts.cs: -------------------------------------------------------------------------------- 1 | namespace FreeCert.Core 2 | { 3 | public class FreeCertConsts 4 | { 5 | public const string CertPemName = ".chain.pem"; 6 | public const string CertPemPrivateKeyName = ".key.pem"; 7 | public const string CertPfxName = ".pfx"; 8 | public const string CertPfxPasswordName = ".pfx.pass"; 9 | } 10 | } -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # FreeCert 2 | Fast and easy generation of HTTPS certificate library (Let's Encrypt ACME). 3 | 4 | ## Get start 5 | 6 | clone & open `FreeCert.sln` 7 | 8 | Edit: `sample/FreeCert.ConsoleApp/Program.cs` 9 | 10 | ````csharp 11 | private static string email = ""; 12 | private static string domain = ""; 13 | ```` 14 | 15 | Run! 16 | 17 | Perform 1-7 sequentially -------------------------------------------------------------------------------- /src/FreeCert.Core/Exceptions/FreeCertException.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | 3 | namespace FreeCert.Core.Exceptions 4 | { 5 | public class FreeCertException:Exception 6 | { 7 | public FreeCertException(string message):base(message) 8 | { 9 | 10 | } 11 | 12 | public FreeCertException(string message,Exception inner) : base(message,inner) 13 | { 14 | 15 | } 16 | } 17 | } -------------------------------------------------------------------------------- /sample/FreeCert.ConsoleApp/FreeCert.ConsoleApp.csproj: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | Exe 5 | netcoreapp5.0 6 | 7 | 8 | 9 | 10 | 11 | 12 | 13 | 14 | 15 | 16 | 17 | -------------------------------------------------------------------------------- /src/FreeCert.Core/Models/AutoCreateDnsRecordResult.cs: -------------------------------------------------------------------------------- 1 | namespace FreeCert.Core.Models 2 | { 3 | public class AutoCreateDnsRecordResult 4 | { 5 | public AutoCreateDnsRecordResult(bool success, string errorMessage) 6 | { 7 | Success = success; 8 | ErrorMessage = errorMessage; 9 | } 10 | 11 | public AutoCreateDnsRecordResult(bool success) 12 | { 13 | Success = success; 14 | } 15 | public bool Success { get; set; } 16 | public string ErrorMessage { get; set; } 17 | } 18 | } -------------------------------------------------------------------------------- /src/FreeCert.Core/FreeCert.Core.csproj: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | netstandard2.0 5 | stulzq(Zhiqiang Li) 6 | true 7 | LICENSE 8 | https://github.com/stulzq/FreeCert.git 9 | git 10 | cert,pfx,acme,letsencrypt 11 | Fast and easy generation of HTTPS certificate library (Let's Encrypt ACME). 12 | https://github.com/stulzq/FreeCert 13 | fix bug 14 | 1.0.1 15 | 16 | 17 | 18 | 19 | 20 | 21 | 22 | 23 | 24 | 25 | 26 | True 27 | 28 | 29 | 30 | 31 | 32 | -------------------------------------------------------------------------------- /src/FreeCert.Core/DnsResolver.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | using System.Collections.Generic; 3 | using System.Linq; 4 | using System.Net; 5 | using System.Threading.Tasks; 6 | using Makaretu.Dns; 7 | using Microsoft.Extensions.Logging; 8 | 9 | namespace FreeCert.Core 10 | { 11 | public class DnsResolver 12 | { 13 | private readonly ILogger _logger; 14 | 15 | public DnsResolver(ILogger logger) 16 | { 17 | _logger = logger; 18 | } 19 | 20 | /// 21 | /// Query TXT records for specified domain names 22 | /// 23 | /// 24 | /// 25 | public async Task> QueryTxtRecord(string domain) 26 | { 27 | var dns = new DnsClient(){Servers = new[]{IPAddress.Parse("8.8.8.8"),IPAddress.Parse("114.114.114.114")}}; 28 | try 29 | { 30 | 31 | var response = await dns.QueryAsync(domain, DnsType.TXT); 32 | var strings = response.Answers 33 | .OfType() 34 | .SelectMany(txt => txt.Strings); 35 | return strings.ToList(); 36 | } 37 | catch (Exception e) 38 | { 39 | _logger.LogError(e,"Dns resolve error."); 40 | } 41 | return new List(); 42 | } 43 | } 44 | } -------------------------------------------------------------------------------- /FreeCert.sln: -------------------------------------------------------------------------------- 1 | 2 | Microsoft Visual Studio Solution File, Format Version 12.00 3 | # Visual Studio Version 16 4 | VisualStudioVersion = 16.0.29306.81 5 | MinimumVisualStudioVersion = 10.0.40219.1 6 | Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "src", "src", "{947A94A4-7088-4D3C-9E99-72915DCF85F1}" 7 | EndProject 8 | Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "FreeCert.Core", "src\FreeCert.Core\FreeCert.Core.csproj", "{C89C1A7C-C013-4827-BD82-A603FE4D2025}" 9 | EndProject 10 | Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "sample", "sample", "{94142B3E-D9B9-4F6E-A730-1DF3BCFFBDDA}" 11 | EndProject 12 | Project("{9A19103F-16F7-4668-BE54-9A1E7A4F7556}") = "FreeCert.ConsoleApp", "sample\FreeCert.ConsoleApp\FreeCert.ConsoleApp.csproj", "{4529981E-F9A8-4E75-BB68-98C71AA32D69}" 13 | EndProject 14 | Global 15 | GlobalSection(SolutionConfigurationPlatforms) = preSolution 16 | Debug|Any CPU = Debug|Any CPU 17 | Release|Any CPU = Release|Any CPU 18 | EndGlobalSection 19 | GlobalSection(ProjectConfigurationPlatforms) = postSolution 20 | {C89C1A7C-C013-4827-BD82-A603FE4D2025}.Debug|Any CPU.ActiveCfg = Debug|Any CPU 21 | {C89C1A7C-C013-4827-BD82-A603FE4D2025}.Debug|Any CPU.Build.0 = Debug|Any CPU 22 | {C89C1A7C-C013-4827-BD82-A603FE4D2025}.Release|Any CPU.ActiveCfg = Release|Any CPU 23 | {C89C1A7C-C013-4827-BD82-A603FE4D2025}.Release|Any CPU.Build.0 = Release|Any CPU 24 | {4529981E-F9A8-4E75-BB68-98C71AA32D69}.Debug|Any CPU.ActiveCfg = Debug|Any CPU 25 | {4529981E-F9A8-4E75-BB68-98C71AA32D69}.Debug|Any CPU.Build.0 = Debug|Any CPU 26 | {4529981E-F9A8-4E75-BB68-98C71AA32D69}.Release|Any CPU.ActiveCfg = Release|Any CPU 27 | {4529981E-F9A8-4E75-BB68-98C71AA32D69}.Release|Any CPU.Build.0 = Release|Any CPU 28 | EndGlobalSection 29 | GlobalSection(SolutionProperties) = preSolution 30 | HideSolutionNode = FALSE 31 | EndGlobalSection 32 | GlobalSection(NestedProjects) = preSolution 33 | {C89C1A7C-C013-4827-BD82-A603FE4D2025} = {947A94A4-7088-4D3C-9E99-72915DCF85F1} 34 | {4529981E-F9A8-4E75-BB68-98C71AA32D69} = {94142B3E-D9B9-4F6E-A730-1DF3BCFFBDDA} 35 | EndGlobalSection 36 | GlobalSection(ExtensibilityGlobals) = postSolution 37 | SolutionGuid = {051F3D65-D760-4832-8688-14D822CD1B2D} 38 | EndGlobalSection 39 | EndGlobal 40 | -------------------------------------------------------------------------------- /src/FreeCert.Core/FreeCertBuilder.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | using System.Collections.Generic; 3 | using System.IO; 4 | using System.Linq; 5 | using System.Text; 6 | using System.Threading.Tasks; 7 | using Certes; 8 | using Certes.Acme; 9 | using FreeCert.Core.Exceptions; 10 | using Microsoft.Extensions.Logging; 11 | 12 | namespace FreeCert.Core 13 | { 14 | public class FreeCertBuilder 15 | { 16 | private readonly string _workDir; 17 | private readonly ILoggerFactory _loggerFactory; 18 | private readonly ILogger _logger; 19 | private readonly bool _debug; 20 | private readonly List _accounts=new List(); 21 | private readonly List _domains=new List(); 22 | private string _accountKey; 23 | private Uri _orderUri; 24 | 25 | /// 26 | /// 27 | /// 28 | /// Let's Encrypt Terms of Service. https://letsencrypt.org/documents/LE-SA-v1.2-November-15-2017.pdf 29 | /// 30 | /// 31 | /// When true will use Let's Encrypt staging environment, which may result in rate constraints if used directly in a production environment 32 | public FreeCertBuilder(bool acceptTos,string workDir,ILoggerFactory loggerFactory, bool debug = false) 33 | { 34 | if (!acceptTos) 35 | { 36 | throw new FreeCertException("As you do not accept the Let's Encrypt terms of service, will not be able to continue working."); 37 | } 38 | 39 | _workDir = workDir; 40 | _loggerFactory = loggerFactory; 41 | _logger = loggerFactory.CreateLogger(); 42 | _debug = debug; 43 | 44 | if (!Directory.Exists(_workDir)) 45 | { 46 | Directory.CreateDirectory(_workDir); 47 | } 48 | } 49 | 50 | public async Task GetTosUriAsync() 51 | { 52 | return (await new AcmeContext(WellKnownServers.LetsEncryptV2).TermsOfService()).ToString(); 53 | } 54 | 55 | /// 56 | /// Create a new account 57 | /// 58 | /// 59 | /// 60 | public FreeCertBuilder AddNewAccount(string email) 61 | { 62 | _accounts.Add(email); 63 | return this; 64 | } 65 | 66 | /// 67 | /// Create a new account with multiple email address. 68 | /// 69 | /// 70 | /// 71 | public FreeCertBuilder AddNewAccount(string[] emails) 72 | { 73 | _accounts.AddRange(emails); 74 | return this; 75 | } 76 | 77 | /// 78 | /// Load exists account. 79 | /// 80 | /// 81 | public FreeCertBuilder LoadAccount(string accountKey) 82 | { 83 | _accountKey = accountKey; 84 | return this; 85 | } 86 | 87 | /// 88 | /// Load exists order. 89 | /// 90 | /// 91 | public FreeCertBuilder LoadOrder(Uri orderUri) 92 | { 93 | _orderUri = orderUri; 94 | return this; 95 | } 96 | 97 | /// 98 | /// Add domain 99 | /// 100 | /// 101 | /// 102 | public FreeCertBuilder SetDomain(string domain) 103 | { 104 | _domains.Add(domain); 105 | return this; 106 | } 107 | 108 | /// 109 | /// Add domain 110 | /// 111 | /// 112 | /// 113 | public FreeCertBuilder SetDomains(string[] domains) 114 | { 115 | _domains.AddRange(domains); 116 | return this; 117 | } 118 | 119 | public string GetAccountKey() 120 | { 121 | return _accountKey; 122 | } 123 | 124 | public Uri GetOrderUri() 125 | { 126 | return _orderUri; 127 | } 128 | 129 | public string GetWorkDir() 130 | { 131 | return _workDir; 132 | } 133 | 134 | public async Task BuildAsync() 135 | { 136 | IAcmeContext acmeContext; 137 | IAccountContext account; 138 | IOrderContext order; 139 | 140 | //select server 141 | var acmeServer = _debug ? WellKnownServers.LetsEncryptStagingV2 : WellKnownServers.LetsEncryptV2; 142 | 143 | //Create account 144 | if (string.IsNullOrEmpty(_accountKey)) 145 | { 146 | 147 | if (_domains.Count == 0) 148 | { 149 | throw new FreeCertException("No domain is available."); 150 | } 151 | 152 | acmeContext = new AcmeContext(acmeServer); 153 | 154 | if (_accounts.Count == 0) 155 | { 156 | throw new FreeCertException("No email address is available and no account can be created."); 157 | } 158 | else if(_accounts.Count==1) 159 | { 160 | account = await acmeContext.NewAccount(_accounts[0], true); 161 | } 162 | else 163 | { 164 | var accountList = _accounts.Select(a => $"mailto:{a}").ToList(); 165 | account = await acmeContext.NewAccount(accountList, true); 166 | } 167 | _logger.LogInformation("Account created."); 168 | 169 | //存储新创建用户AccountKey 170 | _accountKey = acmeContext.AccountKey.ToPem(); 171 | 172 | //创建新订单 173 | order = await acmeContext.NewOrder(_domains); 174 | _logger.LogInformation("Order created."); 175 | } 176 | else 177 | { 178 | acmeContext = new AcmeContext(acmeServer, KeyFactory.FromPem(_accountKey)); 179 | //从服务器拉取账号信息 180 | account = await acmeContext.Account(); 181 | _logger.LogInformation("Account loaded."); 182 | 183 | //Load order 184 | if (_orderUri != null) 185 | { 186 | order = acmeContext.Order(_orderUri); 187 | _logger.LogInformation("Order loaded."); 188 | } 189 | else 190 | { 191 | order = await acmeContext.NewOrder(_domains); 192 | _logger.LogInformation("Created loaded."); 193 | } 194 | } 195 | 196 | _orderUri = order.Location; 197 | 198 | return new FreeCertContext(acmeContext,account,order, _workDir,_loggerFactory); 199 | } 200 | } 201 | } -------------------------------------------------------------------------------- /sample/FreeCert.ConsoleApp/Program.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | using System.IO; 3 | using System.Linq; 4 | using System.Threading.Tasks; 5 | using DynamicDns.TencentCloud; 6 | using FreeCert.Core; 7 | using Microsoft.Extensions.Logging; 8 | 9 | namespace FreeCert.ConsoleApp 10 | { 11 | class Program 12 | { 13 | //Tencent Cloud API Key 14 | static string tcloudSecretId = ""; 15 | static string tcloudSecretKey = ""; 16 | 17 | static string workDir = Directory.GetCurrentDirectory(); 18 | static string accountKeyFile = Path.Combine(Directory.GetCurrentDirectory(), "account.key"); 19 | static string orderUriFile = Path.Combine(Directory.GetCurrentDirectory(), "order.uri"); 20 | private static string email = "644928779@qq.com"; 21 | private static string domain = "cyanstream.com"; 22 | 23 | static async Task Main() 24 | { 25 | var loggerFactory = new LoggerFactory(); 26 | // Create 27 | FreeCertContext context; 28 | if (File.Exists(accountKeyFile) && File.Exists(orderUriFile)) 29 | { 30 | context = await new FreeCertBuilder(true, workDir, loggerFactory, true) 31 | .LoadAccount(File.ReadAllText(accountKeyFile)) 32 | .LoadOrder(new Uri(File.ReadAllText(orderUriFile))) 33 | .BuildAsync(); 34 | } 35 | else 36 | { 37 | context = await new FreeCertBuilder(true, workDir, loggerFactory, true) 38 | .AddNewAccount(email) 39 | .SetDomain(domain) 40 | .BuildAsync(); 41 | } 42 | 43 | var account = await context.GetAccountAsync(); 44 | Console.WriteLine("AccountInformation:"); 45 | Console.WriteLine($" Status : {account.Status}"); 46 | Console.WriteLine($" Contacts : {string.Join(",", account.Contacts)}"); 47 | Console.WriteLine($" AcceptTos: {account.AcceptTos}"); 48 | await File.WriteAllTextAsync(accountKeyFile, context.AcmeContext.AccountKey.ToPem()); 49 | Console.WriteLine($" Account Key saved at {accountKeyFile}."); 50 | 51 | Console.WriteLine(); 52 | await GetOrderInfoAsync(context); 53 | 54 | Console.WriteLine(); 55 | var authorizations = await context.GetAuthorizationsAsync(); 56 | Console.WriteLine("Order Authorization Information:"); 57 | Console.WriteLine(" DNS Authorization"); 58 | foreach (var item in authorizations) 59 | { 60 | Console.WriteLine($" Record: {item.Record}"); 61 | Console.WriteLine($" Type : {item.RecordType}"); 62 | Console.WriteLine($" Value : {item.Value}"); 63 | Console.WriteLine($" Status: {item.Status}"); 64 | Console.WriteLine("----------------------------"); 65 | } 66 | 67 | string input; 68 | do 69 | { 70 | Console.WriteLine(); 71 | Console.WriteLine("Menu: 1.AutoCreateDnsRecord 2.GetDnsRecord 3.CheckDnsRecord 4.Authorization 5.GetOrderInfo 6.Finish 7.Export "); 72 | Console.WriteLine("Enter 'e' to exit "); 73 | input = Console.ReadLine(); 74 | 75 | switch (input) 76 | { 77 | case "1": 78 | await AutoCreateDnsAsync(context); 79 | break; 80 | case "2": 81 | await GetDnsRecordAsync(context); 82 | break; 83 | case "3": 84 | await CheckDnsRecordAsync(context); 85 | break; 86 | case "4": 87 | await AuthorizationAsync(context); 88 | break; 89 | case "5": 90 | await GetOrderInfoAsync(context); 91 | break; 92 | case "6": 93 | await FinishAsync(context); 94 | break; 95 | case "7": 96 | await ExportAsync(context); 97 | break; 98 | } 99 | 100 | } while (input != "e"); 101 | 102 | 103 | } 104 | 105 | static async Task FinishAsync(FreeCertContext context) 106 | { 107 | await context.OrderFinalizeAsync(); 108 | Console.WriteLine("Finish Success!"); 109 | } 110 | 111 | static async Task ExportAsync(FreeCertContext context) 112 | { 113 | await context.ExportCertAsync("123456"); 114 | Console.WriteLine("Export Success!"); 115 | } 116 | 117 | static async Task AutoCreateDnsAsync(FreeCertContext context) 118 | { 119 | var authResult = await context.AutoCreateDnsRecord(new TencentCloudDynamicDns(new TencentCloudOptions() 120 | { 121 | SecretId = tcloudSecretId, 122 | SecretKey = tcloudSecretKey 123 | })); 124 | Console.WriteLine(); 125 | Console.WriteLine("Auto CreateDns Result:"); 126 | Console.WriteLine($" Success : {authResult.Success}"); 127 | Console.WriteLine($" Message : {authResult.ErrorMessage}"); 128 | } 129 | 130 | static async Task GetOrderInfoAsync(FreeCertContext context) 131 | { 132 | var order = await context.GetOrderInfoAsync(); 133 | 134 | Console.WriteLine("Current OrderInformation:"); 135 | Console.WriteLine($" Status : {order.Status}"); 136 | Console.WriteLine($" Domains: {string.Join(",", order.Domains)}"); 137 | Console.WriteLine($" Expires: {order.Expires:yyyy-MM-dd HH:mm:ss}"); 138 | 139 | await File.WriteAllTextAsync(orderUriFile, context.OrderContext.Location.ToString()); 140 | Console.WriteLine($" Order Uri saved at {orderUriFile}."); 141 | } 142 | 143 | static async Task GetDnsRecordAsync(FreeCertContext context) 144 | { 145 | var records = await context.GetDnsTxtRecordAsync(); 146 | Console.WriteLine("Dns Record Information:"); 147 | 148 | if (records.Any()) 149 | { 150 | foreach (var record in records) 151 | { 152 | Console.WriteLine(" " + record); 153 | } 154 | } 155 | else 156 | { 157 | Console.WriteLine("No record."); 158 | } 159 | } 160 | 161 | static async Task CheckDnsRecordAsync(FreeCertContext context) 162 | { 163 | var res = await context.CheckDnsTxtRecordAsync(); 164 | Console.WriteLine("Dns Check Information:"); 165 | Console.WriteLine(" Status:" + res); 166 | } 167 | 168 | static async Task AuthorizationAsync(FreeCertContext context) 169 | { 170 | await context.AuthorizationAsync(); 171 | Console.WriteLine("AuthorizationComplete!"); 172 | } 173 | } 174 | } 175 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | ## Ignore Visual Studio temporary files, build results, and 2 | ## files generated by popular Visual Studio add-ons. 3 | ## 4 | ## Get latest from https://github.com/github/gitignore/blob/master/VisualStudio.gitignore 5 | 6 | # User-specific files 7 | *.suo 8 | *.user 9 | *.userosscache 10 | *.sln.docstates 11 | 12 | # User-specific files (MonoDevelop/Xamarin Studio) 13 | *.userprefs 14 | 15 | # Build results 16 | [Dd]ebug/ 17 | [Dd]ebugPublic/ 18 | [Rr]elease/ 19 | [Rr]eleases/ 20 | x64/ 21 | x86/ 22 | bld/ 23 | [Bb]in/ 24 | [Oo]bj/ 25 | [Ll]og/ 26 | 27 | # Visual Studio 2015/2017 cache/options directory 28 | .vs/ 29 | # Uncomment if you have tasks that create the project's static files in wwwroot 30 | #wwwroot/ 31 | 32 | # Visual Studio 2017 auto generated files 33 | Generated\ Files/ 34 | 35 | # MSTest test Results 36 | [Tt]est[Rr]esult*/ 37 | [Bb]uild[Ll]og.* 38 | 39 | # NUNIT 40 | *.VisualState.xml 41 | TestResult.xml 42 | 43 | # Build Results of an ATL Project 44 | [Dd]ebugPS/ 45 | [Rr]eleasePS/ 46 | dlldata.c 47 | 48 | # Benchmark Results 49 | BenchmarkDotNet.Artifacts/ 50 | 51 | # .NET Core 52 | project.lock.json 53 | project.fragment.lock.json 54 | artifacts/ 55 | **/Properties/launchSettings.json 56 | 57 | # StyleCop 58 | StyleCopReport.xml 59 | 60 | # Files built by Visual Studio 61 | *_i.c 62 | *_p.c 63 | *_i.h 64 | *.ilk 65 | *.meta 66 | *.obj 67 | *.iobj 68 | *.pch 69 | *.pdb 70 | *.ipdb 71 | *.pgc 72 | *.pgd 73 | *.rsp 74 | *.sbr 75 | *.tlb 76 | *.tli 77 | *.tlh 78 | *.tmp 79 | *.tmp_proj 80 | *.log 81 | *.vspscc 82 | *.vssscc 83 | .builds 84 | *.pidb 85 | *.svclog 86 | *.scc 87 | 88 | # Chutzpah Test files 89 | _Chutzpah* 90 | 91 | # Visual C++ cache files 92 | ipch/ 93 | *.aps 94 | *.ncb 95 | *.opendb 96 | *.opensdf 97 | *.sdf 98 | *.cachefile 99 | *.VC.db 100 | *.VC.VC.opendb 101 | 102 | # Visual Studio profiler 103 | *.psess 104 | *.vsp 105 | *.vspx 106 | *.sap 107 | 108 | # Visual Studio Trace Files 109 | *.e2e 110 | 111 | # TFS 2012 Local Workspace 112 | $tf/ 113 | 114 | # Guidance Automation Toolkit 115 | *.gpState 116 | 117 | # ReSharper is a .NET coding add-in 118 | _ReSharper*/ 119 | *.[Rr]e[Ss]harper 120 | *.DotSettings.user 121 | 122 | # JustCode is a .NET coding add-in 123 | .JustCode 124 | 125 | # TeamCity is a build add-in 126 | _TeamCity* 127 | 128 | # DotCover is a Code Coverage Tool 129 | *.dotCover 130 | 131 | # AxoCover is a Code Coverage Tool 132 | .axoCover/* 133 | !.axoCover/settings.json 134 | 135 | # Visual Studio code coverage results 136 | *.coverage 137 | *.coveragexml 138 | 139 | # NCrunch 140 | _NCrunch_* 141 | .*crunch*.local.xml 142 | nCrunchTemp_* 143 | 144 | # MightyMoose 145 | *.mm.* 146 | AutoTest.Net/ 147 | 148 | # Web workbench (sass) 149 | .sass-cache/ 150 | 151 | # Installshield output folder 152 | [Ee]xpress/ 153 | 154 | # DocProject is a documentation generator add-in 155 | DocProject/buildhelp/ 156 | DocProject/Help/*.HxT 157 | DocProject/Help/*.HxC 158 | DocProject/Help/*.hhc 159 | DocProject/Help/*.hhk 160 | DocProject/Help/*.hhp 161 | DocProject/Help/Html2 162 | DocProject/Help/html 163 | 164 | # Click-Once directory 165 | publish/ 166 | 167 | # Publish Web Output 168 | *.[Pp]ublish.xml 169 | *.azurePubxml 170 | # Note: Comment the next line if you want to checkin your web deploy settings, 171 | # but database connection strings (with potential passwords) will be unencrypted 172 | *.pubxml 173 | *.publishproj 174 | 175 | # Microsoft Azure Web App publish settings. Comment the next line if you want to 176 | # checkin your Azure Web App publish settings, but sensitive information contained 177 | # in these scripts will be unencrypted 178 | PublishScripts/ 179 | 180 | # NuGet Packages 181 | *.nupkg 182 | # The packages folder can be ignored because of Package Restore 183 | **/[Pp]ackages/* 184 | # except build/, which is used as an MSBuild target. 185 | !**/[Pp]ackages/build/ 186 | # Uncomment if necessary however generally it will be regenerated when needed 187 | #!**/[Pp]ackages/repositories.config 188 | # NuGet v3's project.json files produces more ignorable files 189 | *.nuget.props 190 | *.nuget.targets 191 | 192 | # Microsoft Azure Build Output 193 | csx/ 194 | *.build.csdef 195 | 196 | # Microsoft Azure Emulator 197 | ecf/ 198 | rcf/ 199 | 200 | # Windows Store app package directories and files 201 | AppPackages/ 202 | BundleArtifacts/ 203 | Package.StoreAssociation.xml 204 | _pkginfo.txt 205 | *.appx 206 | 207 | # Visual Studio cache files 208 | # files ending in .cache can be ignored 209 | *.[Cc]ache 210 | # but keep track of directories ending in .cache 211 | !*.[Cc]ache/ 212 | 213 | # Others 214 | ClientBin/ 215 | ~$* 216 | *~ 217 | *.dbmdl 218 | *.dbproj.schemaview 219 | *.jfm 220 | *.pfx 221 | *.publishsettings 222 | orleans.codegen.cs 223 | 224 | # Including strong name files can present a security risk 225 | # (https://github.com/github/gitignore/pull/2483#issue-259490424) 226 | #*.snk 227 | 228 | # Since there are multiple workflows, uncomment next line to ignore bower_components 229 | # (https://github.com/github/gitignore/pull/1529#issuecomment-104372622) 230 | #bower_components/ 231 | 232 | # RIA/Silverlight projects 233 | Generated_Code/ 234 | 235 | # Backup & report files from converting an old project file 236 | # to a newer Visual Studio version. Backup files are not needed, 237 | # because we have git ;-) 238 | _UpgradeReport_Files/ 239 | Backup*/ 240 | UpgradeLog*.XML 241 | UpgradeLog*.htm 242 | ServiceFabricBackup/ 243 | *.rptproj.bak 244 | 245 | # SQL Server files 246 | *.mdf 247 | *.ldf 248 | *.ndf 249 | 250 | # Business Intelligence projects 251 | *.rdl.data 252 | *.bim.layout 253 | *.bim_*.settings 254 | *.rptproj.rsuser 255 | 256 | # Microsoft Fakes 257 | FakesAssemblies/ 258 | 259 | # GhostDoc plugin setting file 260 | *.GhostDoc.xml 261 | 262 | # Node.js Tools for Visual Studio 263 | .ntvs_analysis.dat 264 | node_modules/ 265 | 266 | # Visual Studio 6 build log 267 | *.plg 268 | 269 | # Visual Studio 6 workspace options file 270 | *.opt 271 | 272 | # Visual Studio 6 auto-generated workspace file (contains which files were open etc.) 273 | *.vbw 274 | 275 | # Visual Studio LightSwitch build output 276 | **/*.HTMLClient/GeneratedArtifacts 277 | **/*.DesktopClient/GeneratedArtifacts 278 | **/*.DesktopClient/ModelManifest.xml 279 | **/*.Server/GeneratedArtifacts 280 | **/*.Server/ModelManifest.xml 281 | _Pvt_Extensions 282 | 283 | # Paket dependency manager 284 | .paket/paket.exe 285 | paket-files/ 286 | 287 | # FAKE - F# Make 288 | .fake/ 289 | 290 | # JetBrains Rider 291 | .idea/ 292 | *.sln.iml 293 | 294 | # CodeRush 295 | .cr/ 296 | 297 | # Python Tools for Visual Studio (PTVS) 298 | __pycache__/ 299 | *.pyc 300 | 301 | # Cake - Uncomment if you are using it 302 | # tools/** 303 | # !tools/packages.config 304 | 305 | # Tabs Studio 306 | *.tss 307 | 308 | # Telerik's JustMock configuration file 309 | *.jmconfig 310 | 311 | # BizTalk build output 312 | *.btp.cs 313 | *.btm.cs 314 | *.odx.cs 315 | *.xsd.cs 316 | 317 | # OpenCover UI analysis results 318 | OpenCover/ 319 | 320 | # Azure Stream Analytics local run output 321 | ASALocalRun/ 322 | 323 | # MSBuild Binary and Structured Log 324 | *.binlog 325 | 326 | # NVidia Nsight GPU debugger configuration file 327 | *.nvuser 328 | 329 | # MFractors (Xamarin productivity tool) working folder 330 | .mfractor/ 331 | -------------------------------------------------------------------------------- /src/FreeCert.Core/FreeCertContext.cs: -------------------------------------------------------------------------------- 1 | using System; 2 | using System.Collections.Generic; 3 | using System.IO; 4 | using System.Linq; 5 | using System.Text; 6 | using System.Threading.Tasks; 7 | using Certes; 8 | using Certes.Acme; 9 | using Certes.Pkcs; 10 | using DynamicDns.Core; 11 | using FreeCert.Core.Models; 12 | using Microsoft.Extensions.Logging; 13 | 14 | namespace FreeCert.Core 15 | { 16 | public class FreeCertContext 17 | { 18 | private readonly string _workDir; 19 | private readonly ILoggerFactory _loggerFactory; 20 | private readonly DnsResolver _dnsResolver; 21 | public IAcmeContext AcmeContext { get; } 22 | public IOrderContext OrderContext { get; } 23 | public IAccountContext AccountContext { get; } 24 | 25 | /// 26 | /// All new 27 | /// 28 | /// 29 | /// 30 | /// 31 | /// 32 | /// 33 | public FreeCertContext(IAcmeContext acmeContext, IAccountContext accountContext, IOrderContext orderContext, string workDir, ILoggerFactory loggerFactory) 34 | { 35 | _workDir = workDir; 36 | _loggerFactory = loggerFactory; 37 | AcmeContext = acmeContext; 38 | AccountContext = accountContext; 39 | OrderContext = orderContext; 40 | _dnsResolver = new DnsResolver(_loggerFactory.CreateLogger()); 41 | } 42 | 43 | public async Task GetOrderInfoAsync() 44 | { 45 | var order = await OrderContext.Resource(); 46 | var orderInfo = new AcmeOrderInfo 47 | { 48 | Domains = order.Identifiers.Select(a => a.Value).ToList(), 49 | Expires = order.Expires?.ToLocalTime().DateTime, 50 | Status = order.Status.ToString() 51 | }; 52 | return orderInfo; 53 | } 54 | 55 | public async Task GetAccountAsync() 56 | { 57 | var account = await AccountContext.Resource(); 58 | 59 | var accountInfo = new AcmeAccountInfo 60 | { 61 | Status = account.Status.ToString(), 62 | Contacts = account.Contact.Select(a => a).ToList(), 63 | AcceptTos = account.TermsOfServiceAgreed, 64 | }; 65 | return accountInfo; 66 | } 67 | 68 | public async Task> GetAuthorizationsAsync() 69 | { 70 | var result = new List(); 71 | foreach (var authorization in await OrderContext.Authorizations()) 72 | { 73 | var challengeContext = await authorization.Dns(); 74 | var dnsTxt = AcmeContext.AccountKey.DnsTxt(challengeContext.Token); 75 | 76 | var challenge = await challengeContext.Resource(); 77 | var domain = await GetTopDomainAsync(); 78 | var authInfo = new AcmeDnsAuthorizationInfo() 79 | { 80 | Record = $"{_challengeSubDomain}.{domain}", 81 | RecordType = "TXT", 82 | Value = dnsTxt, 83 | Status = challenge.Status.ToString() 84 | }; 85 | result.Add(authInfo); 86 | } 87 | return result; 88 | } 89 | 90 | public async Task AutoCreateDnsRecord(IDynamicDns ddns) 91 | { 92 | if (ddns == null) 93 | { 94 | throw new ArgumentNullException(nameof(ddns)); 95 | } 96 | var authInfo = await GetAuthorizationsAsync(); 97 | var domain = await GetTopDomainAsync(); 98 | 99 | await ddns.DeleteAsync(domain, _challengeSubDomain); 100 | foreach (var item in authInfo) 101 | { 102 | var opRes = await ddns.AddAsync(domain, _challengeSubDomain, "TXT", item.Value); 103 | if (opRes.Error) 104 | { 105 | return new AutoCreateDnsRecordResult(false, opRes.Message); 106 | } 107 | } 108 | 109 | return new AutoCreateDnsRecordResult(true); 110 | } 111 | 112 | public async Task> GetDnsTxtRecordAsync() 113 | { 114 | var domain = await GetTopDomainAsync(); 115 | var records = await _dnsResolver.QueryTxtRecord($"{_challengeSubDomain}.{domain}"); 116 | return records; 117 | } 118 | 119 | public async Task CheckDnsTxtRecordAsync() 120 | { 121 | var records = await GetDnsTxtRecordAsync(); 122 | var authInfo = await GetAuthorizationsAsync(); 123 | 124 | foreach (var item in authInfo) 125 | { 126 | if (!records.Contains(item.Value)) 127 | { 128 | return false; 129 | } 130 | } 131 | return true; 132 | } 133 | 134 | public async Task AuthorizationAsync() 135 | { 136 | foreach (var authorization in await OrderContext.Authorizations()) 137 | { 138 | var challengeContext = await authorization.Dns(); 139 | await challengeContext.Validate(); 140 | } 141 | } 142 | 143 | public async Task OrderFinalizeAsync() 144 | { 145 | var order = await GetOrderInfoAsync(); 146 | var topDomain = await GetTopDomainAsync(); 147 | 148 | var csrBuilder = new CertificationRequestBuilder(); 149 | 150 | csrBuilder.AddName($"C=Country, ST=State, L=City, O=Org, CN={topDomain}"); 151 | 152 | //setup the san if necessary 153 | csrBuilder.SubjectAlternativeNames = order.Domains.Where(a => a != topDomain).ToList(); 154 | 155 | byte[] csrByte = csrBuilder.Generate(); 156 | 157 | await OrderContext.Finalize(csrByte); 158 | 159 | File.WriteAllText(Path.Combine(_workDir, $"{topDomain}-{FreeCertConsts.CertPemPrivateKeyName}"), csrBuilder.Key.ToPem(), 160 | Encoding.UTF8); 161 | } 162 | 163 | public async Task ExportCertAsync(string password) 164 | { 165 | var topDomain = await GetTopDomainAsync(); 166 | 167 | var cert = await OrderContext.Download(); 168 | //pem证书 169 | File.WriteAllText(Path.Combine(_workDir, $"{topDomain}-{FreeCertConsts.CertPemName}"), cert.ToPem(), 170 | Encoding.UTF8); 171 | 172 | var privateKey = File.ReadAllText(Path.Combine(_workDir, $"{topDomain}-{FreeCertConsts.CertPemPrivateKeyName}"), 173 | Encoding.UTF8); 174 | 175 | //pfx证书 176 | var pfxBuilder = cert.ToPfx(KeyFactory.FromPem(privateKey)); 177 | var pfx = pfxBuilder.Build(topDomain, password); 178 | File.WriteAllBytes(Path.Combine(_workDir, $"{topDomain}-{FreeCertConsts.CertPfxName}"), pfx); 179 | File.WriteAllText(Path.Combine(_workDir, $"{topDomain}-{FreeCertConsts.CertPfxPasswordName}"), password); 180 | } 181 | 182 | 183 | private string _topDomain; 184 | private string _challengeSubDomain = "_acme-challenge"; 185 | private async Task GetTopDomainAsync() 186 | { 187 | if (string.IsNullOrEmpty(_topDomain)) 188 | { 189 | var orderInfo = await GetOrderInfoAsync(); 190 | 191 | var tempArray = orderInfo.Domains.First().Split(new[] { '.' }); 192 | var topDomain = $"{tempArray[tempArray.Length - 2]}.{tempArray[tempArray.Length - 1]}"; 193 | _topDomain = topDomain; 194 | } 195 | 196 | return _topDomain; 197 | } 198 | } 199 | } -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Apache License 2 | Version 2.0, January 2004 3 | http://www.apache.org/licenses/ 4 | 5 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 6 | 7 | 1. Definitions. 8 | 9 | "License" shall mean the terms and conditions for use, reproduction, 10 | and distribution as defined by Sections 1 through 9 of this document. 11 | 12 | "Licensor" shall mean the copyright owner or entity authorized by 13 | the copyright owner that is granting the License. 14 | 15 | "Legal Entity" shall mean the union of the acting entity and all 16 | other entities that control, are controlled by, or are under common 17 | control with that entity. For the purposes of this definition, 18 | "control" means (i) the power, direct or indirect, to cause the 19 | direction or management of such entity, whether by contract or 20 | otherwise, or (ii) ownership of fifty percent (50%) or more of the 21 | outstanding shares, or (iii) beneficial ownership of such entity. 22 | 23 | "You" (or "Your") shall mean an individual or Legal Entity 24 | exercising permissions granted by this License. 25 | 26 | "Source" form shall mean the preferred form for making modifications, 27 | including but not limited to software source code, documentation 28 | source, and configuration files. 29 | 30 | "Object" form shall mean any form resulting from mechanical 31 | transformation or translation of a Source form, including but 32 | not limited to compiled object code, generated documentation, 33 | and conversions to other media types. 34 | 35 | "Work" shall mean the work of authorship, whether in Source or 36 | Object form, made available under the License, as indicated by a 37 | copyright notice that is included in or attached to the work 38 | (an example is provided in the Appendix below). 39 | 40 | "Derivative Works" shall mean any work, whether in Source or Object 41 | form, that is based on (or derived from) the Work and for which the 42 | editorial revisions, annotations, elaborations, or other modifications 43 | represent, as a whole, an original work of authorship. For the purposes 44 | of this License, Derivative Works shall not include works that remain 45 | separable from, or merely link (or bind by name) to the interfaces of, 46 | the Work and Derivative Works thereof. 47 | 48 | "Contribution" shall mean any work of authorship, including 49 | the original version of the Work and any modifications or additions 50 | to that Work or Derivative Works thereof, that is intentionally 51 | submitted to Licensor for inclusion in the Work by the copyright owner 52 | or by an individual or Legal Entity authorized to submit on behalf of 53 | the copyright owner. For the purposes of this definition, "submitted" 54 | means any form of electronic, verbal, or written communication sent 55 | to the Licensor or its representatives, including but not limited to 56 | communication on electronic mailing lists, source code control systems, 57 | and issue tracking systems that are managed by, or on behalf of, the 58 | Licensor for the purpose of discussing and improving the Work, but 59 | excluding communication that is conspicuously marked or otherwise 60 | designated in writing by the copyright owner as "Not a Contribution." 61 | 62 | "Contributor" shall mean Licensor and any individual or Legal Entity 63 | on behalf of whom a Contribution has been received by Licensor and 64 | subsequently incorporated within the Work. 65 | 66 | 2. Grant of Copyright License. Subject to the terms and conditions of 67 | this License, each Contributor hereby grants to You a perpetual, 68 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 69 | copyright license to reproduce, prepare Derivative Works of, 70 | publicly display, publicly perform, sublicense, and distribute the 71 | Work and such Derivative Works in Source or Object form. 72 | 73 | 3. Grant of Patent License. Subject to the terms and conditions of 74 | this License, each Contributor hereby grants to You a perpetual, 75 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 76 | (except as stated in this section) patent license to make, have made, 77 | use, offer to sell, sell, import, and otherwise transfer the Work, 78 | where such license applies only to those patent claims licensable 79 | by such Contributor that are necessarily infringed by their 80 | Contribution(s) alone or by combination of their Contribution(s) 81 | with the Work to which such Contribution(s) was submitted. If You 82 | institute patent litigation against any entity (including a 83 | cross-claim or counterclaim in a lawsuit) alleging that the Work 84 | or a Contribution incorporated within the Work constitutes direct 85 | or contributory patent infringement, then any patent licenses 86 | granted to You under this License for that Work shall terminate 87 | as of the date such litigation is filed. 88 | 89 | 4. Redistribution. You may reproduce and distribute copies of the 90 | Work or Derivative Works thereof in any medium, with or without 91 | modifications, and in Source or Object form, provided that You 92 | meet the following conditions: 93 | 94 | (a) You must give any other recipients of the Work or 95 | Derivative Works a copy of this License; and 96 | 97 | (b) You must cause any modified files to carry prominent notices 98 | stating that You changed the files; and 99 | 100 | (c) You must retain, in the Source form of any Derivative Works 101 | that You distribute, all copyright, patent, trademark, and 102 | attribution notices from the Source form of the Work, 103 | excluding those notices that do not pertain to any part of 104 | the Derivative Works; and 105 | 106 | (d) If the Work includes a "NOTICE" text file as part of its 107 | distribution, then any Derivative Works that You distribute must 108 | include a readable copy of the attribution notices contained 109 | within such NOTICE file, excluding those notices that do not 110 | pertain to any part of the Derivative Works, in at least one 111 | of the following places: within a NOTICE text file distributed 112 | as part of the Derivative Works; within the Source form or 113 | documentation, if provided along with the Derivative Works; or, 114 | within a display generated by the Derivative Works, if and 115 | wherever such third-party notices normally appear. The contents 116 | of the NOTICE file are for informational purposes only and 117 | do not modify the License. You may add Your own attribution 118 | notices within Derivative Works that You distribute, alongside 119 | or as an addendum to the NOTICE text from the Work, provided 120 | that such additional attribution notices cannot be construed 121 | as modifying the License. 122 | 123 | You may add Your own copyright statement to Your modifications and 124 | may provide additional or different license terms and conditions 125 | for use, reproduction, or distribution of Your modifications, or 126 | for any such Derivative Works as a whole, provided Your use, 127 | reproduction, and distribution of the Work otherwise complies with 128 | the conditions stated in this License. 129 | 130 | 5. Submission of Contributions. Unless You explicitly state otherwise, 131 | any Contribution intentionally submitted for inclusion in the Work 132 | by You to the Licensor shall be under the terms and conditions of 133 | this License, without any additional terms or conditions. 134 | Notwithstanding the above, nothing herein shall supersede or modify 135 | the terms of any separate license agreement you may have executed 136 | with Licensor regarding such Contributions. 137 | 138 | 6. Trademarks. This License does not grant permission to use the trade 139 | names, trademarks, service marks, or product names of the Licensor, 140 | except as required for reasonable and customary use in describing the 141 | origin of the Work and reproducing the content of the NOTICE file. 142 | 143 | 7. Disclaimer of Warranty. Unless required by applicable law or 144 | agreed to in writing, Licensor provides the Work (and each 145 | Contributor provides its Contributions) on an "AS IS" BASIS, 146 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or 147 | implied, including, without limitation, any warranties or conditions 148 | of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A 149 | PARTICULAR PURPOSE. You are solely responsible for determining the 150 | appropriateness of using or redistributing the Work and assume any 151 | risks associated with Your exercise of permissions under this License. 152 | 153 | 8. Limitation of Liability. In no event and under no legal theory, 154 | whether in tort (including negligence), contract, or otherwise, 155 | unless required by applicable law (such as deliberate and grossly 156 | negligent acts) or agreed to in writing, shall any Contributor be 157 | liable to You for damages, including any direct, indirect, special, 158 | incidental, or consequential damages of any character arising as a 159 | result of this License or out of the use or inability to use the 160 | Work (including but not limited to damages for loss of goodwill, 161 | work stoppage, computer failure or malfunction, or any and all 162 | other commercial damages or losses), even if such Contributor 163 | has been advised of the possibility of such damages. 164 | 165 | 9. Accepting Warranty or Additional Liability. While redistributing 166 | the Work or Derivative Works thereof, You may choose to offer, 167 | and charge a fee for, acceptance of support, warranty, indemnity, 168 | or other liability obligations and/or rights consistent with this 169 | License. However, in accepting such obligations, You may act only 170 | on Your own behalf and on Your sole responsibility, not on behalf 171 | of any other Contributor, and only if You agree to indemnify, 172 | defend, and hold each Contributor harmless for any liability 173 | incurred by, or claims asserted against, such Contributor by reason 174 | of your accepting any such warranty or additional liability. 175 | 176 | END OF TERMS AND CONDITIONS 177 | 178 | APPENDIX: How to apply the Apache License to your work. 179 | 180 | To apply the Apache License to your work, attach the following 181 | boilerplate notice, with the fields enclosed by brackets "[]" 182 | replaced with your own identifying information. (Don't include 183 | the brackets!) The text should be enclosed in the appropriate 184 | comment syntax for the file format. We also recommend that a 185 | file or class name and description of purpose be included on the 186 | same "printed page" as the copyright notice for easier 187 | identification within third-party archives. 188 | 189 | Copyright [yyyy] [name of copyright owner] 190 | 191 | Licensed under the Apache License, Version 2.0 (the "License"); 192 | you may not use this file except in compliance with the License. 193 | You may obtain a copy of the License at 194 | 195 | http://www.apache.org/licenses/LICENSE-2.0 196 | 197 | Unless required by applicable law or agreed to in writing, software 198 | distributed under the License is distributed on an "AS IS" BASIS, 199 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 200 | See the License for the specific language governing permissions and 201 | limitations under the License. 202 | --------------------------------------------------------------------------------