• 设为首页
  • 点击收藏
  • 手机版
    手机扫一扫访问
    迪恩网络手机版
  • 关注官方公众号
    微信扫一扫关注
    迪恩网络公众号

Python pep.to_bytes函数代码示例

原作者: [db:作者] 来自: [db:来源] 收藏 邀请

本文整理汇总了Python中pulsar.utils.pep.to_bytes函数的典型用法代码示例。如果您正苦于以下问题:Python to_bytes函数的具体用法?Python to_bytes怎么用?Python to_bytes使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。



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

示例1: test_to_bytes

 def test_to_bytes(self):
     s = to_bytes("ciao")
     self.assertTrue(isinstance(s, bytes))
     s2 = to_bytes(s)
     self.assertEqual(id(s), id(s2))
     s3 = to_bytes(s, "latin-1")
     self.assertEqual(s, s3)
     self.assertNotEqual(id(s), id(s3))
开发者ID:huobao36,项目名称:pulsar,代码行数:8,代码来源:tools.py


示例2: authenticate

 def authenticate(self, request, user, password=None):
     if password is not None:
         password = to_bytes(password, self.encoding)
         encrypted = to_bytes(user.password, self.encoding)
         if self.crypt_module.verify(password, encrypted, self.secret_key):
             return user
         else:
             raise AuthenticationError('Invalid password')
开发者ID:pombredanne,项目名称:lux,代码行数:8,代码来源:permissions.py


示例3: decript

 def decript(self, password=None):
     if password:
         p = self.crypt_module.decrypt(to_bytes(password, self.encoding),
                                       self.secret_key)
         return to_string(p, self.encoding)
     else:
         return UNUSABLE_PASSWORD
开发者ID:SirZazu,项目名称:lux,代码行数:7,代码来源:user.py


示例4: _encode_data

 def _encode_data(self, data):
     body = None
     if self.method in ENCODE_URL_METHODS:
         self.files = None
         self._encode_url(data)
     elif isinstance(data, bytes):
         assert self.files is None, ('data cannot be bytes when files are '
                                     'present')
         body = data
     elif isinstance(data, str):
         assert self.files is None, ('data cannot be string when files are '
                                     'present')
         body = to_bytes(data, self.charset)
     elif data and is_streamed(data):
         assert self.files is None, ('data cannot be an iterator when '
                                     'files are present')
         if 'content-type' not in self.headers:
             self.headers['content-type'] = 'application/octet-stream'
         if 'content-length' not in self.headers:
             self.headers['transfer-encoding'] = 'chunked'
         return data
     elif data or self.files:
         if self.files:
             body, content_type = self._encode_files(data)
         else:
             body, content_type = self._encode_params(data)
         # set files to None, Important!
         self.files = None
         self.headers['Content-Type'] = content_type
     if body:
         self.headers['content-length'] = str(len(body))
     elif 'expect' not in self.headers:
         self.headers.pop('content-length', None)
         self.headers.pop('content-type', None)
     return body
开发者ID:arhik,项目名称:pulsar,代码行数:35,代码来源:__init__.py


示例5: _encode_body

    def _encode_body(self, data, files, json):
        body = None
        if isinstance(data, (str, bytes)):
            if files:
                raise ValueError('data cannot be a string or bytes when '
                                 'files are present')
            body = to_bytes(data, self.charset)
        elif data and is_streamed(data):
            if files:
                raise ValueError('data cannot be an iterator when '
                                 'files are present')
            if 'content-length' not in self.headers:
                self.headers['transfer-encoding'] = 'chunked'
            return data
        elif data or files:
            if files:
                body, content_type = self._encode_files(data, files)
            else:
                body, content_type = self._encode_params(data)
            self.headers['Content-Type'] = content_type
        elif json:
            body = _json.dumps(json).encode(self.charset)
            self.headers['Content-Type'] = 'application/json'

        if body:
            self.headers['content-length'] = str(len(body))

        return body
开发者ID:wilddom,项目名称:pulsar,代码行数:28,代码来源:__init__.py


示例6: _encode_data

 def _encode_data(self, data):
     body = None
     if self.method in ENCODE_URL_METHODS:
         self.files = None
         self._encode_url(data)
     elif isinstance(data, bytes):
         assert self.files is None, ('data cannot be bytes when files are '
                                     'present')
         body = data
     elif isinstance(data, str):
         assert self.files is None, ('data cannot be string when files are '
                                     'present')
         body = to_bytes(data, self.charset)
     elif data or self.files:
         if self.files:
             body, content_type = self._encode_files(data)
         else:
             body, content_type = self._encode_params(data)
         # set files to None, Important!
         self.files = None
         self.headers['Content-Type'] = content_type
     if body:
         self.headers['content-length'] = str(len(body))
     elif 'expect' not in self.headers:
         self.headers.pop('content-length', None)
         self.headers.pop('content-type', None)
     return body
开发者ID:successtest9,项目名称:pulsar,代码行数:27,代码来源:__init__.py


示例7: digest_auth_header

 def digest_auth_header(self, realm=None, nonce=None, qop=None, opaque=None,
                        algorithm=None, stale=None):
     options = {}
     if nonce is None:
         nonce = hexmd5(to_bytes('%d' % time.time()) + os.urandom(10))
         if opaque is None:
             opaque = hexmd5(os.urandom(10))
     if stale:
         options['stale'] = 'TRUE'
     if opaque is not None:
         options['opaque'] = opaque
     if algorithm is not None:
         options['algorithm'] = algorithm
     if qop is None:
         qop = ('auth',)
     return self._auth_header('digest', realm=realm, nonce=nonce,
                              qop=', '.join(qop), **options)
开发者ID:wilddom,项目名称:pulsar,代码行数:17,代码来源:auth.py


示例8: _create_session

 def _create_session(self, request, user=None):
     #Create new session and added it to the environment.
     old = request.cache.session
     if isinstance(old, Session):
         old.expiry = datetime.now()
         yield old.save()
     if not user:
         user = yield self._anonymous_user(request)
     expiry = datetime.now() + timedelta(seconds=self.session_expiry)
     pid = os.getpid()
     sa = os.urandom(self.salt_size)
     val = to_bytes("%s%s" % (pid, time.time())) + sa + self.secret_key
     id = sha1(val).hexdigest()
     #session is a reserved attribute in router, use dict access
     session = yield request.models[Session].new(id=id, expiry=expiry,
                                                 user=user)
     request.cache.user = session.user
     coroutine_return(session)
开发者ID:pombredanne,项目名称:lux,代码行数:18,代码来源:permissions.py


示例9: _encode_params

    def _encode_params(self, params):
        content_type = self.headers.get('content-type')
        # No content type given, chose one
        if not content_type:
            content_type = FORM_URL_ENCODED

        if hasattr(params, 'read'):
            params = params.read()

        if content_type in JSON_CONTENT_TYPES:
            body = _json.dumps(params)
        elif content_type == FORM_URL_ENCODED:
            body = urlencode(tuple(split_url_params(params)))
        elif content_type == MULTIPART_FORM_DATA:
            body, content_type = encode_multipart_formdata(
                params, charset=self.charset)
        else:
            body = params
        return to_bytes(body, self.charset), content_type
开发者ID:wilddom,项目名称:pulsar,代码行数:19,代码来源:__init__.py


示例10: encode_body

    def encode_body(self):
        '''Encode body or url if the :attr:`method` does not have body.

        Called by the :meth:`encode` method.
        '''
        body = None
        if self.method in ENCODE_URL_METHODS:
            self.files = None
            self._encode_url(self.data)
        elif isinstance(self.data, bytes):
            assert self.files is None, ('data cannot be bytes when files are '
                                        'present')
            body = self.data
        elif is_string(self.data):
            assert self.files is None, ('data cannot be string when files are '
                                        'present')
            body = to_bytes(self.data, self.charset)
        elif self.data or self.files:
            if self.files:
                body, content_type = self._encode_files()
            else:
                body, content_type = self._encode_params()
            self.headers['Content-Type'] = content_type
        return body
开发者ID:Ghost-script,项目名称:dyno-chat,代码行数:24,代码来源:__init__.py


示例11: status_reply

 def status_reply(self, status_string):
     return {'ok': to_bytes(status_string)}
开发者ID:LJS109,项目名称:pulsar,代码行数:2,代码来源:client.py


示例12: send_message

 def send_message(self, msg):
     id = to_bytes(gen_unique_id()[:8])
     self.requests[id] = Deferred()
     self.transport.write(id + to_bytes(msg) + self.separator)
     return self.requests[id]
开发者ID:BazookaShao,项目名称:pulsar,代码行数:5,代码来源:tx.py


示例13: __call__

 def __call__(self, msg):
     id = to_bytes(gen_unique_id()[:8])
     self.requests[id] = d = Deferred()
     self.transport.write(id + to_bytes(msg) + self.separator)
     return d
开发者ID:JinsongBian,项目名称:pulsar,代码行数:5,代码来源:test_tx.py


示例14: encript

 def encript(self, password):
     p = self.crypt_module.encrypt(to_bytes(password, self.encoding),
                                   self.secret_key, self.salt_size)
     return to_string(p, self.encoding)
开发者ID:SirZazu,项目名称:lux,代码行数:4,代码来源:user.py


示例15: challenge_response

 def challenge_response(self, key):
     sha1 = hashlib.sha1(to_bytes(key+WEBSOCKET_GUID))
     return native_str(base64.b64encode(sha1.digest()))
开发者ID:artemmus,项目名称:pulsar,代码行数:3,代码来源:websocket.py


示例16: send

 def send(self, message):
     assert self._waiting is None
     self._waiting = d = Future(loop=self._loop)
     self._transport.sendto(to_bytes(message)+self.separator)
     return d
开发者ID:JinsongBian,项目名称:pulsar,代码行数:5,代码来源:manage.py


示例17: error_reply

 def error_reply(self, error_string, prefix=None):
     prefix = (prefix or 'err').lower()
     return {prefix: to_bytes(error_string)}
开发者ID:LJS109,项目名称:pulsar,代码行数:3,代码来源:client.py



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


鲜花

握手

雷人

路过

鸡蛋
该文章已有0人参与评论

请发表评论

全部评论

专题导读
上一篇:
Python pep.to_string函数代码示例发布时间:2022-05-25
下一篇:
Python pep.range函数代码示例发布时间:2022-05-25
热门推荐
阅读排行榜

扫描微信二维码

查看手机版网站

随时了解更新最新资讯

139-2527-9053

在线客服(服务时间 9:00~18:00)

在线QQ客服
地址:深圳市南山区西丽大学城创智工业园
电邮:jeky_zhao#qq.com
移动电话:139-2527-9053

Powered by 互联科技 X3.4© 2001-2213 极客世界.|Sitemap