Google Firebase SSL Certificate - My certificate has a large number of other websites listed












0















Problem: Other domains are listed in my Google Firebase SSL certificate.



I created a firebase project to test firebase authentication emails from Cloud Functions. firebase.jhanley.com



I have separate code that runs in Cloud Functions that validates SSL certificates for each domain that I own / manage (code below). The primary purpose of this code is to send an email when a domain's SSL certificate is about to expire. Some of our SSL certificates must be renewed manually.



The problem is that my code that checks the SSL certificate is returning a huge number of other domain names for my SSL certificate. When I look at the SSL certificate with Chrome, I also see these other domain names. I do want my site associated with these other sites.



A reduced list of the domains that I see in my SSL certificate for Firebase:



2r5consultoria.com.br
addlix.com
admin.migrationcover.ae
admin.thermoply.com
akut-med.zeitnachweise.de
...
firebase.jhanley.com
...


Q) Why is this happening with Firebase SSL and is there a solution?



Q) Does Firebase support installing your own SSL certificate?



Python 3.x code that runs in Cloud Functions that processes SSL certificates by connecting to each domain name from a list.



Note: This code does not have any (known) problems. I am including the source code to create added value for others in the community.



""" Routines to process SSL certificates """

import sys
import datetime
import socket
import ssl
import time
import myhtml

g_email_required = False # This is set during processing if a warning or error was detected

def get_email_requred():
return g_email_required

def ssl_get_cert(hostname):
""" This function returns an SSL certificate from a host """

context = ssl.create_default_context()

conn = context.wrap_socket(
socket.socket(socket.AF_INET),
server_hostname=hostname)

# 3 second timeout because Google Cloud Functions has runtime limitations
conn.settimeout(3.0)

try:
conn.connect((hostname, 443))
except Exception as ex:
print("{}: Exception: {}".format(hostname, ex), file=sys.stderr)
return False, str(ex)

host_ssl_info = conn.getpeercert()

return host_ssl_info, ''

def get_ssl_info(host):
""" This function retrieves the SSL certificate for host """
# If we receive an error, retry up to three times waiting 10 seconds each time.

retry = 0
err = ''

while retry < 3:
ssl_info, err = ssl_get_cert(host)

if ssl_info is not False:
return ssl_info, ''

retry += 1
print(' retrying ...')
time.sleep(10)

return False, err

def get_ssl_issuer_name(ssl_info):
""" Return the IssuerName from the SSL certificate """

issuerName = ''

issuer = ssl_info['issuer']

# pylint: disable=line-too-long
# issuer looks like this:
# This is a set of a set of a set of key / value pairs.
# ((('countryName', 'US'),), (('organizationName', "Let's Encrypt"),), (('commonName', "Let's Encrypt Authority X3"),))

for item in issuer:
# item will look like this as it goes thru the issuer set
# Note that this is a set of a set
#
# (('countryName', 'US'),)
# (('organizationName', "Let's Encrypt"),)
# (('commonName', "Let's Encrypt Authority X3"),)

s = item[0]

# s will look like this as it goes thru the isser set
# Note that this is now a set
#
# ('countryName', 'US')
# ('organizationName', "Let's Encrypt")
# ('commonName', "Let's Encrypt Authority X3")

# break the set into "key" and "value" pairs
k = s[0]
v = s[1]

if k == 'organizationName':
if v != '':
issuerName = v
continue

if k == 'commonName':
if v != '':
issuerName = v

return issuerName

def get_ssl_subject_alt_names(ssl_info):
""" Return the Subject Alt Names """

altNames = ''

subjectAltNames = ssl_info['subjectAltName']

index = 0
for item in subjectAltNames:
altNames += item[1]
index += 1

if index < len(subjectAltNames):
altNames += ', '

return altNames

def process_hostnames(msg_body, hostnames, days_left):
""" Process the SSL certificate for each hostname """

# pylint: disable=global-statement
global g_email_required

ssl_date_fmt = r'%b %d %H:%M:%S %Y %Z'

for host in hostnames:
f_expired = False

print('Processing host:', host)

ssl_info, err = get_ssl_info(host)

if ssl_info is False:
msg_body = myhtml.add_row(msg_body, host, err, '', '', '', True)
g_email_required = True
continue

#print(ssl_info)

issuerName = get_ssl_issuer_name(ssl_info)

altNames = get_ssl_subject_alt_names(ssl_info)

l_expires = datetime.datetime.strptime(ssl_info['notAfter'], ssl_date_fmt)

remaining = l_expires - datetime.datetime.utcnow()

if remaining < datetime.timedelta(days=0):
# cert has already expired - uhoh!
cert_status = "Expired"
f_expired = True
g_email_required = True
elif remaining < datetime.timedelta(days=days_left):
# expires sooner than the buffer
cert_status = "Time to Renew"
f_expired = True
g_email_required = True
else:
# everything is fine
cert_status = "OK"
f_expired = False

msg_body = myhtml.add_row(msg_body, host, cert_status, str(l_expires), issuerName, altNames, f_expired)

return msg_body









share|improve this question





























    0















    Problem: Other domains are listed in my Google Firebase SSL certificate.



    I created a firebase project to test firebase authentication emails from Cloud Functions. firebase.jhanley.com



    I have separate code that runs in Cloud Functions that validates SSL certificates for each domain that I own / manage (code below). The primary purpose of this code is to send an email when a domain's SSL certificate is about to expire. Some of our SSL certificates must be renewed manually.



    The problem is that my code that checks the SSL certificate is returning a huge number of other domain names for my SSL certificate. When I look at the SSL certificate with Chrome, I also see these other domain names. I do want my site associated with these other sites.



    A reduced list of the domains that I see in my SSL certificate for Firebase:



    2r5consultoria.com.br
    addlix.com
    admin.migrationcover.ae
    admin.thermoply.com
    akut-med.zeitnachweise.de
    ...
    firebase.jhanley.com
    ...


    Q) Why is this happening with Firebase SSL and is there a solution?



    Q) Does Firebase support installing your own SSL certificate?



    Python 3.x code that runs in Cloud Functions that processes SSL certificates by connecting to each domain name from a list.



    Note: This code does not have any (known) problems. I am including the source code to create added value for others in the community.



    """ Routines to process SSL certificates """

    import sys
    import datetime
    import socket
    import ssl
    import time
    import myhtml

    g_email_required = False # This is set during processing if a warning or error was detected

    def get_email_requred():
    return g_email_required

    def ssl_get_cert(hostname):
    """ This function returns an SSL certificate from a host """

    context = ssl.create_default_context()

    conn = context.wrap_socket(
    socket.socket(socket.AF_INET),
    server_hostname=hostname)

    # 3 second timeout because Google Cloud Functions has runtime limitations
    conn.settimeout(3.0)

    try:
    conn.connect((hostname, 443))
    except Exception as ex:
    print("{}: Exception: {}".format(hostname, ex), file=sys.stderr)
    return False, str(ex)

    host_ssl_info = conn.getpeercert()

    return host_ssl_info, ''

    def get_ssl_info(host):
    """ This function retrieves the SSL certificate for host """
    # If we receive an error, retry up to three times waiting 10 seconds each time.

    retry = 0
    err = ''

    while retry < 3:
    ssl_info, err = ssl_get_cert(host)

    if ssl_info is not False:
    return ssl_info, ''

    retry += 1
    print(' retrying ...')
    time.sleep(10)

    return False, err

    def get_ssl_issuer_name(ssl_info):
    """ Return the IssuerName from the SSL certificate """

    issuerName = ''

    issuer = ssl_info['issuer']

    # pylint: disable=line-too-long
    # issuer looks like this:
    # This is a set of a set of a set of key / value pairs.
    # ((('countryName', 'US'),), (('organizationName', "Let's Encrypt"),), (('commonName', "Let's Encrypt Authority X3"),))

    for item in issuer:
    # item will look like this as it goes thru the issuer set
    # Note that this is a set of a set
    #
    # (('countryName', 'US'),)
    # (('organizationName', "Let's Encrypt"),)
    # (('commonName', "Let's Encrypt Authority X3"),)

    s = item[0]

    # s will look like this as it goes thru the isser set
    # Note that this is now a set
    #
    # ('countryName', 'US')
    # ('organizationName', "Let's Encrypt")
    # ('commonName', "Let's Encrypt Authority X3")

    # break the set into "key" and "value" pairs
    k = s[0]
    v = s[1]

    if k == 'organizationName':
    if v != '':
    issuerName = v
    continue

    if k == 'commonName':
    if v != '':
    issuerName = v

    return issuerName

    def get_ssl_subject_alt_names(ssl_info):
    """ Return the Subject Alt Names """

    altNames = ''

    subjectAltNames = ssl_info['subjectAltName']

    index = 0
    for item in subjectAltNames:
    altNames += item[1]
    index += 1

    if index < len(subjectAltNames):
    altNames += ', '

    return altNames

    def process_hostnames(msg_body, hostnames, days_left):
    """ Process the SSL certificate for each hostname """

    # pylint: disable=global-statement
    global g_email_required

    ssl_date_fmt = r'%b %d %H:%M:%S %Y %Z'

    for host in hostnames:
    f_expired = False

    print('Processing host:', host)

    ssl_info, err = get_ssl_info(host)

    if ssl_info is False:
    msg_body = myhtml.add_row(msg_body, host, err, '', '', '', True)
    g_email_required = True
    continue

    #print(ssl_info)

    issuerName = get_ssl_issuer_name(ssl_info)

    altNames = get_ssl_subject_alt_names(ssl_info)

    l_expires = datetime.datetime.strptime(ssl_info['notAfter'], ssl_date_fmt)

    remaining = l_expires - datetime.datetime.utcnow()

    if remaining < datetime.timedelta(days=0):
    # cert has already expired - uhoh!
    cert_status = "Expired"
    f_expired = True
    g_email_required = True
    elif remaining < datetime.timedelta(days=days_left):
    # expires sooner than the buffer
    cert_status = "Time to Renew"
    f_expired = True
    g_email_required = True
    else:
    # everything is fine
    cert_status = "OK"
    f_expired = False

    msg_body = myhtml.add_row(msg_body, host, cert_status, str(l_expires), issuerName, altNames, f_expired)

    return msg_body









    share|improve this question



























      0












      0








      0


      0






      Problem: Other domains are listed in my Google Firebase SSL certificate.



      I created a firebase project to test firebase authentication emails from Cloud Functions. firebase.jhanley.com



      I have separate code that runs in Cloud Functions that validates SSL certificates for each domain that I own / manage (code below). The primary purpose of this code is to send an email when a domain's SSL certificate is about to expire. Some of our SSL certificates must be renewed manually.



      The problem is that my code that checks the SSL certificate is returning a huge number of other domain names for my SSL certificate. When I look at the SSL certificate with Chrome, I also see these other domain names. I do want my site associated with these other sites.



      A reduced list of the domains that I see in my SSL certificate for Firebase:



      2r5consultoria.com.br
      addlix.com
      admin.migrationcover.ae
      admin.thermoply.com
      akut-med.zeitnachweise.de
      ...
      firebase.jhanley.com
      ...


      Q) Why is this happening with Firebase SSL and is there a solution?



      Q) Does Firebase support installing your own SSL certificate?



      Python 3.x code that runs in Cloud Functions that processes SSL certificates by connecting to each domain name from a list.



      Note: This code does not have any (known) problems. I am including the source code to create added value for others in the community.



      """ Routines to process SSL certificates """

      import sys
      import datetime
      import socket
      import ssl
      import time
      import myhtml

      g_email_required = False # This is set during processing if a warning or error was detected

      def get_email_requred():
      return g_email_required

      def ssl_get_cert(hostname):
      """ This function returns an SSL certificate from a host """

      context = ssl.create_default_context()

      conn = context.wrap_socket(
      socket.socket(socket.AF_INET),
      server_hostname=hostname)

      # 3 second timeout because Google Cloud Functions has runtime limitations
      conn.settimeout(3.0)

      try:
      conn.connect((hostname, 443))
      except Exception as ex:
      print("{}: Exception: {}".format(hostname, ex), file=sys.stderr)
      return False, str(ex)

      host_ssl_info = conn.getpeercert()

      return host_ssl_info, ''

      def get_ssl_info(host):
      """ This function retrieves the SSL certificate for host """
      # If we receive an error, retry up to three times waiting 10 seconds each time.

      retry = 0
      err = ''

      while retry < 3:
      ssl_info, err = ssl_get_cert(host)

      if ssl_info is not False:
      return ssl_info, ''

      retry += 1
      print(' retrying ...')
      time.sleep(10)

      return False, err

      def get_ssl_issuer_name(ssl_info):
      """ Return the IssuerName from the SSL certificate """

      issuerName = ''

      issuer = ssl_info['issuer']

      # pylint: disable=line-too-long
      # issuer looks like this:
      # This is a set of a set of a set of key / value pairs.
      # ((('countryName', 'US'),), (('organizationName', "Let's Encrypt"),), (('commonName', "Let's Encrypt Authority X3"),))

      for item in issuer:
      # item will look like this as it goes thru the issuer set
      # Note that this is a set of a set
      #
      # (('countryName', 'US'),)
      # (('organizationName', "Let's Encrypt"),)
      # (('commonName', "Let's Encrypt Authority X3"),)

      s = item[0]

      # s will look like this as it goes thru the isser set
      # Note that this is now a set
      #
      # ('countryName', 'US')
      # ('organizationName', "Let's Encrypt")
      # ('commonName', "Let's Encrypt Authority X3")

      # break the set into "key" and "value" pairs
      k = s[0]
      v = s[1]

      if k == 'organizationName':
      if v != '':
      issuerName = v
      continue

      if k == 'commonName':
      if v != '':
      issuerName = v

      return issuerName

      def get_ssl_subject_alt_names(ssl_info):
      """ Return the Subject Alt Names """

      altNames = ''

      subjectAltNames = ssl_info['subjectAltName']

      index = 0
      for item in subjectAltNames:
      altNames += item[1]
      index += 1

      if index < len(subjectAltNames):
      altNames += ', '

      return altNames

      def process_hostnames(msg_body, hostnames, days_left):
      """ Process the SSL certificate for each hostname """

      # pylint: disable=global-statement
      global g_email_required

      ssl_date_fmt = r'%b %d %H:%M:%S %Y %Z'

      for host in hostnames:
      f_expired = False

      print('Processing host:', host)

      ssl_info, err = get_ssl_info(host)

      if ssl_info is False:
      msg_body = myhtml.add_row(msg_body, host, err, '', '', '', True)
      g_email_required = True
      continue

      #print(ssl_info)

      issuerName = get_ssl_issuer_name(ssl_info)

      altNames = get_ssl_subject_alt_names(ssl_info)

      l_expires = datetime.datetime.strptime(ssl_info['notAfter'], ssl_date_fmt)

      remaining = l_expires - datetime.datetime.utcnow()

      if remaining < datetime.timedelta(days=0):
      # cert has already expired - uhoh!
      cert_status = "Expired"
      f_expired = True
      g_email_required = True
      elif remaining < datetime.timedelta(days=days_left):
      # expires sooner than the buffer
      cert_status = "Time to Renew"
      f_expired = True
      g_email_required = True
      else:
      # everything is fine
      cert_status = "OK"
      f_expired = False

      msg_body = myhtml.add_row(msg_body, host, cert_status, str(l_expires), issuerName, altNames, f_expired)

      return msg_body









      share|improve this question
















      Problem: Other domains are listed in my Google Firebase SSL certificate.



      I created a firebase project to test firebase authentication emails from Cloud Functions. firebase.jhanley.com



      I have separate code that runs in Cloud Functions that validates SSL certificates for each domain that I own / manage (code below). The primary purpose of this code is to send an email when a domain's SSL certificate is about to expire. Some of our SSL certificates must be renewed manually.



      The problem is that my code that checks the SSL certificate is returning a huge number of other domain names for my SSL certificate. When I look at the SSL certificate with Chrome, I also see these other domain names. I do want my site associated with these other sites.



      A reduced list of the domains that I see in my SSL certificate for Firebase:



      2r5consultoria.com.br
      addlix.com
      admin.migrationcover.ae
      admin.thermoply.com
      akut-med.zeitnachweise.de
      ...
      firebase.jhanley.com
      ...


      Q) Why is this happening with Firebase SSL and is there a solution?



      Q) Does Firebase support installing your own SSL certificate?



      Python 3.x code that runs in Cloud Functions that processes SSL certificates by connecting to each domain name from a list.



      Note: This code does not have any (known) problems. I am including the source code to create added value for others in the community.



      """ Routines to process SSL certificates """

      import sys
      import datetime
      import socket
      import ssl
      import time
      import myhtml

      g_email_required = False # This is set during processing if a warning or error was detected

      def get_email_requred():
      return g_email_required

      def ssl_get_cert(hostname):
      """ This function returns an SSL certificate from a host """

      context = ssl.create_default_context()

      conn = context.wrap_socket(
      socket.socket(socket.AF_INET),
      server_hostname=hostname)

      # 3 second timeout because Google Cloud Functions has runtime limitations
      conn.settimeout(3.0)

      try:
      conn.connect((hostname, 443))
      except Exception as ex:
      print("{}: Exception: {}".format(hostname, ex), file=sys.stderr)
      return False, str(ex)

      host_ssl_info = conn.getpeercert()

      return host_ssl_info, ''

      def get_ssl_info(host):
      """ This function retrieves the SSL certificate for host """
      # If we receive an error, retry up to three times waiting 10 seconds each time.

      retry = 0
      err = ''

      while retry < 3:
      ssl_info, err = ssl_get_cert(host)

      if ssl_info is not False:
      return ssl_info, ''

      retry += 1
      print(' retrying ...')
      time.sleep(10)

      return False, err

      def get_ssl_issuer_name(ssl_info):
      """ Return the IssuerName from the SSL certificate """

      issuerName = ''

      issuer = ssl_info['issuer']

      # pylint: disable=line-too-long
      # issuer looks like this:
      # This is a set of a set of a set of key / value pairs.
      # ((('countryName', 'US'),), (('organizationName', "Let's Encrypt"),), (('commonName', "Let's Encrypt Authority X3"),))

      for item in issuer:
      # item will look like this as it goes thru the issuer set
      # Note that this is a set of a set
      #
      # (('countryName', 'US'),)
      # (('organizationName', "Let's Encrypt"),)
      # (('commonName', "Let's Encrypt Authority X3"),)

      s = item[0]

      # s will look like this as it goes thru the isser set
      # Note that this is now a set
      #
      # ('countryName', 'US')
      # ('organizationName', "Let's Encrypt")
      # ('commonName', "Let's Encrypt Authority X3")

      # break the set into "key" and "value" pairs
      k = s[0]
      v = s[1]

      if k == 'organizationName':
      if v != '':
      issuerName = v
      continue

      if k == 'commonName':
      if v != '':
      issuerName = v

      return issuerName

      def get_ssl_subject_alt_names(ssl_info):
      """ Return the Subject Alt Names """

      altNames = ''

      subjectAltNames = ssl_info['subjectAltName']

      index = 0
      for item in subjectAltNames:
      altNames += item[1]
      index += 1

      if index < len(subjectAltNames):
      altNames += ', '

      return altNames

      def process_hostnames(msg_body, hostnames, days_left):
      """ Process the SSL certificate for each hostname """

      # pylint: disable=global-statement
      global g_email_required

      ssl_date_fmt = r'%b %d %H:%M:%S %Y %Z'

      for host in hostnames:
      f_expired = False

      print('Processing host:', host)

      ssl_info, err = get_ssl_info(host)

      if ssl_info is False:
      msg_body = myhtml.add_row(msg_body, host, err, '', '', '', True)
      g_email_required = True
      continue

      #print(ssl_info)

      issuerName = get_ssl_issuer_name(ssl_info)

      altNames = get_ssl_subject_alt_names(ssl_info)

      l_expires = datetime.datetime.strptime(ssl_info['notAfter'], ssl_date_fmt)

      remaining = l_expires - datetime.datetime.utcnow()

      if remaining < datetime.timedelta(days=0):
      # cert has already expired - uhoh!
      cert_status = "Expired"
      f_expired = True
      g_email_required = True
      elif remaining < datetime.timedelta(days=days_left):
      # expires sooner than the buffer
      cert_status = "Time to Renew"
      f_expired = True
      g_email_required = True
      else:
      # everything is fine
      cert_status = "OK"
      f_expired = False

      msg_body = myhtml.add_row(msg_body, host, cert_status, str(l_expires), issuerName, altNames, f_expired)

      return msg_body






      firebase ssl google-cloud-platform ssl-certificate






      share|improve this question















      share|improve this question













      share|improve this question




      share|improve this question








      edited Nov 26 '18 at 2:25







      John Hanley

















      asked Nov 26 '18 at 1:28









      John HanleyJohn Hanley

      15.6k2629




      15.6k2629
























          1 Answer
          1






          active

          oldest

          votes


















          4














          This is happening because Firebase will automatically create shared certificates for customers. This does not represent a security risk for your site, as Firebase retains full control of the certificate private keys. Certificates are shared to allow us to offer HTTPS + custom domains without an additional fee for our free plan customers.



          If you are on the Blaze (pay-as-you-go) plan for your project, you can send a request to Firebase support and we can migrate you to a dedicated certificate. This is only available for Blaze plan customers.



          Firebase Hosting does not currently support uploading custom certificates. If this is a use case that's important to you, I'd recommend filing a feature request (again, through Firebase support) so that we can evaluate it for future improvements to the product.






          share|improve this answer



















          • 1





            Michael, thank you. I am very impressed with Firebase as a serverless solution. I am on a paid solution (Blaze). I will contact Firebase support. I intend to recommend Firebase to my customers - after more deep diving into all of its components. There are lots of use cases for this technology and the way Google has implemented Firebase makes it almost effortless for developers.

            – John Hanley
            Nov 26 '18 at 1:56











          Your Answer






          StackExchange.ifUsing("editor", function () {
          StackExchange.using("externalEditor", function () {
          StackExchange.using("snippets", function () {
          StackExchange.snippets.init();
          });
          });
          }, "code-snippets");

          StackExchange.ready(function() {
          var channelOptions = {
          tags: "".split(" "),
          id: "1"
          };
          initTagRenderer("".split(" "), "".split(" "), channelOptions);

          StackExchange.using("externalEditor", function() {
          // Have to fire editor after snippets, if snippets enabled
          if (StackExchange.settings.snippets.snippetsEnabled) {
          StackExchange.using("snippets", function() {
          createEditor();
          });
          }
          else {
          createEditor();
          }
          });

          function createEditor() {
          StackExchange.prepareEditor({
          heartbeatType: 'answer',
          autoActivateHeartbeat: false,
          convertImagesToLinks: true,
          noModals: true,
          showLowRepImageUploadWarning: true,
          reputationToPostImages: 10,
          bindNavPrevention: true,
          postfix: "",
          imageUploader: {
          brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
          contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
          allowUrls: true
          },
          onDemand: true,
          discardSelector: ".discard-answer"
          ,immediatelyShowMarkdownHelp:true
          });


          }
          });














          draft saved

          draft discarded


















          StackExchange.ready(
          function () {
          StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53473695%2fgoogle-firebase-ssl-certificate-my-certificate-has-a-large-number-of-other-web%23new-answer', 'question_page');
          }
          );

          Post as a guest















          Required, but never shown

























          1 Answer
          1






          active

          oldest

          votes








          1 Answer
          1






          active

          oldest

          votes









          active

          oldest

          votes






          active

          oldest

          votes









          4














          This is happening because Firebase will automatically create shared certificates for customers. This does not represent a security risk for your site, as Firebase retains full control of the certificate private keys. Certificates are shared to allow us to offer HTTPS + custom domains without an additional fee for our free plan customers.



          If you are on the Blaze (pay-as-you-go) plan for your project, you can send a request to Firebase support and we can migrate you to a dedicated certificate. This is only available for Blaze plan customers.



          Firebase Hosting does not currently support uploading custom certificates. If this is a use case that's important to you, I'd recommend filing a feature request (again, through Firebase support) so that we can evaluate it for future improvements to the product.






          share|improve this answer



















          • 1





            Michael, thank you. I am very impressed with Firebase as a serverless solution. I am on a paid solution (Blaze). I will contact Firebase support. I intend to recommend Firebase to my customers - after more deep diving into all of its components. There are lots of use cases for this technology and the way Google has implemented Firebase makes it almost effortless for developers.

            – John Hanley
            Nov 26 '18 at 1:56
















          4














          This is happening because Firebase will automatically create shared certificates for customers. This does not represent a security risk for your site, as Firebase retains full control of the certificate private keys. Certificates are shared to allow us to offer HTTPS + custom domains without an additional fee for our free plan customers.



          If you are on the Blaze (pay-as-you-go) plan for your project, you can send a request to Firebase support and we can migrate you to a dedicated certificate. This is only available for Blaze plan customers.



          Firebase Hosting does not currently support uploading custom certificates. If this is a use case that's important to you, I'd recommend filing a feature request (again, through Firebase support) so that we can evaluate it for future improvements to the product.






          share|improve this answer



















          • 1





            Michael, thank you. I am very impressed with Firebase as a serverless solution. I am on a paid solution (Blaze). I will contact Firebase support. I intend to recommend Firebase to my customers - after more deep diving into all of its components. There are lots of use cases for this technology and the way Google has implemented Firebase makes it almost effortless for developers.

            – John Hanley
            Nov 26 '18 at 1:56














          4












          4








          4







          This is happening because Firebase will automatically create shared certificates for customers. This does not represent a security risk for your site, as Firebase retains full control of the certificate private keys. Certificates are shared to allow us to offer HTTPS + custom domains without an additional fee for our free plan customers.



          If you are on the Blaze (pay-as-you-go) plan for your project, you can send a request to Firebase support and we can migrate you to a dedicated certificate. This is only available for Blaze plan customers.



          Firebase Hosting does not currently support uploading custom certificates. If this is a use case that's important to you, I'd recommend filing a feature request (again, through Firebase support) so that we can evaluate it for future improvements to the product.






          share|improve this answer













          This is happening because Firebase will automatically create shared certificates for customers. This does not represent a security risk for your site, as Firebase retains full control of the certificate private keys. Certificates are shared to allow us to offer HTTPS + custom domains without an additional fee for our free plan customers.



          If you are on the Blaze (pay-as-you-go) plan for your project, you can send a request to Firebase support and we can migrate you to a dedicated certificate. This is only available for Blaze plan customers.



          Firebase Hosting does not currently support uploading custom certificates. If this is a use case that's important to you, I'd recommend filing a feature request (again, through Firebase support) so that we can evaluate it for future improvements to the product.







          share|improve this answer












          share|improve this answer



          share|improve this answer










          answered Nov 26 '18 at 1:51









          Michael BleighMichael Bleigh

          11.7k3254




          11.7k3254








          • 1





            Michael, thank you. I am very impressed with Firebase as a serverless solution. I am on a paid solution (Blaze). I will contact Firebase support. I intend to recommend Firebase to my customers - after more deep diving into all of its components. There are lots of use cases for this technology and the way Google has implemented Firebase makes it almost effortless for developers.

            – John Hanley
            Nov 26 '18 at 1:56














          • 1





            Michael, thank you. I am very impressed with Firebase as a serverless solution. I am on a paid solution (Blaze). I will contact Firebase support. I intend to recommend Firebase to my customers - after more deep diving into all of its components. There are lots of use cases for this technology and the way Google has implemented Firebase makes it almost effortless for developers.

            – John Hanley
            Nov 26 '18 at 1:56








          1




          1





          Michael, thank you. I am very impressed with Firebase as a serverless solution. I am on a paid solution (Blaze). I will contact Firebase support. I intend to recommend Firebase to my customers - after more deep diving into all of its components. There are lots of use cases for this technology and the way Google has implemented Firebase makes it almost effortless for developers.

          – John Hanley
          Nov 26 '18 at 1:56





          Michael, thank you. I am very impressed with Firebase as a serverless solution. I am on a paid solution (Blaze). I will contact Firebase support. I intend to recommend Firebase to my customers - after more deep diving into all of its components. There are lots of use cases for this technology and the way Google has implemented Firebase makes it almost effortless for developers.

          – John Hanley
          Nov 26 '18 at 1:56


















          draft saved

          draft discarded




















































          Thanks for contributing an answer to Stack Overflow!


          • Please be sure to answer the question. Provide details and share your research!

          But avoid



          • Asking for help, clarification, or responding to other answers.

          • Making statements based on opinion; back them up with references or personal experience.


          To learn more, see our tips on writing great answers.




          draft saved


          draft discarded














          StackExchange.ready(
          function () {
          StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53473695%2fgoogle-firebase-ssl-certificate-my-certificate-has-a-large-number-of-other-web%23new-answer', 'question_page');
          }
          );

          Post as a guest















          Required, but never shown





















































          Required, but never shown














          Required, but never shown












          Required, but never shown







          Required, but never shown

































          Required, but never shown














          Required, but never shown












          Required, but never shown







          Required, but never shown







          Popular posts from this blog

          Contact image not getting when fetch all contact list from iPhone by CNContact

          count number of partitions of a set with n elements into k subsets

          A CLEAN and SIMPLE way to add appendices to Table of Contents and bookmarks