相关文章推荐
睿智的跑步鞋  ·  Element:paste 事件 - ...·  3 月前    · 
英俊的键盘  ·  Python交换机-阿里云·  3 月前    · 
Collectives™ on Stack Overflow

Find centralized, trusted content and collaborate around the technologies you use most.

Learn more about Collectives

Teams

Q&A for work

Connect and share knowledge within a single location that is structured and easy to search.

Learn more about Teams

In my Django app, I need to get the host name from the referrer in request.META.get('HTTP_REFERER') along with its protocol so that from URLs like:

  • https://docs.google.com/spreadsheet/ccc?key=blah-blah-blah-blah#gid=1
  • https://stackoverflow.com/questions/1234567/blah-blah-blah-blah
  • http://www.example.com
  • https://www.other-domain.example/whatever/blah/blah/?v1=0&v2=blah+blah
  • I should get:

  • https://docs.google.com/
  • https://stackoverflow.com/
  • http://www.example.com
  • https://www.other-domain.example/
  • I looked over other related questions and found about urlparse, but that didn't do the trick since

    >>> urlparse(request.META.get('HTTP_REFERER')).hostname
    'docs.google.com'
    

    You should be able to do it with urlparse (docs: python2, python3):

    from urllib.parse import urlparse
    # from urlparse import urlparse  # Python 2
    parsed_uri = urlparse('http://stackoverflow.com/questions/1234567/blah-blah-blah-blah' )
    result = '{uri.scheme}://{uri.netloc}/'.format(uri=parsed_uri)
    print(result)
    # gives
    'http://stackoverflow.com/'
                    this answer adds a / to the third example http://www.domain.com, but I think this might be a shortcoming of the question, not of the answer.
    – SingleNegationElimination
                    Mar 9, 2012 at 1:36
                    I don't think this is a good solution, as netloc is not domain: try urlparse.urlparse('http://user:[email protected]:8080') and find it gives parts like 'user:pass@' and ':8080'
    – starrify
                    Oct 21, 2014 at 8:02
                    The urlparse module is renamed to urllib.parse in Python 3. So, from urllib.parse import urlparse
    – SparkAndShine
                    Jul 21, 2015 at 21:37
                    This answers what the author meant to ask, but not what was actually stated. For those looking for domain name and not hostname (as this solution provides) I suggest looking at dm03514's answer that is currently below. Python's urlparse cannot give you domain names. Something that seems an oversight.
    – Scone
                    Jul 18, 2018 at 18:27
    

    https://github.com/john-kurkowski/tldextract

    This is a more verbose version of urlparse. It detects domains and subdomains for you.

    From their documentation:

    >>> import tldextract
    >>> tldextract.extract('http://forums.news.cnn.com/')
    ExtractResult(subdomain='forums.news', domain='cnn', suffix='com')
    >>> tldextract.extract('http://forums.bbc.co.uk/') # United Kingdom
    ExtractResult(subdomain='forums', domain='bbc', suffix='co.uk')
    >>> tldextract.extract('http://www.worldbank.org.kg/') # Kyrgyzstan
    ExtractResult(subdomain='www', domain='worldbank', suffix='org.kg')
    

    ExtractResult is a namedtuple, so it's simple to access the parts you want.

    >>> ext = tldextract.extract('http://forums.bbc.co.uk')
    >>> ext.domain
    'bbc'
    >>> '.'.join(ext[:2]) # rejoin subdomain and domain
    'forums.bbc'
                    This is the correct answer for the question as written, how to get the DOMAIN name. The chosen solution provides the HOSTNAME, which I believe is what the author wanted in the first place.
    – Scone
                    Jul 18, 2018 at 18:29
    
    from urllib.parse import urlsplit
    url = "http://stackoverflow.com/questions/9626535/get-domain-name-from-url"
    base_url = "{0.scheme}://{0.netloc}/".format(urlsplit(url))
    print(base_url)
    # http://stackoverflow.com/
    
    >>> import urlparse
    >>> url = 'http://stackoverflow.com/questions/1234567/blah-blah-blah-blah'
    >>> urlparse.urljoin(url, '/')
    'http://stackoverflow.com/'
    

    Pure string operations :):

    >>> url = "http://stackoverflow.com/questions/9626535/get-domain-name-from-url"
    >>> url.split("//")[-1].split("/")[0].split('?')[0]
    'stackoverflow.com'
    >>> url = "stackoverflow.com/questions/9626535/get-domain-name-from-url"
    >>> url.split("//")[-1].split("/")[0].split('?')[0]
    'stackoverflow.com'
    >>> url = "http://foo.bar?haha/whatever"
    >>> url.split("//")[-1].split("/")[0].split('?')[0]
    'foo.bar'
    

    That's all, folks.

    @SimonSteinberger :-) How'bout this : url.split("//")[-1].split("/")[0].split('?')[0] :-)) – SebMa Feb 5, 2018 at 16:16

    The standard library function urllib.parse.urlsplit() is all you need. Here is an example for Python3:

    >>> import urllib.parse
    >>> o = urllib.parse.urlsplit('https://user:[email protected]:8080/dir/page.html?q1=test&q2=a2#anchor1')
    >>> o.scheme
    'https'
    >>> o.netloc
    'user:[email protected]:8080'
    >>> o.hostname
    'www.example.com'
    >>> o.port
    >>> o.path
    '/dir/page.html'
    >>> o.query
    'q1=test&q2=a2'
    >>> o.fragment
    'anchor1'
    >>> o.username
    'user'
    >>> o.password
    'pass'
                    it's won't be a problem, if there are no more slashes then, the list will return with one element. so it will work whether there is a slash or not
    – Jeeva
                    Apr 13, 2019 at 7:09
    
    urls = [
        "http://stackoverflow.com:8080/some/folder?test=/questions/9626535/get-domain-name-from-url",
        "Stackoverflow.com:8080/some/folder?test=/questions/9626535/get-domain-name-from-url",
        "http://stackoverflow.com/some/folder?test=/questions/9626535/get-domain-name-from-url",
        "https://StackOverflow.com:8080?test=/questions/9626535/get-domain-name-from-url",
        "stackoverflow.com?test=questions&v=get-domain-name-from-url"]
    for url in urls:
        spltAr = url.split("://");
        i = (0,1)[len(spltAr)>1];
        dm = spltAr[i].split("?")[0].split('/')[0].split(':')[0].lower();
        print dm
    

    Output

    stackoverflow.com
    stackoverflow.com
    stackoverflow.com
    stackoverflow.com
    stackoverflow.com
    

    Fiddle: https://pyfiddle.io/fiddle/23e4976e-88d2-4757-993e-532aa41b7bf0/?i=true

    This is not a solution for the question because you do not provide protocol (https:// or http://) – Nairum Oct 15, 2019 at 14:31

    Is there anything wrong with pure string operations:

    url = 'http://stackoverflow.com/questions/9626535/get-domain-name-from-url'
    parts = url.split('//', 1)
    print parts[0]+'//'+parts[1].split('/', 1)[0]
    >>> http://stackoverflow.com
    

    If you prefer having a trailing slash appended, extend this script a bit like so:

    parts = url.split('//', 1)
    base = parts[0]+'//'+parts[1].split('/', 1)[0]
    print base + (len(url) > len(base) and url[len(base)]=='/'and'/' or '')
    

    That can probably be optimized a bit ...

    it's not wrong but we got a tool that already does the work, let's not reinvent the wheel ;) – Gerard Jun 12, 2013 at 2:33

    I know it's an old question, but I too encountered it today. Solved this with an one-liner:

    import re
    result = re.sub(r'(.*://)?([^/?]+).*', '\g<1>\g<2>', url)
    
    import re
    url = 'https://docs.google.com/spreadsheet/ccc?key=blah-blah-blah-blah#gid=1'
    result = re.search(r'^http[s]*:\/\/[\w\.]*', url).group()
    print(result)
    #result
    'https://docs.google.com'
    
    import urlparse
    def uri2schemehostname(uri):
        urlparse.urlunparse(urlparse.urlparse(uri)[:2] + ("",) * 4)
    

    that odd ("",) * 4 bit is because urlparse expects a sequence of exactly len(urlparse.ParseResult._fields) = 6

    url = 'https://stackoverflow.com/questions/9626535/get-protocol-host-name-from-url' root_url = urllib.parse.urljoin(url, '/') print(root_url)

    This is the simple way to get the root URL of any domain.

    from urllib.parse import urlparse
    url = urlparse('https://stackoverflow.com/questions/9626535/')
    root_url = url.scheme + '://' + url.hostname
    print(root_url) # https://stackoverflow.com
    

    to get domain/hostname and Origin*

    url = 'https://stackoverflow.com/questions/9626535/get-protocol-host-name-from-url'
    hostname = url.split('/')[2] # stackoverflow.com
    origin = '/'.join(url.split('/')[:3]) # https://stackoverflow.com
    

    *Origin is used in XMLHttpRequest headers

    If it contains less than 3 slashes thus you've it got and if not then we can find the occurrence between it:

    import re
    link = http://forum.unisoftdev.com/something
    slash_count = len(re.findall("/", link))
    print slash_count # output: 3
    if slash_count > 2:
       regex = r'\:\/\/(.*?)\/'
       pattern  = re.compile(regex)
       path = re.findall(pattern, url)
       print path
            

    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.