python类decode()的实例源码

api_helper.py 文件源码 项目:apimatic-cli 作者: apimatic 项目源码 文件源码 阅读 27 收藏 0 点赞 0 评论 0
def json_deserialize(json, unboxing_function=None):
        """JSON Deerialization of a given string.

        Args:
            json (str): The JSON serialized string to deserialize.

        Returns:
            dict: A dictionary representing the data contained in the
                JSON serialized string.

        """
        if json is None:
            return None

        try:
            decoded = jsonpickle.decode(json)
        except:
            return json

        if unboxing_function is None:
            return decoded
        elif isinstance(decoded, list):
            return [unboxing_function(element) for element in decoded]
        else:
            return unboxing_function(decoded)
APIHelper.py 文件源码 项目:threatdetectionservice 作者: flyballlabs 项目源码 文件源码 阅读 22 收藏 0 点赞 0 评论 0
def json_deserialize(cls, json):
        """
        JSON Deerialization of a given string.

        Args:
            json (str): The JSON serialized string to deserialize.

        Returns:
            dict: A dictionary representing the data contained in the
                JSON serialized string.

        """
        if json is None:
            return None

        return jsonpickle.decode(json)
azure_model_parser.py 文件源码 项目:Azure-Shell 作者: QualiSystems 项目源码 文件源码 阅读 19 收藏 0 点赞 0 评论 0
def convert_to_deploy_azure_vm_resource_model(deployment_request, cloudshell_session, logger):
        """
        Convert deployment request JSON to the DeployAzureVMResourceModel model

        :param str deployment_request: JSON string
        :param cloudshell.api.cloudshell_api.CloudShellAPISession cloudshell_session: instance
        :param logging.Logger logger:
        :return: deploy_azure_vm_resource_models.DeployAzureVMResourceModel instance
        :rtype: DeployAzureVMResourceModel
        """
        data = jsonpickle.decode(deployment_request)
        deployment_resource_model = DeployAzureVMResourceModel()
        data_attributes = data['Attributes']
        deployment_resource_model.image_offer = data_attributes['Image Offer']
        deployment_resource_model.image_publisher = data_attributes['Image Publisher']
        deployment_resource_model.image_sku = data_attributes['Image SKU']
        deployment_resource_model.image_version = data_attributes['Image Version']
        AzureModelsParser._set_base_deploy_azure_vm_model_params(deployment_resource_model=deployment_resource_model,
                                                                 data_holder=data,
                                                                 cloudshell_session=cloudshell_session,
                                                                 logger=logger)

        return deployment_resource_model
objects_test.py 文件源码 项目:auxi.0 作者: Ex-Mente 项目源码 文件源码 阅读 17 收藏 0 点赞 0 评论 0
def test__str__(self):
        """
        Test whether the __str__ method successfully generates a json string
        representation of the object.
        """

        # Confirm that the string representation of the current object and that
        # of an object decoded from this string representation are equal.
        str_o = str(self.o)
        new_o = jsonpickle.decode(str_o)
        self.assertEqual(str_o, str(new_o))

        # Confirm that the property values are preserved through string
        # encoding and decoding.
        self.assertEqual(new_o.name, 'NameA')
        self.assertEqual(new_o.description, 'DescriptionA')
web_handler.py 文件源码 项目:DecidePolitics 作者: georgeaf99 项目源码 文件源码 阅读 16 收藏 0 点赞 0 评论 0
def handle_message(customer_uuid):
    """Handles messages from a phone number with body

    @param customer_uuid The UUID of the sender

    @data message_body The body of the message
    """

    data = jsonpickle.decode(request.data.decode("utf-8"))
    message_body = data["message_body"]

    # Retrieve the message and create the customer
    customer = Customer.load_from_db(customer_uuid)
    messaging.on_message_recieve(customer, message_body)

    return jsonpickle.encode(dict(
        success=True
    ))
common.py 文件源码 项目:DecidePolitics 作者: georgeaf99 项目源码 文件源码 阅读 18 收藏 0 点赞 0 评论 0
def enforce_request_json_schema(schema, no_extra=False):
    """Decorator that throws an exception if the request data doesn't match the given schema

    @param schema A one level deep dictionary that maps keys to types
    @param no_extra A flag which asserts that the request data had no superflous keys
    """
    def validate_data(data):
        if no_extra and data.keys() > schema.keys():
            return False

        check_type = lambda key: isinstance(data[key], schema[key])
        return all(map(check_type, schema.keys()))

    def wraps(f):
        def decorated(*args, **kwargs):
            data = jsonpickle.decode(request.data.decode("utf-8"))
            if not validate_data(data):
                raise DecidePoliticsException(Errors.INVALID_DATA_PRESENT)

            return f(*args, **kwargs)

        return decorated
    return wraps
database.py 文件源码 项目:MemeBot 作者: kurtlewis 项目源码 文件源码 阅读 29 收藏 0 点赞 0 评论 0
def openMemeDB():
    if not os.path.exists("MemeDB.json"):
        memeDbFile = open("MemeDB.json","w")
        memeDbFile.write("[]")
        memeDbFile.close()

    memeDbFile = open("MemeDB.json","r")

    memeDbStr = memeDbFile.read()

    memesList = jsonpickle.decode(memeDbStr)

    memeDbFile.close()

    return memesList



#This function will take a list of meme objects and save it to MemeDB.json
utils_suite.py 文件源码 项目:solidfire-cli 作者: solidfire 项目源码 文件源码 阅读 19 收藏 0 点赞 0 评论 0
def check_tree_generator():
    # First, read in the appropriate values:
    # Input:
    resources = os.path.join("resources", "FormatterUnitTests")
    with open(os.path.join(resources, "JsonOutput.txt")) as f:
        objectModel=jsonpickle.decode(f.read())

    # Verify that they have all the same lines.
    with open(os.path.join(resources, "TreeDepth3.txt")) as f:
        treeDepth3 = f.read()
    assert collections.Counter(
        utils.get_result_as_tree(objectModel, depth=3).split("\n")
    ) == collections.Counter(
        treeDepth3.split("\n")
    )

    # Verify that if we change the depth, it still has all the same lines.
    with open(os.path.join(resources, "TreeDepth5.txt")) as f:
        treeDepth5 = f.read()
    assert collections.Counter(
        utils.get_result_as_tree(objectModel, depth=5).split("\n")
    ) == collections.Counter(
        treeDepth5.split("\n")
    )
    print("Tree generator is working.")
api_helper.py 文件源码 项目:moesifapi-python 作者: Moesif 项目源码 文件源码 阅读 19 收藏 0 点赞 0 评论 0
def json_deserialize(json, unboxing_function=None):
        """JSON Deerialization of a given string.

        Args:
            json (str): The JSON serialized string to deserialize.

        Returns:
            dict: A dictionary representing the data contained in the
                JSON serialized string.

        """
        if json is None:
            return None

        try:
            decoded = jsonpickle.decode(json)
        except:
            return json

        if unboxing_function == None:
            return decoded
        elif type(decoded) == list:
            return [unboxing_function(element) for element in decoded]
        else:
            return unboxing_function(decoded)
save.py 文件源码 项目:Imperialist-Bastards 作者: alabecki 项目源码 文件源码 阅读 21 收藏 0 点赞 0 评论 0
def load_game(save_path):
    jsonpickle.set_preferred_backend('simplejson')

    #cur_path = os.path.dirname(__file__)
    #save_path = os.path.relpath('..\\Save Game\\' + file_name, cur_path)

    with open(save_path, 'r') as save:
        state = jsonpickle.decode(save.read(), keys = True)

    #print("State:")
    #for s in state:
    #   print(s)


    #save = shelve.open(file_name, writeback = False)
    #state = dict()
    #for k, v in save.items():
    #   state[k] = v
    #save.close()
    #save = shelve.open(file_name, flag = "n", writeback = False)

    return state
nodes.py 文件源码 项目:fomod-designer 作者: GandaG 项目源码 文件源码 阅读 23 收藏 0 点赞 0 评论 0
def load_metadata(self):
        """
        Loads this node's metadata which is stored in a child comment encoded in json.
        """
        for child in self:
            if type(child) is NodeComment:
                if child.text.startswith("<designer.metadata.do.not.edit>"):
                    try:
                        self.metadata = decode(child.text.split(maxsplit=1)[1])
                    except JSONDecodeError:
                        continue

        self.model_item.setText(self.metadata.get("name", self.update_item_name()))
        self.user_sort_order = self.metadata.get("user_sort", "0".zfill(7))
        if not self.hidden_children:
            hidden_nodes = self.metadata.get("hidden_nodes", [])
            for node_string in hidden_nodes:
                node_string = node_string.replace("<!- -", "<!--").replace("- ->", "-->")
                node = copy_node(etree.fromstring(node_string), self)  # type: _NodeElement
                self.add_child(node) if node.tag is not etree.Comment else self.append(node)
                node.set_hidden(True)
                self.sort()
                self.model_item.sortChildren(0)
api_helper.py 文件源码 项目:MundiAPI-PYTHON 作者: mundipagg 项目源码 文件源码 阅读 20 收藏 0 点赞 0 评论 0
def json_deserialize(json, unboxing_function=None):
        """JSON Deerialization of a given string.

        Args:
            json (str): The JSON serialized string to deserialize.

        Returns:
            dict: A dictionary representing the data contained in the
                JSON serialized string.

        """
        if json is None:
            return None

        try:
            decoded = jsonpickle.decode(json)
        except:
            return json

        if unboxing_function is None:
            return decoded
        elif isinstance(decoded, list):
            return [unboxing_function(element) for element in decoded]
        else:
            return unboxing_function(decoded)
config.py 文件源码 项目:service-fabric-cli 作者: Azure 项目源码 文件源码 阅读 20 收藏 0 点赞 0 评论 0
def aad_cache():
    """AAD token cache."""
    return jsonpickle.decode(get_config_value('aad_token', fallback=None)), \
           jsonpickle.decode(get_config_value('aad_cache', fallback=None))
format.py 文件源码 项目:treecat 作者: posterior 项目源码 文件源码 阅读 27 收藏 0 点赞 0 评论 0
def json_loads(string):
    return jsonpickle.decode(string)
views.py 文件源码 项目:GAMADV-XTD 作者: taers232c 项目源码 文件源码 阅读 29 收藏 0 点赞 0 评论 0
def _get_flow_for_token(csrf_token, request):
    """ Looks up the flow in session to recover information about requested
    scopes.

    Args:
        csrf_token: The token passed in the callback request that should
            match the one previously generated and stored in the request on the
            initial authorization view.

    Returns:
        The OAuth2 Flow object associated with this flow based on the
        CSRF token.
    """
    flow_pickle = request.session.get(_FLOW_KEY.format(csrf_token), None)
    return None if flow_pickle is None else jsonpickle.decode(flow_pickle)
models.py 文件源码 项目:GAMADV-XTD 作者: taers232c 项目源码 文件源码 阅读 17 收藏 0 点赞 0 评论 0
def to_python(self, value):
        """Overrides ``models.Field`` method. This is used to convert
        bytes (from serialization etc) to an instance of this class"""
        if value is None:
            return None
        elif isinstance(value, oauth2client.client.Credentials):
            return value
        else:
            try:
                return jsonpickle.decode(
                    base64.b64decode(encoding.smart_bytes(value)).decode())
            except ValueError:
                return pickle.loads(
                    base64.b64decode(encoding.smart_bytes(value)))
APIHelper.py 文件源码 项目:pepipost-sdk-python 作者: pepipost 项目源码 文件源码 阅读 22 收藏 0 点赞 0 评论 0
def json_deserialize(json):
        """JSON Deerialization of a given string.

        Args:
            json (str): The JSON serialized string to deserialize.

        Returns:
            dict: A dictionary representing the data contained in the
                JSON serialized string.

        """
        if json is None:
            return None

        return jsonpickle.decode(json)
metrics.py 文件源码 项目:agent-trainer 作者: lopespm 项目源码 文件源码 阅读 19 收藏 0 点赞 0 评论 0
def from_json(bundle_json):
        return jsonpickle.decode(bundle_json)
tests.py 文件源码 项目:moesifdjango 作者: Moesif 项目源码 文件源码 阅读 19 收藏 0 点赞 0 评论 0
def test_mask_body_with_none_and_empty_masks(self):
        body = jsonpickle.decode('{"a": [1, 2, 3, {"b": 1}], "b": [1, 2, 3, {"c": 1}]}')
        masks = None
        result = mask_body(body, masks)
        self.assertEqual(body, result)
        masks = []
        result = mask_body(body, masks)
        self.assertEqual(body, result)
tests.py 文件源码 项目:moesifdjango 作者: Moesif 项目源码 文件源码 阅读 22 收藏 0 点赞 0 评论 0
def test_mask_body_with_deep_item(self):
        body = jsonpickle.decode("""
          {
            "a": [1, 2, 3, {"b": 1}],
            "b": [1, 2, 3, {"c": 1}],
            "c": 123,
            "d": "a string"
          }
          """)
        masks = ['c', 'd']
        result = mask_body(body, masks)
        self.assertIsNone(result.get('d'))
        self.assertIsNone(result['b'][3].get('c'))
APIHelper.py 文件源码 项目:flowroute-numbers-python 作者: flowroute 项目源码 文件源码 阅读 21 收藏 0 点赞 0 评论 0
def json_deserialize(json):
        """JSON Deerialization of a given string.

        Args:
            json (str): The JSON serialized string to deserialize.

        Returns:
            dict: A dictionary representing the data contained in the
                JSON serialized string.

        """
        if json is None:
            return None

        return jsonpickle.decode(json)
predict.py 文件源码 项目:deep-instrument-heroku 作者: bzamecnik 项目源码 文件源码 阅读 25 收藏 0 点赞 0 评论 0
def __init__(self, model_dir):
        self.model_dir = model_dir

        def load_model(arch_file, weights_file):
            """
            Load Keras model from files - YAML architecture, HDF5 weights.
            """
            with open(arch_file) as f:
                model = keras.models.model_from_yaml(f.read())
            model.load_weights(weights_file)
            model.compile(loss='categorical_crossentropy', optimizer='adam',
                metrics=['accuracy'])
            return model

        def load_model_from_dir(model_dir):
            """
            Load Keras model stored into a given directory with some file-name
            conventions. YAML architecture, HDF5 weights.
            """
            return load_model(
                model_dir + '/model_arch.yaml',
                model_dir + '/model_weights.h5')

        self.model = load_model_from_dir(model_dir)

        with open(model_dir + '/preproc_transformers.json', 'r') as f:
            self.instr_family_le, self.scaler, self.ch = \
                jsonpickle.decode(f.read())
db.py 文件源码 项目:Sadjad-AI-Server 作者: mhb8898 项目源码 文件源码 阅读 22 收藏 0 点赞 0 评论 0
def process_result_value(self, value, engine):
        if value:
            return jsonpickle.decode(value)
        else:
            # default can also be a list
            return {}
portfolio.py 文件源码 项目:InplusTrader_Linux 作者: zhengwsh 项目源码 文件源码 阅读 20 收藏 0 点赞 0 评论 0
def set_state(self, state):
        state = state.decode('utf-8')
        value = jsonpickle.decode(state)
        self._start_date = value['start_date']
        self._static_unit_net_value = value['static_unit_net_value']
        self._units = value['units']
        for k, v in six.iteritems(value['accounts']):
            if k == 'ACCOUNT_TYPE.STOCK':
                self._accounts[ACCOUNT_TYPE.STOCK].set_state(v)
            elif k == 'ACCOUNT_TYPE.FUTURE':
                self._accounts[ACCOUNT_TYPE.FUTURE].set_state(v)
            else:
                raise NotImplementedError
invoice_crud.py 文件源码 项目:PythonV3InvoiceSampleApp 作者: IntuitDeveloper 项目源码 文件源码 阅读 16 收藏 0 点赞 0 评论 0
def queryInvoice(query, context):
    # get realm for OAuth1 from view session and OAuth2 from settings
    if settings.oauth_flag == 1:
        realm_id = context.realmId
    else:
        realm_id = settings.realm_id
    url = settings.base_url+realm_id+"/query?query="+quote(query)+"&minorversion=9"
    request = services.makeRequest(url, 'GET', context)
    queryResponse = request.json()
    if len(queryResponse["QueryResponse"].keys()) > 0:
        invoiceList = []
        for each in queryResponse["QueryResponse"]['Invoice']:
            deserialize_obj_string = "py/object"
            each["py/object"] = "SampleInvoiceCRUD.models.Invoice"
            lines = each["Line"]
            for line in lines:
                line[deserialize_obj_string] = "SampleInvoiceCRUD.models.LineItem"
            invoice_json_str = json.dumps(each)
            invoice_obj = jsonpickle.decode(invoice_json_str)
            invoiceList.append(invoice_obj)
        return invoiceList
    else:
        message = "Your query returned empty response."
        return message

# Similar to create, need to provide Id, SyncToken and other updated fields
invoice_crud.py 文件源码 项目:PythonV3InvoiceSampleApp 作者: IntuitDeveloper 项目源码 文件源码 阅读 17 收藏 0 点赞 0 评论 0
def readInvoice(invoiceId, context):
    # get realm for OAuth1 from view session and OAuth2 from settings
    if settings.oauth_flag == 1:
        realm_id = context.realmId
    else:
        realm_id = settings.realm_id
    url=settings.base_url+realm_id+"/invoice/"+str(invoiceId)+"?minorversion=9"
    request = services.makeRequest(url, 'GET', context)
    invoice_json = request.json()
    if request.status_code == 200:
        # Add key value for jsonpickle to work
        deserialize_obj_string = "py/object"
        invoice_json["Invoice"][deserialize_obj_string] = "SampleInvoiceCRUD.models.Invoice"
        lines = invoice_json["Invoice"]["Line"]
        for line in lines:
            line[deserialize_obj_string] = "SampleInvoiceCRUD.models.LineItem"

        invoice = invoice_json["Invoice"]
        invoice_json_str = json.dumps(invoice)
        invoice_obj = jsonpickle.decode(invoice_json_str)
        if(type(invoice_obj)) == Invoice:
            return invoice_obj
        else:
            return "Could not deserialize invoice. Please use this object as a dictionary."
    else:
        return 'No invoice found with Id '+str(invoiceId)
views.py 文件源码 项目:deb-python-oauth2client 作者: openstack 项目源码 文件源码 阅读 24 收藏 0 点赞 0 评论 0
def _get_flow_for_token(csrf_token, request):
    """ Looks up the flow in session to recover information about requested
    scopes.

    Args:
        csrf_token: The token passed in the callback request that should
            match the one previously generated and stored in the request on the
            initial authorization view.

    Returns:
        The OAuth2 Flow object associated with this flow based on the
        CSRF token.
    """
    flow_pickle = request.session.get(_FLOW_KEY.format(csrf_token), None)
    return None if flow_pickle is None else jsonpickle.decode(flow_pickle)
models.py 文件源码 项目:deb-python-oauth2client 作者: openstack 项目源码 文件源码 阅读 17 收藏 0 点赞 0 评论 0
def to_python(self, value):
        """Overrides ``models.Field`` method. This is used to convert
        bytes (from serialization etc) to an instance of this class"""
        if value is None:
            return None
        elif isinstance(value, oauth2client.client.Credentials):
            return value
        else:
            try:
                return jsonpickle.decode(
                    base64.b64decode(encoding.smart_bytes(value)).decode())
            except ValueError:
                return pickle.loads(
                    base64.b64decode(encoding.smart_bytes(value)))
APIHelper.py 文件源码 项目:kairos-emotion-sdk-python 作者: kairosinc 项目源码 文件源码 阅读 22 收藏 0 点赞 0 评论 0
def json_deserialize(json):
        """JSON Deerialization of a given string.

        Args:
            json (str): The JSON serialized string to deserialize.

        Returns:
            dict: A dictionary representing the data contained in the
                JSON serialized string.

        """
        if json is None:
            return None

        return jsonpickle.decode(json)
grammeme_vectorizer.py 文件源码 项目:rupo 作者: IlyaGusev 项目源码 文件源码 阅读 16 收藏 0 点赞 0 评论 0
def load(self):
        with open(self.dump_filename, "r", encoding='utf-8') as f:
            vectorizer = jsonpickle.decode(f.read())
            self.__dict__.update(vectorizer.__dict__)


问题


面经


文章

微信
公众号

扫码关注公众号