2 * InspIRCd -- Internet Relay Chat Daemon
4 * Copyright (C) 2016 Attila Molnar <attilamolnar@hush.com>
6 * This file is part of InspIRCd. InspIRCd is free software: you can
7 * redistribute it and/or modify it under the terms of the GNU General Public
8 * License as published by the Free Software Foundation, version 2.
10 * This program is distributed in the hope that it will be useful, but WITHOUT
11 * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS
12 * FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
15 * You should have received a copy of the GNU General Public License
16 * along with this program. If not, see <http://www.gnu.org/licenses/>.
19 /// $LinkerFlags: -lmbedtls
21 /// $PackageInfo: require_system("darwin") mbedtls
22 /// $PackageInfo: require_system("ubuntu" "16.04") libmbedtls-dev
26 #include "modules/ssl.h"
28 #include <mbedtls/ctr_drbg.h>
29 #include <mbedtls/dhm.h>
30 #include <mbedtls/ecp.h>
31 #include <mbedtls/entropy.h>
32 #include <mbedtls/error.h>
33 #include <mbedtls/md.h>
34 #include <mbedtls/pk.h>
35 #include <mbedtls/ssl.h>
36 #include <mbedtls/ssl_ciphersuites.h>
37 #include <mbedtls/version.h>
38 #include <mbedtls/x509.h>
39 #include <mbedtls/x509_crt.h>
40 #include <mbedtls/x509_crl.h>
42 #ifdef INSPIRCD_MBEDTLS_LIBRARY_DEBUG
43 #include <mbedtls/debug.h>
48 class Exception : public ModuleException
51 Exception(const std::string& reason)
52 : ModuleException(reason) { }
55 std::string ErrorToString(int errcode)
58 mbedtls_strerror(errcode, buf, sizeof(buf));
62 void ThrowOnError(int errcode, const char* msg)
66 std::string reason = msg;
67 reason.append(" :").append(ErrorToString(errcode));
68 throw Exception(reason);
72 template <typename T, void (*init)(T*), void (*deinit)(T*)>
88 T* get() { return &obj; }
89 const T* get() const { return &obj; }
92 typedef RAIIObj<mbedtls_entropy_context, mbedtls_entropy_init, mbedtls_entropy_free> Entropy;
94 class CTRDRBG : private RAIIObj<mbedtls_ctr_drbg_context, mbedtls_ctr_drbg_init, mbedtls_ctr_drbg_free>
97 bool Seed(Entropy& entropy)
99 return (mbedtls_ctr_drbg_seed(get(), mbedtls_entropy_func, entropy.get(), NULL, 0) == 0);
102 void SetupConf(mbedtls_ssl_config* conf)
104 mbedtls_ssl_conf_rng(conf, mbedtls_ctr_drbg_random, get());
108 class DHParams : public RAIIObj<mbedtls_dhm_context, mbedtls_dhm_init, mbedtls_dhm_free>
111 void set(const std::string& dhstr)
113 // Last parameter is buffer size, must include the terminating null
114 int ret = mbedtls_dhm_parse_dhm(get(), reinterpret_cast<const unsigned char*>(dhstr.c_str()), dhstr.size()+1);
115 ThrowOnError(ret, "Unable to import DH params");
119 class X509Key : public RAIIObj<mbedtls_pk_context, mbedtls_pk_init, mbedtls_pk_free>
123 X509Key(const std::string& keystr)
125 int ret = mbedtls_pk_parse_key(get(), reinterpret_cast<const unsigned char*>(keystr.c_str()), keystr.size()+1, NULL, 0);
126 ThrowOnError(ret, "Unable to import private key");
132 std::vector<int> list;
135 Ciphersuites(const std::string& str)
137 // mbedTLS uses the ciphersuite format "TLS-ECDHE-RSA-WITH-AES-128-GCM-SHA256" internally.
138 // This is a bit verbose, so we make life a bit simpler for admins by not requiring them to supply the static parts.
139 irc::sepstream ss(str, ':');
140 for (std::string token; ss.GetToken(token); )
142 // Prepend "TLS-" if not there
143 if (token.compare(0, 4, "TLS-", 4))
144 token.insert(0, "TLS-");
146 const int id = mbedtls_ssl_get_ciphersuite_id(token.c_str());
148 throw Exception("Unknown ciphersuite " + token);
154 const int* get() const { return &list.front(); }
155 bool empty() const { return (list.size() <= 1); }
160 std::vector<mbedtls_ecp_group_id> list;
163 Curves(const std::string& str)
165 irc::sepstream ss(str, ':');
166 for (std::string token; ss.GetToken(token); )
168 const mbedtls_ecp_curve_info* curve = mbedtls_ecp_curve_info_from_name(token.c_str());
170 throw Exception("Unknown curve " + token);
171 list.push_back(curve->grp_id);
173 list.push_back(MBEDTLS_ECP_DP_NONE);
176 const mbedtls_ecp_group_id* get() const { return &list.front(); }
177 bool empty() const { return (list.size() <= 1); }
180 class X509CertList : public RAIIObj<mbedtls_x509_crt, mbedtls_x509_crt_init, mbedtls_x509_crt_free>
183 /** Import or create empty */
184 X509CertList(const std::string& certstr, bool allowempty = false)
186 if ((allowempty) && (certstr.empty()))
188 int ret = mbedtls_x509_crt_parse(get(), reinterpret_cast<const unsigned char*>(certstr.c_str()), certstr.size()+1);
189 ThrowOnError(ret, "Unable to load certificates");
192 bool empty() const { return (get()->raw.p != NULL); }
195 class X509CRL : public RAIIObj<mbedtls_x509_crl, mbedtls_x509_crl_init, mbedtls_x509_crl_free>
198 X509CRL(const std::string& crlstr)
202 int ret = mbedtls_x509_crl_parse(get(), reinterpret_cast<const unsigned char*>(crlstr.c_str()), crlstr.size()+1);
203 ThrowOnError(ret, "Unable to load CRL");
207 class X509Credentials
213 /** Certificate list, presented to the peer
218 X509Credentials(const std::string& certstr, const std::string& keystr)
222 // Verify that one of the certs match the private key
224 for (mbedtls_x509_crt* cert = certs.get(); cert; cert = cert->next)
226 if (mbedtls_pk_check_pair(&cert->pk, key.get()) == 0)
233 throw Exception("Public/private key pair does not match");
236 mbedtls_pk_context* getkey() { return key.get(); }
237 mbedtls_x509_crt* getcerts() { return certs.get(); }
242 mbedtls_ssl_config conf;
244 #ifdef INSPIRCD_MBEDTLS_LIBRARY_DEBUG
245 static void DebugLogFunc(void* userptr, int level, const char* file, int line, const char* msg)
247 // Remove trailing \n
248 size_t len = strlen(msg);
249 if ((len > 0) && (msg[len-1] == '\n'))
251 ServerInstance->Logs->Log(MODNAME, LOG_DEBUG, "%s:%d %.*s", file, line, len, msg);
256 Context(CTRDRBG& ctrdrbg, unsigned int endpoint)
258 mbedtls_ssl_config_init(&conf);
259 #ifdef INSPIRCD_MBEDTLS_LIBRARY_DEBUG
260 mbedtls_debug_set_threshold(INT_MAX);
261 mbedtls_ssl_conf_dbg(&conf, DebugLogFunc, NULL);
264 // TODO: check ret of mbedtls_ssl_config_defaults
265 mbedtls_ssl_config_defaults(&conf, endpoint, MBEDTLS_SSL_TRANSPORT_STREAM, MBEDTLS_SSL_PRESET_DEFAULT);
266 ctrdrbg.SetupConf(&conf);
271 mbedtls_ssl_config_free(&conf);
274 void SetMinDHBits(unsigned int mindh)
276 mbedtls_ssl_conf_dhm_min_bitlen(&conf, mindh);
279 void SetDHParams(DHParams& dh)
281 mbedtls_ssl_conf_dh_param_ctx(&conf, dh.get());
284 void SetX509CertAndKey(X509Credentials& x509cred)
286 mbedtls_ssl_conf_own_cert(&conf, x509cred.getcerts(), x509cred.getkey());
289 void SetCiphersuites(const Ciphersuites& ciphersuites)
291 mbedtls_ssl_conf_ciphersuites(&conf, ciphersuites.get());
294 void SetCurves(const Curves& curves)
296 mbedtls_ssl_conf_curves(&conf, curves.get());
299 void SetVersion(int minver, int maxver)
301 // SSL v3 support cannot be enabled
303 mbedtls_ssl_conf_min_version(&conf, MBEDTLS_SSL_MAJOR_VERSION_3, minver);
305 mbedtls_ssl_conf_max_version(&conf, MBEDTLS_SSL_MAJOR_VERSION_3, maxver);
308 void SetCA(X509CertList& certs, X509CRL& crl)
310 mbedtls_ssl_conf_ca_chain(&conf, certs.get(), crl.get());
313 void SetOptionalVerifyCert()
315 mbedtls_ssl_conf_authmode(&conf, MBEDTLS_SSL_VERIFY_OPTIONAL);
318 const mbedtls_ssl_config* GetConf() const { return &conf; }
323 const mbedtls_md_info_t* md;
325 /** Buffer where cert hashes are written temporarily
327 mutable std::vector<unsigned char> buf;
330 Hash(std::string hashstr)
332 std::transform(hashstr.begin(), hashstr.end(), hashstr.begin(), ::toupper);
333 md = mbedtls_md_info_from_string(hashstr.c_str());
335 throw Exception("Unknown hash: " + hashstr);
337 buf.resize(mbedtls_md_get_size(md));
340 std::string hash(const unsigned char* input, size_t length) const
342 mbedtls_md(md, input, length, &buf.front());
343 return BinToHex(&buf.front(), buf.size());
347 class Profile : public refcountbase
349 /** Name of this profile
351 const std::string name;
353 X509Credentials x509cred;
355 /** Ciphersuites to use
357 Ciphersuites ciphersuites;
359 /** Curves accepted for use in ECDHE and in the peer's end-entity certificate
368 X509CertList cacerts;
372 /** Hashing algorithm to use when generating certificate fingerprints
376 /** Rough max size of records to send
378 const unsigned int outrecsize;
380 Profile(const std::string& profilename, const std::string& certstr, const std::string& keystr,
381 const std::string& dhstr, unsigned int mindh, const std::string& hashstr,
382 const std::string& ciphersuitestr, const std::string& curvestr,
383 const std::string& castr, const std::string& crlstr,
384 unsigned int recsize,
386 int minver, int maxver,
387 bool requestclientcert
390 , x509cred(certstr, keystr)
391 , ciphersuites(ciphersuitestr)
393 , serverctx(ctrdrbg, MBEDTLS_SSL_IS_SERVER)
394 , clientctx(ctrdrbg, MBEDTLS_SSL_IS_CLIENT)
395 , cacerts(castr, true)
398 , outrecsize(recsize)
400 serverctx.SetX509CertAndKey(x509cred);
401 clientctx.SetX509CertAndKey(x509cred);
402 clientctx.SetMinDHBits(mindh);
404 if (!ciphersuites.empty())
406 serverctx.SetCiphersuites(ciphersuites);
407 clientctx.SetCiphersuites(ciphersuites);
412 serverctx.SetCurves(curves);
413 clientctx.SetCurves(curves);
416 serverctx.SetVersion(minver, maxver);
417 clientctx.SetVersion(minver, maxver);
422 serverctx.SetDHParams(dhparams);
425 clientctx.SetOptionalVerifyCert();
426 clientctx.SetCA(cacerts, crl);
427 // The default for servers is to not request a client certificate from the peer
428 if (requestclientcert)
430 serverctx.SetOptionalVerifyCert();
431 serverctx.SetCA(cacerts, crl);
435 static std::string ReadFile(const std::string& filename)
437 FileReader reader(filename);
438 std::string ret = reader.GetString();
440 throw Exception("Cannot read file " + filename);
445 static reference<Profile> Create(const std::string& profilename, ConfigTag* tag, CTRDRBG& ctr_drbg)
447 const std::string certstr = ReadFile(tag->getString("certfile", "cert.pem"));
448 const std::string keystr = ReadFile(tag->getString("keyfile", "key.pem"));
449 const std::string dhstr = ReadFile(tag->getString("dhfile", "dhparams.pem"));
451 const std::string ciphersuitestr = tag->getString("ciphersuites");
452 const std::string curvestr = tag->getString("curves");
453 unsigned int mindh = tag->getInt("mindhbits", 2048);
454 std::string hashstr = tag->getString("hash", "sha256");
457 std::string castr = tag->getString("cafile");
460 castr = ReadFile(castr);
461 crlstr = tag->getString("crlfile");
463 crlstr = ReadFile(crlstr);
466 int minver = tag->getInt("minver");
467 int maxver = tag->getInt("maxver");
468 unsigned int outrecsize = tag->getInt("outrecsize", 2048, 512, 16384);
469 const bool requestclientcert = tag->getBool("requestclientcert", true);
470 return new Profile(profilename, certstr, keystr, dhstr, mindh, hashstr, ciphersuitestr, curvestr, castr, crlstr, outrecsize, ctr_drbg, minver, maxver, requestclientcert);
473 /** Set up the given session with the settings in this profile
475 void SetupClientSession(mbedtls_ssl_context* sess)
477 mbedtls_ssl_setup(sess, clientctx.GetConf());
480 void SetupServerSession(mbedtls_ssl_context* sess)
482 mbedtls_ssl_setup(sess, serverctx.GetConf());
485 const std::string& GetName() const { return name; }
486 X509Credentials& GetX509Credentials() { return x509cred; }
487 unsigned int GetOutgoingRecordSize() const { return outrecsize; }
488 const Hash& GetHash() const { return hash; }
492 class mbedTLSIOHook : public SSLIOHook
501 mbedtls_ssl_context sess;
503 reference<mbedTLS::Profile> profile;
507 if (status == ISSL_NONE)
510 mbedtls_ssl_close_notify(&sess);
511 mbedtls_ssl_free(&sess);
516 // Returns 1 if handshake succeeded, 0 if it is still in progress, -1 if it failed
517 int Handshake(StreamSocket* sock)
519 int ret = mbedtls_ssl_handshake(&sess);
522 // Change the seesion state
523 this->status = ISSL_HANDSHAKEN;
527 // Finish writing, if any left
528 SocketEngine::ChangeEventMask(sock, FD_WANT_POLL_READ | FD_WANT_NO_WRITE | FD_ADD_TRIAL_WRITE);
533 this->status = ISSL_HANDSHAKING;
534 if (ret == MBEDTLS_ERR_SSL_WANT_READ)
536 SocketEngine::ChangeEventMask(sock, FD_WANT_POLL_READ | FD_WANT_NO_WRITE);
539 else if (ret == MBEDTLS_ERR_SSL_WANT_WRITE)
541 SocketEngine::ChangeEventMask(sock, FD_WANT_NO_READ | FD_WANT_SINGLE_WRITE);
545 sock->SetError("Handshake Failed - " + mbedTLS::ErrorToString(ret));
550 // Returns 1 if application I/O should proceed, 0 if it must wait for the underlying protocol to progress, -1 on fatal error
551 int PrepareIO(StreamSocket* sock)
553 if (status == ISSL_HANDSHAKEN)
555 else if (status == ISSL_HANDSHAKING)
557 // The handshake isn't finished, try to finish it
558 return Handshake(sock);
562 sock->SetError("No SSL session");
566 void VerifyCertificate()
568 this->certificate = new ssl_cert;
569 const mbedtls_x509_crt* const cert = mbedtls_ssl_get_peer_cert(&sess);
572 certificate->error = "No client certificate sent";
576 // If there is a certificate we can always generate a fingerprint
577 certificate->fingerprint = profile->GetHash().hash(cert->raw.p, cert->raw.len);
579 // At this point mbedTLS verified the cert already, we just need to check the results
580 const uint32_t flags = mbedtls_ssl_get_verify_result(&sess);
581 if (flags == 0xFFFFFFFF)
583 certificate->error = "Internal error during verification";
589 // Verification succeeded
590 certificate->trusted = true;
594 // Verification failed
595 certificate->trusted = false;
596 if ((flags & MBEDTLS_X509_BADCERT_EXPIRED) || (flags & MBEDTLS_X509_BADCERT_FUTURE))
597 certificate->error = "Not activated, or expired certificate";
600 certificate->unknownsigner = (flags & MBEDTLS_X509_BADCERT_NOT_TRUSTED);
601 certificate->revoked = (flags & MBEDTLS_X509_BADCERT_REVOKED);
602 certificate->invalid = ((flags & MBEDTLS_X509_BADCERT_BAD_KEY) || (flags & MBEDTLS_X509_BADCERT_BAD_MD) || (flags & MBEDTLS_X509_BADCERT_BAD_PK));
604 GetDNString(&cert->subject, certificate->dn);
605 GetDNString(&cert->issuer, certificate->issuer);
608 static void GetDNString(const mbedtls_x509_name* x509name, std::string& out)
611 const int ret = mbedtls_x509_dn_gets(buf, sizeof(buf), x509name);
615 out.assign(buf, ret);
618 static int Pull(void* userptr, unsigned char* buffer, size_t size)
620 StreamSocket* const sock = reinterpret_cast<StreamSocket*>(userptr);
621 if (sock->GetEventMask() & FD_READ_WILL_BLOCK)
622 return MBEDTLS_ERR_SSL_WANT_READ;
624 const int ret = SocketEngine::Recv(sock, reinterpret_cast<char*>(buffer), size, 0);
627 SocketEngine::ChangeEventMask(sock, FD_READ_WILL_BLOCK);
628 if ((ret == -1) && (SocketEngine::IgnoreError()))
629 return MBEDTLS_ERR_SSL_WANT_READ;
634 static int Push(void* userptr, const unsigned char* buffer, size_t size)
636 StreamSocket* const sock = reinterpret_cast<StreamSocket*>(userptr);
637 if (sock->GetEventMask() & FD_WRITE_WILL_BLOCK)
638 return MBEDTLS_ERR_SSL_WANT_WRITE;
640 const int ret = SocketEngine::Send(sock, buffer, size, 0);
643 SocketEngine::ChangeEventMask(sock, FD_WRITE_WILL_BLOCK);
644 if ((ret == -1) && (SocketEngine::IgnoreError()))
645 return MBEDTLS_ERR_SSL_WANT_WRITE;
651 mbedTLSIOHook(IOHookProvider* hookprov, StreamSocket* sock, bool isserver, mbedTLS::Profile* sslprofile)
652 : SSLIOHook(hookprov)
654 , profile(sslprofile)
656 mbedtls_ssl_init(&sess);
658 profile->SetupServerSession(&sess);
660 profile->SetupClientSession(&sess);
662 mbedtls_ssl_set_bio(&sess, reinterpret_cast<void*>(sock), Push, Pull, NULL);
664 sock->AddIOHook(this);
668 void OnStreamSocketClose(StreamSocket* sock) CXX11_OVERRIDE
673 int OnStreamSocketRead(StreamSocket* sock, std::string& recvq) CXX11_OVERRIDE
675 // Finish handshake if needed
676 int prepret = PrepareIO(sock);
680 // If we resumed the handshake then this->status will be ISSL_HANDSHAKEN.
681 char* const readbuf = ServerInstance->GetReadBuffer();
682 const size_t readbufsize = ServerInstance->Config->NetBufferSize;
683 int ret = mbedtls_ssl_read(&sess, reinterpret_cast<unsigned char*>(readbuf), readbufsize);
686 recvq.append(readbuf, ret);
688 // Schedule a read if there is still data in the mbedTLS buffer
689 if (mbedtls_ssl_get_bytes_avail(&sess) > 0)
690 SocketEngine::ChangeEventMask(sock, FD_ADD_TRIAL_READ);
693 else if (ret == MBEDTLS_ERR_SSL_WANT_READ)
695 SocketEngine::ChangeEventMask(sock, FD_WANT_POLL_READ);
698 else if (ret == MBEDTLS_ERR_SSL_WANT_WRITE)
700 SocketEngine::ChangeEventMask(sock, FD_WANT_NO_READ | FD_WANT_SINGLE_WRITE);
705 sock->SetError("Connection closed");
709 else // error or MBEDTLS_ERR_SSL_CLIENT_RECONNECT which we treat as an error
711 sock->SetError(mbedTLS::ErrorToString(ret));
717 int OnStreamSocketWrite(StreamSocket* sock, StreamSocket::SendQueue& sendq) CXX11_OVERRIDE
719 // Finish handshake if needed
720 int prepret = PrepareIO(sock);
724 // Session is ready for transferring application data
725 while (!sendq.empty())
727 FlattenSendQueue(sendq, profile->GetOutgoingRecordSize());
728 const StreamSocket::SendQueue::Element& buffer = sendq.front();
729 int ret = mbedtls_ssl_write(&sess, reinterpret_cast<const unsigned char*>(buffer.data()), buffer.length());
730 if (ret == (int)buffer.length())
732 // Wrote entire record, continue sending
737 sendq.erase_front(ret);
738 SocketEngine::ChangeEventMask(sock, FD_WANT_SINGLE_WRITE);
743 sock->SetError("Connection closed");
747 else if (ret == MBEDTLS_ERR_SSL_WANT_WRITE)
749 SocketEngine::ChangeEventMask(sock, FD_WANT_SINGLE_WRITE);
752 else if (ret == MBEDTLS_ERR_SSL_WANT_READ)
754 SocketEngine::ChangeEventMask(sock, FD_WANT_POLL_READ);
759 sock->SetError(mbedTLS::ErrorToString(ret));
765 SocketEngine::ChangeEventMask(sock, FD_WANT_NO_WRITE);
769 void GetCiphersuite(std::string& out) const CXX11_OVERRIDE
771 if (!IsHandshakeDone())
773 out.append(mbedtls_ssl_get_version(&sess)).push_back('-');
775 // All mbedTLS ciphersuite names currently begin with "TLS-" which provides no useful information so skip it, but be prepared if it changes
776 const char* const ciphersuitestr = mbedtls_ssl_get_ciphersuite(&sess);
777 const char prefix[] = "TLS-";
778 unsigned int skip = sizeof(prefix)-1;
779 if (strncmp(ciphersuitestr, prefix, sizeof(prefix)-1))
781 out.append(ciphersuitestr + skip);
784 bool IsHandshakeDone() const { return (status == ISSL_HANDSHAKEN); }
787 class mbedTLSIOHookProvider : public refcountbase, public IOHookProvider
789 reference<mbedTLS::Profile> profile;
792 mbedTLSIOHookProvider(Module* mod, mbedTLS::Profile* prof)
793 : IOHookProvider(mod, "ssl/" + prof->GetName(), IOHookProvider::IOH_SSL)
796 ServerInstance->Modules->AddService(*this);
799 ~mbedTLSIOHookProvider()
801 ServerInstance->Modules->DelService(*this);
804 void OnAccept(StreamSocket* sock, irc::sockets::sockaddrs* client, irc::sockets::sockaddrs* server) CXX11_OVERRIDE
806 new mbedTLSIOHook(this, sock, true, profile);
809 void OnConnect(StreamSocket* sock) CXX11_OVERRIDE
811 new mbedTLSIOHook(this, sock, false, profile);
815 class ModuleSSLmbedTLS : public Module
817 typedef std::vector<reference<mbedTLSIOHookProvider> > ProfileList;
819 mbedTLS::Entropy entropy;
820 mbedTLS::CTRDRBG ctr_drbg;
821 ProfileList profiles;
825 // First, store all profiles in a new, temporary container. If no problems occur, swap the two
826 // containers; this way if something goes wrong we can go back and continue using the current profiles,
827 // avoiding unpleasant situations where no new SSL connections are possible.
828 ProfileList newprofiles;
830 ConfigTagList tags = ServerInstance->Config->ConfTags("sslprofile");
831 if (tags.first == tags.second)
833 // No <sslprofile> tags found, create a profile named "mbedtls" from settings in the <mbedtls> block
834 const std::string defname = "mbedtls";
835 ConfigTag* tag = ServerInstance->Config->ConfValue(defname);
836 ServerInstance->Logs->Log(MODNAME, LOG_DEFAULT, "No <sslprofile> tags found; using settings from the <mbedtls> tag");
840 reference<mbedTLS::Profile> profile(mbedTLS::Profile::Create(defname, tag, ctr_drbg));
841 newprofiles.push_back(new mbedTLSIOHookProvider(this, profile));
843 catch (CoreException& ex)
845 throw ModuleException("Error while initializing the default SSL profile - " + ex.GetReason());
849 for (ConfigIter i = tags.first; i != tags.second; ++i)
851 ConfigTag* tag = i->second;
852 if (tag->getString("provider") != "mbedtls")
855 std::string name = tag->getString("name");
858 ServerInstance->Logs->Log(MODNAME, LOG_DEFAULT, "Ignoring <sslprofile> tag without name at " + tag->getTagLocation());
862 reference<mbedTLS::Profile> profile;
865 profile = mbedTLS::Profile::Create(name, tag, ctr_drbg);
867 catch (CoreException& ex)
869 throw ModuleException("Error while initializing SSL profile \"" + name + "\" at " + tag->getTagLocation() + " - " + ex.GetReason());
872 newprofiles.push_back(new mbedTLSIOHookProvider(this, profile));
875 // New profiles are ok, begin using them
876 // Old profiles are deleted when their refcount drops to zero
877 profiles.swap(newprofiles);
881 void init() CXX11_OVERRIDE
883 char verbuf[16]; // Should be at least 9 bytes in size
884 mbedtls_version_get_string(verbuf);
885 ServerInstance->Logs->Log(MODNAME, LOG_DEFAULT, "mbedTLS lib version %s module was compiled for " MBEDTLS_VERSION_STRING, verbuf);
887 if (!ctr_drbg.Seed(entropy))
888 throw ModuleException("CTR DRBG seed failed");
892 void OnModuleRehash(User* user, const std::string ¶m) CXX11_OVERRIDE
901 catch (ModuleException& ex)
903 ServerInstance->Logs->Log(MODNAME, LOG_DEFAULT, ex.GetReason() + " Not applying settings.");
907 void OnCleanup(int target_type, void* item) CXX11_OVERRIDE
909 if (target_type != TYPE_USER)
912 LocalUser* user = IS_LOCAL(static_cast<User*>(item));
913 if ((user) && (user->eh.GetModHook(this)))
915 // User is using SSL, they're a local user, and they're using our IOHook.
916 // Potentially there could be multiple SSL modules loaded at once on different ports.
917 ServerInstance->Users.QuitUser(user, "SSL module unloading");
921 ModResult OnCheckReady(LocalUser* user) CXX11_OVERRIDE
923 const mbedTLSIOHook* const iohook = static_cast<mbedTLSIOHook*>(user->eh.GetModHook(this));
924 if ((iohook) && (!iohook->IsHandshakeDone()))
926 return MOD_RES_PASSTHRU;
929 Version GetVersion() CXX11_OVERRIDE
931 return Version("Provides SSL support via mbedTLS (PolarSSL)", VF_VENDOR);
935 MODULE_INIT(ModuleSSLmbedTLS)