C #을 사용하여 자체 서명 된 인증서를 만드는 방법은 무엇입니까?
C #을 사용하여 자체 서명 된 인증서 (로컬 암호화 용-통신 보안에 사용되지 않음)를 만들어야합니다.
Crypt32.dll 과 함께 P / Invoke 를 사용하는 일부 구현을 보았지만 복잡하고 매개 변수를 업데이트하기가 어렵습니다. 가능하면 P / Invoke를 피하고 싶습니다.
크로스 플랫폼은 필요하지 않습니다. Windows에서만 실행하는 것만으로도 충분합니다.
이상적으로 결과는 Windows 인증서 저장소에 삽입하거나 PFX 파일로 내보내는 데 사용할 수있는 X509Certificate2 개체입니다.
이 구현은 CX509CertificateRequestCertificate
COM 개체 (및 친구 -MSDN doc ) certenroll.dll
를 사용하여 자체 서명 된 인증서 요청을 만들고 서명합니다.
아래의 예는 매우 간단합니다 (여기에있는 COM 부분을 무시하는 경우). 실제로 선택적인 코드 부분 (예 : EKU)이 있지만 그럼에도 불구하고 유용하고 쉽게 사용할 수 있습니다. 당신의 사용에 적응하십시오.
public static X509Certificate2 CreateSelfSignedCertificate(string subjectName)
{
// create DN for subject and issuer
var dn = new CX500DistinguishedName();
dn.Encode("CN=" + subjectName, X500NameFlags.XCN_CERT_NAME_STR_NONE);
// create a new private key for the certificate
CX509PrivateKey privateKey = new CX509PrivateKey();
privateKey.ProviderName = "Microsoft Base Cryptographic Provider v1.0";
privateKey.MachineContext = true;
privateKey.Length = 2048;
privateKey.KeySpec = X509KeySpec.XCN_AT_SIGNATURE; // use is not limited
privateKey.ExportPolicy = X509PrivateKeyExportFlags.XCN_NCRYPT_ALLOW_PLAINTEXT_EXPORT_FLAG;
privateKey.Create();
// Use the stronger SHA512 hashing algorithm
var hashobj = new CObjectId();
hashobj.InitializeFromAlgorithmName(ObjectIdGroupId.XCN_CRYPT_HASH_ALG_OID_GROUP_ID,
ObjectIdPublicKeyFlags.XCN_CRYPT_OID_INFO_PUBKEY_ANY,
AlgorithmFlags.AlgorithmFlagsNone, "SHA512");
// add extended key usage if you want - look at MSDN for a list of possible OIDs
var oid = new CObjectId();
oid.InitializeFromValue("1.3.6.1.5.5.7.3.1"); // SSL server
var oidlist = new CObjectIds();
oidlist.Add(oid);
var eku = new CX509ExtensionEnhancedKeyUsage();
eku.InitializeEncode(oidlist);
// Create the self signing request
var cert = new CX509CertificateRequestCertificate();
cert.InitializeFromPrivateKey(X509CertificateEnrollmentContext.ContextMachine, privateKey, "");
cert.Subject = dn;
cert.Issuer = dn; // the issuer and the subject are the same
cert.NotBefore = DateTime.Now;
// this cert expires immediately. Change to whatever makes sense for you
cert.NotAfter = DateTime.Now;
cert.X509Extensions.Add((CX509Extension)eku); // add the EKU
cert.HashAlgorithm = hashobj; // Specify the hashing algorithm
cert.Encode(); // encode the certificate
// Do the final enrollment process
var enroll = new CX509Enrollment();
enroll.InitializeFromRequest(cert); // load the certificate
enroll.CertificateFriendlyName = subjectName; // Optional: add a friendly name
string csr = enroll.CreateRequest(); // Output the request in base64
// and install it back as the response
enroll.InstallResponse(InstallResponseRestrictionFlags.AllowUntrustedCertificate,
csr, EncodingType.XCN_CRYPT_STRING_BASE64, ""); // no password
// output a base64 encoded PKCS#12 so we can import it back to the .Net security classes
var base64encoded = enroll.CreatePFX("", // no password, this is for internal consumption
PFXExportOptions.PFXExportChainWithRoot);
// instantiate the target class with the PKCS#12 data (and the empty password)
return new System.Security.Cryptography.X509Certificates.X509Certificate2(
System.Convert.FromBase64String(base64encoded), "",
// mark the private key as exportable (this is usually what you want to do)
System.Security.Cryptography.X509Certificates.X509KeyStorageFlags.Exportable
);
}
결과는 방법을 X509Store
사용 하여 인증서 저장소에 추가 하거나 내보낼 수 있습니다 X509Certificate2
.
완전히 관리되고 Microsoft 플랫폼에 연결되지 않은 경우, Mono의 라이선스에 동의하는 경우 Mono.Security의 X509CertificateBuilder 를 살펴볼 수 있습니다. Mono.Security는 Mono와 독립형으로 실행되기 위해 Mono의 나머지 부분이 필요하지 않으며 모든 호환 .Net 환경 (예 : Microsoft의 구현)에서 사용할 수 있습니다.
Since .NET 4.7.2 you can create self-signed certs using System.Security.Cryptography.X509Certificates.CertificateRequest.
For example:
using System;
using System.IO;
using System.Security.Cryptography;
using System.Security.Cryptography.X509Certificates;
public class CertificateUtil
{
static void MakeCert()
{
var ecdsa = ECDsa.Create(); // generate asymmetric key pair
var req = new CertificateRequest("cn=foobar", ecdsa, HashAlgorithmName.SHA256);
var cert = req.CreateSelfSigned(DateTimeOffset.Now, DateTimeOffset.Now.AddYears(5));
// Create PFX (PKCS #12) with private key
File.WriteAllBytes("c:\\temp\\mycert.pfx", cert.Export(X509ContentType.Pfx, "P@55w0rd"));
// Create Base 64 encoded CER (public key only)
File.WriteAllText("c:\\temp\\mycert.cer",
"-----BEGIN CERTIFICATE-----\r\n"
+ Convert.ToBase64String(cert.Export(X509ContentType.Cert), Base64FormattingOptions.InsertLineBreaks)
+ "\r\n-----END CERTIFICATE-----");
}
}
Another option is to use the CLR Security extensions library from CodePlex, which implements a helper function to generate self-signed x509 certificates:
X509Certificate2 cert = CngKey.CreateSelfSignedCertificate(subjectName);
You can also look at the implementation of that function (in CngKeyExtensionMethods.cs
) to see how to create the self-signed cert explicitly in managed code.
You can use the free PluralSight.Crypto library to simplify programmatic creation of self-signed x509 certificates:
using (CryptContext ctx = new CryptContext())
{
ctx.Open();
X509Certificate2 cert = ctx.CreateSelfSignedCertificate(
new SelfSignedCertProperties
{
IsPrivateKeyExportable = true,
KeyBitLength = 4096,
Name = new X500DistinguishedName("cn=localhost"),
ValidFrom = DateTime.Today.AddDays(-1),
ValidTo = DateTime.Today.AddYears(1),
});
X509Certificate2UI.DisplayCertificate(cert);
}
PluralSight.Crypto requires .NET 3.5 or later.
This is the Powershell version on how to create a certificate. You can use it by executing the command. Check https://technet.microsoft.com/itpro/powershell/windows/pkiclient/new-selfsignedcertificate
Edit: forgot to say that after you create the certificate, you can use the Windows "manage computer certificates" program, to export the certificate to .CER or other type.
ReferenceURL : https://stackoverflow.com/questions/13806299/how-to-create-a-self-signed-certificate-using-c
'programing' 카테고리의 다른 글
Oracle에서 구체화 된 뷰를 새로 고치는 방법 (0) | 2021.01.17 |
---|---|
문자열이 특정 패턴으로 끝나는 지 확인 (0) | 2021.01.17 |
Haskell의 의존성 주입 : 관용적으로 작업 해결 (0) | 2021.01.17 |
인증서의 공개 키를 .pem 형식으로 저장하는 방법 (0) | 2021.01.17 |
중첩 된 ifelse 문 (0) | 2021.01.17 |