当前位置: 首页>>代码示例>>Python>>正文


Python Headers.getAllRawHeaders方法代码示例

本文整理汇总了Python中twisted.web.http_headers.Headers.getAllRawHeaders方法的典型用法代码示例。如果您正苦于以下问题:Python Headers.getAllRawHeaders方法的具体用法?Python Headers.getAllRawHeaders怎么用?Python Headers.getAllRawHeaders使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在twisted.web.http_headers.Headers的用法示例。


在下文中一共展示了Headers.getAllRawHeaders方法的14个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: request

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
    def request(self, method, uri, headers=None, bodyProducer=None):
        """
        Issue a new request via the configured proxy.
        """

        if version >= Version('twisted', 13, 1, 0):
            parsed_uri = _URI.getFromBytes(uri)
            scheme = parsed_uri.scheme
            host = parsed_uri.host
            port = parsed_uri.port
        else:
            scheme, host, port, path = _parse(uri)
        request_path = uri

        d = self._connect(scheme, host, port)

        if headers is None:
            headers = Headers()
        if not headers.hasHeader('host'):
            # This is a lot of copying.  It might be nice if there were a bit
            # less.
            headers = Headers(dict(headers.getAllRawHeaders()))
            headers.addRawHeader(
                'host', self._computeHostValue(scheme, host, port))

        def cbConnected(proto):
            # NOTE: For the proxy case the path should be the full URI.
            return proto.request(
                Request(method, request_path, headers, bodyProducer))

        d.addCallback(cbConnected)
        return d
开发者ID:lazy404,项目名称:txsuds,代码行数:34,代码来源:twisted_transport.py

示例2: test_removeHeaderDoesntExist

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
 def test_removeHeaderDoesntExist(self):
     """
     L{Headers.removeHeader} is a no-operation when the specified header is
     not found.
     """
     h = Headers()
     h.removeHeader("test")
     self.assertEqual(list(h.getAllRawHeaders()), [])
开发者ID:AndyPanda95,项目名称:python-for-android,代码行数:10,代码来源:test_http_headers.py

示例3: request

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
  def request(self, method, path, headers=None, body=None, expected_code=200,
              retry=0, delay=0):
    """
    Send an http request to the gerrit service for the given path.

    If 'retry' is specified, transient errors (http response code 500-599) will
    be retried after an exponentially-increasing delay.

    Returns a Deferred which will call back with the parsed json body of the
    gerrit server's response.

    Args:
      method: 'GET', 'POST', etc.
      path: Path element of the url.
      headers: dict of http request headers.
      body: json-encodable body of http request.
      expected_code: http response code expected in reply.
      retry: How many times to retry transient errors.
      delay: Wait this many seconds before sending the request.
    """
    retry_delay = delay * 2 if delay else 0.5
    retry_args = (
        method, path, headers, body, expected_code, retry - 1, retry_delay)
    if not path.startswith('/'):
      path = '/' + path
    if not headers:
      headers = Headers()
    else:
      # Make a copy so mutations don't affect retry attempts.
      headers = Headers(dict(headers.getAllRawHeaders()))
    if self.auth_token:
      if not path.startswith('/a/'):
        path = '/a' + path
      headers.setRawHeaders('Authorization', [self.auth_token])
    url = '%s://%s%s' % (self.gerrit_protocol, self.gerrit_host, path)
    if body:
      body = JsonBodyProducer(json.dumps(body))
      headers.setRawHeaders('Content-Type', ['application/json'])
    if DEBUG:
      log.msg(url)
    if delay:
      d = defer.succeed(None)
      d.addCallback(
          reactor.callLater, delay, Agent.request, self, method, str(url),
          headers, body)
    else:
      d = Agent.request(self, method, str(url), headers, body)
    def _check_code(response):
      if response.code == expected_code:
        return response
      if retry > 0 and response.code >= 500 and response.code < 600:
        return self.request(*retry_args)
      msg = 'Failed gerrit request (code %s, expected %s): %s' % (
          response.code, expected_code, url)
      raise GerritError(msg, response.code)
    d.addCallback(_check_code)
    d.addCallback(JsonResponse.Get, url=url)
    return d
开发者ID:leiferikb,项目名称:bitpop,代码行数:60,代码来源:gerrit_agent.py

示例4: _respondToChallenge

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
 def _respondToChallenge(self, challenge, method, uri, headers, bodyProducer):
     if headers is None:
         headers = Headers()
     else:
         headers = Headers(dict(headers.getAllRawHeaders()))
     for k, vs in challenge.response(uri, method, self._authinfo).iteritems():
         for v in vs:
             headers.addRawHeader(k, v)
     return self._agent.request(method, uri, headers, bodyProducer)
开发者ID:svn2github,项目名称:calendarserver-raw,代码行数:11,代码来源:httpauth.py

示例5: test_getAllRawHeaders

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
    def test_getAllRawHeaders(self):
        """
        L{Headers.getAllRawHeaders} returns an iterable of (k, v) pairs, where
        C{k} is the canonicalized representation of the header name, and C{v}
        is a sequence of values.
        """
        h = Headers()
        h.setRawHeaders(b"test", [b"lemurs"])
        h.setRawHeaders(b"www-authenticate", [b"basic aksljdlk="])

        allHeaders = set([(k, tuple(v)) for k, v in h.getAllRawHeaders()])

        self.assertEqual(allHeaders, set([(b"WWW-Authenticate", (b"basic aksljdlk=",)), (b"Test", (b"lemurs",))]))
开发者ID:pelluch,项目名称:VTK,代码行数:15,代码来源:test_http_headers.py

示例6: request

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
    def request(self, method, uri, headers=None, bodyProducer=None):
        """
        Issue a new request.
        @param method: The request method to send.
        @type method: C{str}
        @param uri: The request URI send.
        @type uri: C{str}
        @param scheme: A string like C{'http'} or C{'https'} (the only two
            supported values) to use to determine how to establish the
            connection.
 
        @param host: A C{str} giving the hostname which will be connected to in
            order to issue a request.

        @param port: An C{int} giving the port number the connection will be on.

        @param path: A C{str} giving the path portion of the request URL.
        @param headers: The request headers to send.  If no I{Host} header is
            included, one will be added based on the request URI.
        @type headers: L{Headers}
        @param bodyProducer: An object which will produce the request body or,
            if the request body is to be empty, L{None}.
        @type bodyProducer: L{IBodyProducer} provider
        @return: A L{Deferred} which fires with the result of the request (a
            L{Response} instance), or fails if there is a problem setting up a
            connection over which to issue the request.  It may also fail with
            L{SchemeNotSupported} if the scheme of the given URI is not
            supported.
        @rtype: L{Deferred}
        """
        scheme, host, port, path = _parse(uri)
        if headers is None:
            headers = Headers()
        if not headers.hasHeader('host'):
            # This is a lot of copying.  It might be nice if there were a bit
            # less.
            headers = Headers(dict(headers.getAllRawHeaders()))
            headers.addRawHeader(
                'host', self._computeHostValue(scheme, host, port))
        if self.persistent:
            sem = self._semaphores.get((scheme, host, port))
            if sem is None:
                sem = DeferredSemaphore(self.maxConnectionsPerHostName)
                self._semaphores[scheme, host, port] = sem
            return sem.run(self._request, method, scheme, host, port, path,
                           headers, bodyProducer)
        else:
            return self._request(
                method, scheme, host, port, path, headers, bodyProducer)
开发者ID:Hexadite-Omri,项目名称:txwinrm,代码行数:51,代码来源:_zenclient.py

示例7: request

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
    def request(self, method, uri, headers=None, bodyProducer=None):
        """
        Issue a new request.

        @param method: The request method to send.
        @type method: C{str}

        @param uri: The request URI send.
        @type uri: C{str}

        @param headers: The request headers to send.  If no I{Host} header is
            included, one will be added based on the request URI.
        @type headers: L{Headers}

        @param bodyProducer: An object which will produce the request body or,
            if the request body is to be empty, L{None}.
        @type bodyProducer: L{IBodyProducer} provider

        @return: A L{Deferred} which fires with the result of the request (a
            L{Response} instance), or fails if there is a problem setting up a
            connection over which to issue the request.  It may also fail with
            L{SchemeNotSupported} if the scheme of the given URI is not
            supported.
        @rtype: L{Deferred}
        """
        scheme, host, port, path = _parse(uri)
        if scheme != 'http':
            return defer.fail(SchemeNotSupported(
                    "Unsupported scheme: %r" % (scheme,)))
        cc = ClientCreator(self._reactor, self._protocol)
        d = cc.connectTCP(host, port)
        if headers is None:
            headers = Headers()
        if not headers.hasHeader('host'):
            # This is a lot of copying.  It might be nice if there were a bit
            # less.
            headers = Headers(dict(headers.getAllRawHeaders()))
            headers.addRawHeader(
                'host', self._computeHostValue(scheme, host, port))
        def cbConnected(proto):
            return proto.request(Request(method, path, headers, bodyProducer))
        d.addCallback(cbConnected)
        return d
开发者ID:NicolaeNMV,项目名称:Tsunami,代码行数:45,代码来源:client.py

示例8: request

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
    def request(self, method, uri, headers=None, bodyProducer=None):
        """
        Issue a new request via the configured proxy.
        """
        request_path = uri

        d = self._connect(None, None, None)

        if headers is None:
            headers = Headers()
        if not headers.hasHeader('host'):
            # This is a lot of copying.  It might be nice if there were a bit
            # less.
            headers = Headers(dict(headers.getAllRawHeaders()))
            headers.addRawHeader(
                'host', self._computeHostValue(scheme, host, port))
        def cbConnected(proto):
            # NOTE: For the proxy case the path should be the full URI.
            return proto.request(Request(method, request_path, headers, bodyProducer))
        d.addCallback(cbConnected)
        return d
开发者ID:flowroute,项目名称:twisted-suds,代码行数:23,代码来源:twisted_transport.py

示例9: do_send

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
        def do_send():
            headers_dict = {
                'Content-Type': ['application/x-www-form-urlencoded'],
                'Host': [self.server[8:]]
                }
            if not self.oauth_header is None:
                headers_dict['Authorization'] = [self.oauth_header]
            logging.debug("headers dictionary: %s", headers_dict)
            logging.debug("message: %s", str(message))
            headers = Headers(headers_dict)
            logging.debug("headers object:")
            for header in headers.getAllRawHeaders():
                logging.debug("> %s", header)
            d = self.agent.request('POST',
                self.server,
                headers,
                BayeuxProducer(str(message)))
            logging.debug("send_message.do_send(): d object:\n%s", str(d))

            def cb(response):
                logging.debug("send_message.do_send.cb(): response version: %s", response.version)
                logging.debug("send_message.do_send.cb(): response code: %s", response.code)
                logging.debug("send_message.do_send.cb(): response phrase: %s", response.phrase)
                logging.debug("send_message.do_send.cb(): response headers:\n%s", pprint.pformat(list(response.headers.getAllRawHeaders())))
                response.deliverBody(self.receiver)
                return d

            def error(reason):
                logging.error('Error sending msg: %s' % reason)
                logging.error(reason.getErrorMessage())
                logging.debug(reason.value.reasons[0].printTraceback())
                if errback is not None:
                    errback(reason)

            d.addCallback(cb)
            d.addErrback(error)
开发者ID:dkmadigan,项目名称:python-bayeux-client,代码行数:38,代码来源:bayeux_message_sender.py

示例10: DummyRequest

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
class DummyRequest(object):
    """
    Represents a dummy or fake request. See L{twisted.web.server.Request}.

    @ivar _finishedDeferreds: C{None} or a C{list} of L{Deferreds} which will
        be called back with C{None} when C{finish} is called or which will be
        errbacked if C{processingFailed} is called.

    @type requestheaders: C{Headers}
    @ivar requestheaders: A Headers instance that stores values for all request
        headers.

    @type responseHeaders: C{Headers}
    @ivar responseHeaders: A Headers instance that stores values for all
        response headers.

    @type responseCode: C{int}
    @ivar responseCode: The response code which was passed to
        C{setResponseCode}.

    @type written: C{list} of C{bytes}
    @ivar written: The bytes which have been written to the request.
    """
    uri = b'http://dummy/'
    method = b'GET'
    client = None


    def registerProducer(self, prod,s):
        self.go = 1
        while self.go:
            prod.resumeProducing()


    def unregisterProducer(self):
        self.go = 0


    def __init__(self, postpath, session=None):
        self.sitepath = []
        self.written = []
        self.finished = 0
        self.postpath = postpath
        self.prepath = []
        self.session = None
        self.protoSession = session or Session(0, self)
        self.args = {}
        self.requestHeaders = Headers()
        self.responseHeaders = Headers()
        self.responseCode = None
        self._finishedDeferreds = []
        self._serverName = b"dummy"
        self.clientproto = b"HTTP/1.0"


    def getAllHeaders(self):
        """
        Return dictionary mapping the names of all received headers to the last
        value received for each.

        Since this method does not return all header information,
        C{self.requestHeaders.getAllRawHeaders()} may be preferred.

        NOTE: This function is a direct copy of
        C{twisted.web.http.Request.getAllRawHeaders}.
        """
        headers = {}
        for k, v in self.requestHeaders.getAllRawHeaders():
            headers[k.lower()] = v[-1]
        return headers


    def getHeader(self, name):
        """
        Retrieve the value of a request header.

        @type name: C{bytes}
        @param name: The name of the request header for which to retrieve the
            value.  Header names are compared case-insensitively.

        @rtype: C{bytes} or L{NoneType}
        @return: The value of the specified request header.
        """
        return self.requestHeaders.getRawHeaders(name.lower(), [None])[0]


    def setHeader(self, name, value):
        """TODO: make this assert on write() if the header is content-length
        """
        self.responseHeaders.addRawHeader(name, value)


    def getSession(self):
        if self.session:
            return self.session
        assert not self.written, "Session cannot be requested after data has been written."
        self.session = self.protoSession
        return self.session


#.........这里部分代码省略.........
开发者ID:Lovelykira,项目名称:frameworks_try,代码行数:103,代码来源:requesthelper.py

示例11: quickHTTP

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
def quickHTTP(host, method, path):
    headers = Headers()
    headers = Headers(dict(headers.getAllRawHeaders()))
    headers.addRawHeader('host', host)
    return Request(method, path, headers, None)
开发者ID:lebek,项目名称:Twisted-SOCKS-client,代码行数:7,代码来源:client_test.py

示例12: FakeRequest

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]

#.........这里部分代码省略.........
        """
        Indicate that the request has been fully serviced. Send the
        response body (as accumulated by self.write) back to the deferred
        (if any) we were passed in __init__.

        @return: C{None}.
        """
        if self.d:
            self.d.callback(self.body)

    def write(self, data):
        """
        Fake the writing of data back to the client. Instead, we
        accumuluate it so as to deliver it to our test client when
        self.finish is called.

        @param data: A C{str} of response payload data.

        @return: C{None}.
        """
        self.body += data

    def getHeader(self, key):
        """
        Get a header from the request. This is copied from Twisted's
        twisted.web.http.Request class.

        @param key: A C{str} indicating the header to return.

        @return: The C{str} header value from the request if it exists,
                 else C{None}.
        """
        value = self.requestHeaders.getRawHeaders(key)
        if value is not None:
            return value[-1]

    def getResponseHeader(self, key):
        """
        Get a header from the response.

        @param key: A C{str} indicating the header to return.

        @return: The C{str} header value from the response if it exists,
                 else C{None}.
        """
        value = self.responseHeaders.getRawHeaders(key)
        if value is not None:
            return value[-1]

    def setHeader(self, name, value):
        """
        Set a header for the HTTP response. This is copied from Twisted's
        twisted.web.http.Request class.

        @param name: A C{str} indicating the header to set.
        @param value: A C{str} values for the header.

        @return: C{None}.
        """
        self.responseHeaders.setRawHeaders(name, [value])

    def getAllHeaders(self):
        """
        Get all the request headers. This is copied from Twisted's
        twisted.web.http.Request class.

        @return: A C{dict} of request header name -> value.
        """
        headers = {}
        for k, v in self.requestHeaders.getAllRawHeaders():
            headers[k.lower()] = v[-1]
        return headers

    def setResponseCode(self, code):
        """
        Set the response status code.

        @param code: An HTTP status code.

        @return: C{None}.
        """
        self.status = code

    def notifyFinish(self):
        """
        Return a C{twisted.internet.Deferred} that fires when the request
        finishes or errors if the client disconnects. Note that this method
        is needed as resource.py calls it, but we do not need to actually
        fire the returned deferred for our tests (which cause synchronous
        exceptions to immediately be returned to the request errback).

        @return: C{twisted.internet.Deferred}
        """
        return defer.succeed(None)

    def getRequestHostname(self):
        """
        Return the hostname that was used for issuing this request.
        """
        return self.hostname
开发者ID:fluidinfo,项目名称:fluiddb,代码行数:104,代码来源:test_about.py

示例13: FakeRequest

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
class FakeRequest(object):
    """
    A fake request suitable for use in place of C{twisted.web.http.Request}.

    @param method: The HTTP method being invoked such as C{GET} or C{POST}.
    @param uri: The URI of the resource being requested.
    @param headers: A C{dict} of headers to send in the request.
    @param args: A C{dict} of arguments that should be appended to the URI in
        the request.
    """

    content = None

    def __init__(self, method, uri, headers=None, args=None):
        self.method = method
        self.uri = uri
        self.requestHeaders = Headers(headers)
        self.responseHeaders = Headers()
        self.args = {'verb': [method]}
        if args:
            self.args.update(args)
        self._fluidDB_reqid = 'xxx'
        self.finished = False

    def finish(self):
        """
        Indicate that all response data has been written to this request.
        """
        self.finished = True

    def getHeader(self, key):
        """
        Get the value of an HTTP request header.

        @param key: The name of the HTTP header to retrieve a value for.
        @return: The value set for the header or C{None} if a value is not
            available.
        """
        value = self.requestHeaders.getRawHeaders(key)
        if value is not None:
            return value[-1]

    def getResponseHeader(self, key):
        """
        Get the value of an HTTP response header.

        @param key: The name of the HTTP header to retrieve a value for.
        @return: The value set for the header or C{None} if a value is not
            available.
        """
        value = self.responseHeaders.getRawHeaders(key)
        if value is not None:
            return value[-1]

    def setHeader(self, name, value):
        """
        Set an HTTP header to include in the response returned to the client.

        @param name: The name of the header to set.
        @param value: The value to set.
        """
        self.responseHeaders.setRawHeaders(name, [value])

    def getAllHeaders(self):
        """
        Return all the request headers.

        @return: A C{dict} of all headers, with their values.
        """
        headers = {}
        for k, v in self.requestHeaders.getAllRawHeaders():
            headers[k.lower()] = v[-1]
        return headers

    def setResponseCode(self, code):
        """
        Set the HTTP response code to return to the client.

        @param code: An HTTP response code as defined in C{twisted.web.http}.
        """
        self.status = code

    def notifyFinish(self):
        """
        Return a C{twisted.internet.Deferred} that fires when the request
        finishes or errors if the client disconnects. Note that this method
        is needed as resource.py calls it, but we do not need to actually
        fire the returned deferred for our test (which causes a synchronous
        exception to immediately be returned to the request errback).

        @return: C{twisted.internet.Deferred}
        """
        return defer.succeed(None)
开发者ID:fluidinfo,项目名称:fluiddb,代码行数:95,代码来源:test_payloads.py

示例14: FakeRequest

# 需要导入模块: from twisted.web.http_headers import Headers [as 别名]
# 或者: from twisted.web.http_headers.Headers import getAllRawHeaders [as 别名]
class FakeRequest(object):
    """
    A fake C{twisted.web.http.Request} implementation, suitable for use in
    tests.
    """

    def __init__(self, args=None, postpath=None, prepath=None, path=None,
                 uri=None, method='GET', headers=None, body=''):
        self.args = {} if args is None else args
        self.written = StringIO()
        self.finished = False
        self.code = None
        self.method = method
        self.path = path
        self.postpath = postpath
        self.prepath = prepath
        self.requestHeaders = Headers({}) if headers is None else headers
        self.responseHeaders = Headers({})
        self.uri = uri
        self._fluidDB_reqid = requestId()
        self.content = StringIO(body)

    def write(self, content):
        """Write data as a result of an HTTP request.

        @param content: A C{str} containing the bytes to send as part of the
            response body.
        """
        if not isinstance(content, str):
            raise RuntimeError('Only strings can be written.')
        self.written.write(content)

    def finish(self):
        """Indicate that all response data has been written to this request."""
        if self.code is None:
            self.code = 200
        self.finished = True

    def setResponseCode(self, code):
        """Set the HTTP response code.

        @param code: An C{int} HTTP status code.
        """
        self.code = code

    def setHeader(self, key, value):
        """Set an HTTP response header.

        @param key: The name of the response header.
        @param value: The value for the response header.
        """
        self.responseHeaders.setRawHeaders(key, [value])

    def getHeader(self, key):
        """
        Get a header from the request. This is copied from Twisted's
        C{twisted.web.http.Request} class.

        @param key: A C{str} indicating the header to return.
        @return: The C{str} header value from the request if it exists,
            else C{None}.
        """
        value = self.requestHeaders.getRawHeaders(key)
        if value is not None:
            return value[-1]

    def getResponseHeader(self, key):
        """Get a header from the response.

        @param key: A C{str} indicating the header to return.
        @return: The C{str} header value from the response if it exists,
            else C{None}.
        """
        value = self.responseHeaders.getRawHeaders(key)
        if value is not None:
            return value[-1]

    @property
    def response(self):
        """The HTTP response body."""
        return self.written.getvalue()

    def getAllHeaders(self):
        """
        Get all the request headers. This is copied from Twisted's
        C{twisted.web.http.Request} class.

        @return: A C{dict} of request header name -> value.
        """
        headers = {}
        for k, v in self.requestHeaders.getAllRawHeaders():
            headers[k.lower()] = v[-1]
        return headers

    def notifyFinish(self):
        """
        Return a C{twisted.internet.Deferred} that fires when the request
        finishes or errors if the client disconnects. Note that this method
        is needed as resource.py calls it, but we do not need to actually
        fire the returned deferred for our tests (which cause synchronous
#.........这里部分代码省略.........
开发者ID:fluidinfo,项目名称:fluiddb,代码行数:103,代码来源:doubles.py


注:本文中的twisted.web.http_headers.Headers.getAllRawHeaders方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。