本文整理汇总了Python中twisted.web.client.readBody方法的典型用法代码示例。如果您正苦于以下问题:Python client.readBody方法的具体用法?Python client.readBody怎么用?Python client.readBody使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类twisted.web.client
的用法示例。
在下文中一共展示了client.readBody方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。
示例1: twisted_coroutine_fetch
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def twisted_coroutine_fetch(self, url, runner):
body = [None]
@gen.coroutine
def f():
# This is simpler than the non-coroutine version, but it cheats
# by reading the body in one blob instead of streaming it with
# a Protocol.
client = Agent(self.reactor)
response = yield client.request(b'GET', utf8(url))
with warnings.catch_warnings():
# readBody has a buggy DeprecationWarning in Twisted 15.0:
# https://twistedmatrix.com/trac/changeset/43379
warnings.simplefilter('ignore', category=DeprecationWarning)
body[0] = yield readBody(response)
self.stop_loop()
self.io_loop.add_callback(f)
runner()
return body[0]
示例2: test_key_not_found_is_raised_if_key_search_responds_404
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def test_key_not_found_is_raised_if_key_search_responds_404(self):
"""
Test if key search request comes back with a 404 response then
KeyNotFound is raised, with corresponding error message.
"""
km = self._key_manager(url=NICKSERVER_URI)
client.readBody = mock.Mock(return_value=defer.succeed(None))
km._nicknym._async_client_pinned.request = mock.Mock(
return_value=defer.succeed(None))
url = NICKSERVER_URI + '?address=' + INVALID_MAIL_ADDRESS
d = km._nicknym._fetch_and_handle_404_from_nicknym(url)
def check_key_not_found_is_raised_if_404(_):
used_kwargs = km._nicknym._async_client_pinned.request.call_args[1]
check_404_callback = used_kwargs['callback']
fake_response = mock.Mock()
fake_response.code = NOT_FOUND
with self.assertRaisesRegexp(errors.KeyNotFound,
'404: Key not found. Request: '
'%s' % url.replace('?', '\?')):
check_404_callback(fake_response)
d.addCallback(check_key_not_found_is_raised_if_404)
return d
示例3: _fetch_key_with_address
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def _fetch_key_with_address(self, km, address, key):
"""
:returns: a Deferred that will fire with the OpenPGPKey
"""
data = json.dumps({'address': address, 'openpgp': key})
client.readBody = mock.Mock(return_value=defer.succeed(data))
# mock the fetcher so it returns the key for ADDRESS_2
km._nicknym._async_client_pinned.request = mock.Mock(
return_value=defer.succeed(None))
km.ca_cert_path = 'cacertpath'
# try to key get without fetching from server
d_fail = km.get_key(address, fetch_remote=False)
d = self.assertFailure(d_fail, errors.KeyNotFound)
# try to get key fetching from server.
d.addCallback(lambda _: km.get_key(address))
return d
示例4: testDistrib
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def testDistrib(self):
# site1 is the publisher
r1 = resource.Resource()
r1.putChild("there", static.Data("root", "text/plain"))
site1 = server.Site(r1)
self.f1 = PBServerFactory(distrib.ResourcePublisher(site1))
self.port1 = reactor.listenTCP(0, self.f1)
self.sub = distrib.ResourceSubscription("127.0.0.1",
self.port1.getHost().port)
r2 = resource.Resource()
r2.putChild("here", self.sub)
f2 = MySite(r2)
self.port2 = reactor.listenTCP(0, f2)
agent = client.Agent(reactor)
d = agent.request(b"GET", "http://127.0.0.1:%d/here/there" % \
(self.port2.getHost().port,))
d.addCallback(client.readBody)
d.addCallback(self.assertEqual, 'root')
return d
示例5: _requestTest
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def _requestTest(self, child, **kwargs):
"""
Set up a resource on a distrib site using L{ResourcePublisher} and
then retrieve it from a L{ResourceSubscription} via an HTTP client.
@param child: The resource to publish using distrib.
@param **kwargs: Extra keyword arguments to pass to L{Agent.request} when
requesting the resource.
@return: A L{Deferred} which fires with the result of the request.
"""
mainPort, mainAddr = self._setupDistribServer(child)
agent = client.Agent(reactor)
url = "http://%s:%s/child" % (mainAddr.host, mainAddr.port)
d = agent.request(b"GET", url, **kwargs)
d.addCallback(client.readBody)
return d
示例6: test_withPotentialDataLoss
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def test_withPotentialDataLoss(self):
"""
If the full body of the L{IResponse} passed to L{client.readBody} is
not definitely received, the L{Deferred} returned by L{client.readBody}
fires with a L{Failure} wrapping L{client.PartialDownloadError} with
the content that was received.
"""
response = DummyResponse()
d = client.readBody(response)
response.protocol.dataReceived(b"first")
response.protocol.dataReceived(b"second")
response.protocol.connectionLost(Failure(PotentialDataLoss()))
failure = self.failureResultOf(d)
failure.trap(client.PartialDownloadError)
self.assertEqual({
"status": failure.value.status,
"message": failure.value.message,
"body": failure.value.response,
}, {
"status": b"200",
"message": b"OK",
"body": b"firstsecond",
})
示例7: test_deprecatedTransport
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def test_deprecatedTransport(self):
"""
Calling L{client.readBody} with a transport that does not implement
L{twisted.internet.interfaces.ITCPTransport} produces a deprecation
warning, but no exception when cancelling.
"""
response = DummyResponse(transportFactory=StringTransport)
response.transport.abortConnection = None
d = self.assertWarns(
DeprecationWarning,
'Using readBody with a transport that does not have an '
'abortConnection method',
__file__,
lambda: client.readBody(response))
d.cancel()
self.failureResultOf(d, defer.CancelledError)
示例8: test_noProxyPassthrough
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def test_noProxyPassthrough(self):
"""
The CGI script is never called with the Proxy header passed through.
"""
cgiFilename = self.writeCGI(HEADER_OUTPUT_CGI)
portnum = self.startServer(cgiFilename)
url = "http://localhost:%d/cgi" % (portnum,)
agent = client.Agent(reactor)
headers = http_headers.Headers({"Proxy": ["foo"],
"X-Innocent-Header": ["bar"]})
d = agent.request(b"GET", url, headers=headers)
def checkResponse(response):
headers = json.loads(response)
self.assertEqual(
set(headers.keys()),
{"HTTP_HOST", "HTTP_CONNECTION", "HTTP_X_INNOCENT_HEADER"})
d.addCallback(client.readBody)
d.addCallback(checkResponse)
return d
示例9: testReadInput
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def testReadInput(self):
cgiFilename = os.path.abspath(self.mktemp())
with open(cgiFilename, 'wt') as cgiFile:
cgiFile.write(READINPUT_CGI)
portnum = self.startServer(cgiFilename)
agent = client.Agent(reactor)
d = agent.request(
uri="http://localhost:%d/cgi" % (portnum,),
method=b"POST",
bodyProducer=client.FileBodyProducer(
BytesIO(b"Here is your stdin")),
)
d.addCallback(client.readBody)
d.addCallback(self._testReadInput_1)
return d
示例10: test_create_generates_different_dataset_ids
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def test_create_generates_different_dataset_ids(self):
"""
If two ``POST`` requests are made to create two different datasets,
each dataset created is assigned a distinct ``dataset_id``.
"""
creating = gatherResults([
self.assertResponseCode(
b"POST", b"/configuration/datasets",
{u"primary": self.NODE_A},
CREATED
).addCallback(readBody).addCallback(loads),
self.assertResponseCode(
b"POST", b"/configuration/datasets",
{u"primary": self.NODE_A},
CREATED
).addCallback(readBody).addCallback(loads),
])
def created(datasets):
first = datasets[0]
second = datasets[1]
self.assertNotEqual(first[u"dataset_id"], second[u"dataset_id"])
creating.addCallback(created)
return creating
示例11: verify
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def verify(self, response):
"""
Check the given response against the requirements defined by this
instance.
@param response: The response to check.
@type response: L{twisted.web.iweb.IResponse}
@return: A L{Deferred} that fires with C{None} after the response has
been found to satisfy all the requirements or that fires with a
L{Failure} if any part of the response is incorrect.
"""
reading = readBody(response)
reading.addCallback(self.decode)
reading.addCallback(self._verifyWithBody, response)
return reading
示例12: extractSuccessfulJSONResult
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def extractSuccessfulJSONResult(response):
"""
Extract a successful API result from a HTTP response.
@param response: The response to check.
@type response: L{twisted.web.iweb.IResponse}
@return: L{Deferred} that fires with the result part of the decoded JSON.
@raises L{AssertionError}: If the response is not a successful one.
"""
result = readBody(response)
result.addCallback(loads)
def getResult(data):
if response.code > 299:
raise AssertionError((response.code, data))
return data
result.addCallback(getResult)
return result
示例13: testDistrib
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def testDistrib(self):
# site1 is the publisher
r1 = resource.Resource()
r1.putChild(b"there", static.Data(b"root", "text/plain"))
site1 = server.Site(r1)
self.f1 = PBServerFactory(distrib.ResourcePublisher(site1))
self.port1 = reactor.listenTCP(0, self.f1)
self.sub = distrib.ResourceSubscription("127.0.0.1",
self.port1.getHost().port)
r2 = resource.Resource()
r2.putChild(b"here", self.sub)
f2 = MySite(r2)
self.port2 = reactor.listenTCP(0, f2)
agent = client.Agent(reactor)
url = "http://127.0.0.1:{}/here/there".format(
self.port2.getHost().port)
url = url.encode("ascii")
d = agent.request(b"GET", url)
d.addCallback(client.readBody)
d.addCallback(self.assertEqual, b'root')
return d
示例14: _requestTest
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def _requestTest(self, child, **kwargs):
"""
Set up a resource on a distrib site using L{ResourcePublisher} and
then retrieve it from a L{ResourceSubscription} via an HTTP client.
@param child: The resource to publish using distrib.
@param **kwargs: Extra keyword arguments to pass to L{Agent.request} when
requesting the resource.
@return: A L{Deferred} which fires with the result of the request.
"""
mainPort, mainAddr = self._setupDistribServer(child)
agent = client.Agent(reactor)
url = "http://%s:%s/child" % (mainAddr.host, mainAddr.port)
url = url.encode("ascii")
d = agent.request(b"GET", url, **kwargs)
d.addCallback(client.readBody)
return d
示例15: test_noProxyPassthrough
# 需要导入模块: from twisted.web import client [as 别名]
# 或者: from twisted.web.client import readBody [as 别名]
def test_noProxyPassthrough(self):
"""
The CGI script is never called with the Proxy header passed through.
"""
cgiFilename = self.writeCGI(HEADER_OUTPUT_CGI)
portnum = self.startServer(cgiFilename)
url = "http://localhost:%d/cgi" % (portnum,)
url = url.encode("ascii")
agent = client.Agent(reactor)
headers = http_headers.Headers({b"Proxy": [b"foo"],
b"X-Innocent-Header": [b"bar"]})
d = agent.request(b"GET", url, headers=headers)
def checkResponse(response):
headers = json.loads(response.decode("ascii"))
self.assertEqual(
set(headers.keys()),
{"HTTP_HOST", "HTTP_CONNECTION", "HTTP_X_INNOCENT_HEADER"})
d.addCallback(client.readBody)
d.addCallback(checkResponse)
return d