Twisted Https Client
I am currently having some trouble accessing content hosted via https using the twisted python library. I am new to this library, and am assuming there is some concept I am missing
Solution 1:
Yes you're absolutely correct that the example on the docs is wrong. I noticed the bug while working w/ treq
. Try following this example from v14. With that being said, you should use treq
as opposed to trying to use Twisted directly. Most of the heavy lifting has been taken care of for you. Here's an simple conversion of your example:
from __future__ import print_function
import treq
from twisted.internet import defer, task
from twisted.python.log import err
@defer.inlineCallbacksdefdisplay(response):
content = yield treq.content(response)
print('Content: {0}'.format(content))
defmain(reactor):
d = treq.get('https://twistedmatrix.com')
d.addCallback(display)
d.addErrback(err)
return d
task.react(main)
As you can see treq
takes care of the SSL stuff for you. The display()
callback function can be used to extract various components of the HTTP response, such as headers, status codes, body, etc. If you only need a single component, such as the response body, then you can simplify further like so:
def main(reactor):
d = treq.get('https://twistedmatrix.com')
d.addCallback(treq.content) # get response content when available
d.addErrback(err)
d.addCallback(print)
return d
task.react(main)
Post a Comment for "Twisted Https Client"