The Python Oracle

Looking for assertURLEquals

--------------------------------------------------
Rise to the top 3% as a developer or hire one of them at Toptal: https://topt.al/25cXVn
--------------------------------------------------

Music by Eric Matyas
https://www.soundimage.org
Track title: Thinking It Over

--

Chapters
00:00 Looking For Asserturlequals
00:26 Answer 1 Score 1
00:56 Accepted Answer Score 1
01:22 Thank you

--

Full question
https://stackoverflow.com/questions/1307...

--

Content licensed under CC BY-SA
https://meta.stackexchange.com/help/lice...

--

Tags
#python #unittesting

#avk47



ANSWER 1

Score 1


Well this is not too hard to implement with urlparse in the standard library:

from urlparse import urlparse, parse_qs


def urlEq(url1, url2):
      pr1 = urlparse(url1)
      pr2 = urlparse(url2)
      return (pr1.scheme == pr2.scheme and
              pr1.netloc == pr2.netloc and
              pr1.path == pr2.path and
              parse_qs(pr1.query) == parse_qs(pr2.query))

# Prints True  
print urlEq("http://foo.com/blah?bar=1&foo=2", "http://foo.com/blah?foo=2&bar=1")
# Prints False
print urlEq("http://foo.com/blah?bar=1&foo=2", "http://foo.com/blah?foo=4&bar=1")

Basically, compare everything that is parsed from the URL but use parse_qs to get a dictionary from the query string.




ACCEPTED ANSWER

Score 1


I don't know if there is something built-in, but you could simply use urlparse and check yourself for the query parameters since order is taken into account by default.

>>> import urlparse
>>> url1 = 'http://google.com/?a=1&b=2'
>>> url2 = 'http://google.com/?b=2&a=1'
>>> # parse url ignoring query params order
... def parse_url(url):
...   u = urlparse.urlparse(url)
...   q = u.query
...   u = urlparse.urlparse(u.geturl().replace(q, ''))
...   return (u, urlparse.parse_qs(q))
... 
>>> parse_url(url1)
(ParseResult(scheme='http', netloc='google.com', path='/', params='', query='', fragment=''), {'a': ['1'], 'b': ['2']})
>>> def assert_url_equals(url1, url2):
...   return parse_url(url1) == parse_url(url1)
...
>>> assert_url_equals(url1, url2)
True