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


Python attr.asdict方法代码示例

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


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

示例1: test_repository_preserve

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def test_repository_preserve(converter):
    repo = RepositoriesRegistry()
    repo.add_repo(url='https://example.com', name='insane')
    repo.add_repo(url='https://pypi.org/simple/', name='pypi')
    root = RootDependency()
    dep1 = DependencyMaker.from_params(
        source=root,
        raw_name='dephell',
        constraint='*',
        repo=repo,
    )[0]
    req = Requirement(dep=dep1, roots=[root.name], lock=False)

    content1 = converter.dumps([req], project=root)
    root2 = converter.loads(content1)
    assert len(root2.dependencies) == 1
    dep2 = root2.dependencies[0]

    repos1 = [attr.asdict(repo) for repo in dep1.repo.repos]
    repos2 = [attr.asdict(repo) for repo in dep2.repo.repos]
    assert repos1 == repos2 
开发者ID:dephell,项目名称:dephell,代码行数:23,代码来源:test_all.py

示例2: prepare_for_json

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def prepare_for_json(obj):
    if isinstance(obj, (list, tuple, set)):
        return [prepare_for_json(x) for x in obj]
    elif issubclass(obj.__class__, enum.Enum):
        return obj.value
    elif isinstance(obj, dict):
        return {
            prepare_for_json(k): prepare_for_json(v)
            for k, v in obj.items()
            if v is not None
            and ((isinstance(v, list) and v) or not isinstance(v, list))
        }
    elif isinstance(obj, str):
        return obj
    try:
        return prepare_for_json(attr.asdict(obj))
    except attr.exceptions.NotAnAttrsClassError:
        pass
    return obj 
开发者ID:item4,项目名称:yui,代码行数:21,代码来源:endpoint.py

示例3: _to_type_from_attrs

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def _to_type_from_attrs(spec) -> Type:
  """Converts an `attr.s` class or instance to a `tff.Type`."""
  if isinstance(spec, type):
    # attrs class type, introspect the attributes for their type annotations.
    elements = [(a.name, a.type) for a in attr.fields(spec)]
    missing_types = [n for (n, t) in elements if not t]
    if missing_types:
      raise TypeError((
          "Cannot infer tff.Type for attr.s class '{}' because some attributes "
          'were missing type specifications: {}').format(
              spec.__name__, missing_types))
    the_type = spec
  else:
    # attrs class instance, inspect the field values for instances convertible
    # to types.
    elements = attr.asdict(
        spec, dict_factory=collections.OrderedDict, recurse=False)
    the_type = type(spec)

  return NamedTupleTypeWithPyContainerType(elements, the_type) 
开发者ID:tensorflow,项目名称:federated,代码行数:22,代码来源:computation_types.py

示例4: dump

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def dump(self, app_name):
        """Store information in a cache."""
        cache = self._cache(app_name)

        # Attempt to write out our version check file
        with lockfile.LockFile(str(cache)):
            if cache.exists():
                with cache.open() as fp:
                    state = json.load(fp)
            else:
                state = {}

            state[sys.prefix] = attr.asdict(self)

            with cache.open('w') as fp:
                json.dump(state, fp, sort_keys=True) 
开发者ID:SwissDataScienceCenter,项目名称:renku-python,代码行数:18,代码来源:version.py

示例5: test_asdict

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def test_asdict(self):
        ts = msprime.simulate(10, mutation_rate=1, random_seed=1)
        t = ts.tables
        self.add_metadata(t)
        d1 = {
            "encoding_version": (1, 1),
            "sequence_length": t.sequence_length,
            "metadata_schema": str(t.metadata_schema),
            "metadata": t.metadata_schema.encode_row(t.metadata),
            "individuals": t.individuals.asdict(),
            "populations": t.populations.asdict(),
            "nodes": t.nodes.asdict(),
            "edges": t.edges.asdict(),
            "sites": t.sites.asdict(),
            "mutations": t.mutations.asdict(),
            "migrations": t.migrations.asdict(),
            "provenances": t.provenances.asdict(),
        }
        d2 = t.asdict()
        self.assertEqual(set(d1.keys()), set(d2.keys()))
        t1 = tskit.TableCollection.fromdict(d1)
        t2 = tskit.TableCollection.fromdict(d2)
        self.assertEqual(t1, t2) 
开发者ID:tskit-dev,项目名称:tskit,代码行数:25,代码来源:test_tables.py

示例6: test_from_dict

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def test_from_dict(self):
        ts = msprime.simulate(10, mutation_rate=1, random_seed=1)
        t1 = ts.tables
        self.add_metadata(t1)
        d = {
            "encoding_version": (1, 1),
            "sequence_length": t1.sequence_length,
            "metadata_schema": str(t1.metadata_schema),
            "metadata": t1.metadata_schema.encode_row(t1.metadata),
            "individuals": t1.individuals.asdict(),
            "populations": t1.populations.asdict(),
            "nodes": t1.nodes.asdict(),
            "edges": t1.edges.asdict(),
            "sites": t1.sites.asdict(),
            "mutations": t1.mutations.asdict(),
            "migrations": t1.migrations.asdict(),
            "provenances": t1.provenances.asdict(),
        }
        t2 = tskit.TableCollection.fromdict(d)
        self.assertEquals(t1, t2) 
开发者ID:tskit-dev,项目名称:tskit,代码行数:22,代码来源:test_tables.py

示例7: get_execution_info

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def get_execution_info(self, current_task):
        # type: (...) -> ExecutionInfo
        try:
            execution = ExecutionInfo.from_task(current_task)
        except Exception as e:
            self.error("Could not parse task execution info: {}".format(e.args[0]))
            current_task.failed(
                status_reason=e.args[0], status_message=self._task_status_change_message
            )
            self.exit(e.args[0])
        if "\\" in execution.working_dir:
            warning(
                'Working dir "{}" contains backslashes. '
                "All path separators must be forward slashes.".format(
                    execution.working_dir
                )
            )
        print("Executing task id [%s]:" % current_task.id)
        for pair in attr.asdict(execution).items():
            print("{} = {}".format(*pair))
        print()
        return execution 
开发者ID:allegroai,项目名称:trains-agent,代码行数:24,代码来源:worker.py

示例8: json_ready_header_auth

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def json_ready_header_auth(header_auth):
    # type: (MessageHeaderAuthentication) -> Dict[str, Text]
    """Create a JSON-serializable representation of a
    :class:`aws_encryption_sdk.internal.structures.MessageHeaderAuthentication`.

    http://docs.aws.amazon.com/encryption-sdk/latest/developer-guide/message-format.html#header-authentication

    :param header_auth: header auth for which to create a JSON-serializable representation
    :type header_auth: aws_encryption_sdk.internal.structures.MessageHeaderAuthentication
    :rtype: dict
    """
    dict_header_auth = attr.asdict(header_auth)

    for key, value in dict_header_auth.items():
        dict_header_auth[key] = unicode_b64_encode(value)

    return dict_header_auth 
开发者ID:aws,项目名称:aws-encryption-sdk-cli,代码行数:19,代码来源:metadata.py

示例9: dump_devinfo

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def dump_devinfo(dev: Device, file):
    """Dump developer information.

    Pass `file` to write the results directly into a file.
    """
    import attr

    methods = await dev.get_supported_methods()
    res = {
        "supported_methods": {k: v.asdict() for k, v in methods.items()},
        "settings": [attr.asdict(x) for x in await dev.get_settings()],
        "sysinfo": attr.asdict(await dev.get_system_info()),
        "interface_info": attr.asdict(await dev.get_interface_information()),
    }
    if file:
        click.echo("Saving to file: %s" % file.name)
        json.dump(res, file, sort_keys=True, indent=4)
    else:
        click.echo(json.dumps(res, sort_keys=True, indent=4)) 
开发者ID:rytilahti,项目名称:python-songpal,代码行数:21,代码来源:main.py

示例10: create_specification

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def create_specification(self):
        """
        Create a new chute specification from the existing chute.

        This is a completely clean copy of all information necessary to rebuild
        the Chute object. It should contain only primitive types, which can
        easily be serialized as JSON or YAML.
        """
        def no_privates(a, _):
            return not a.name.startswith('_')

        return attr.asdict(self, filter=no_privates) 
开发者ID:ParadropLabs,项目名称:Paradrop,代码行数:14,代码来源:chute.py

示例11: _as_dict

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def _as_dict(self):
    return attr.asdict(self, recurse=False) 
开发者ID:luci,项目名称:recipes-py,代码行数:4,代码来源:post_process_inputs.py

示例12: to_step_dict

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def to_step_dict(self):
    step_dict = {k: v for k, v in self._as_dict().iteritems()
                 if k == 'name' or v != PROTOTYPE_STEP[k]}
    if step_dict.get('cmd', None) is not None:
      step_dict['cmd'] = list(step_dict['cmd'])
    if step_dict.get('cost', None) is not None:
      cost = step_dict['cost']
      step_dict['cost'] = attr.asdict(cost)
    for k in step_dict.keys():
      if k.startswith('_'):
        step_dict[k[1:]] = step_dict.pop(k)
    return step_dict 
开发者ID:luci,项目名称:recipes-py,代码行数:14,代码来源:post_process_inputs.py

示例13: asdict

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def asdict(self):
    """Returns this SimpleRecipesCfg as a JSON-serializable dict.

    This is mostly the same as `attr.asdict`, except that it knows how to
    deal with the fact that SimpleRecipesCfg.deps is a FrozenDict."""
    ret = attr.asdict(self)
    ret['deps'] = {k: attr.asdict(v) for k, v in ret['deps'].iteritems()}
    ret['project_id'] = ret['repo_name']   # Alias repo_name<->project_id
    return ret 
开发者ID:luci,项目名称:recipes-py,代码行数:11,代码来源:simple_cfg.py

示例14: _asdict

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def _asdict(self):
    ret = thaw(attr.asdict(self, filter=(lambda attr, val: (
      (val and val != attr.default or (attr.name in self._RENDER_WHITELIST)) and
      attr.name not in self._RENDER_BLACKLIST
    ))))
    if self.env_prefixes.mapping:
      ret['env_prefixes'] = dict(self.env_prefixes.mapping)
    if self.env_suffixes.mapping:
      ret['env_suffixes'] = dict(self.env_suffixes.mapping)
    return ret 
开发者ID:luci,项目名称:recipes-py,代码行数:12,代码来源:engine_step.py

示例15: __iter__

# 需要导入模块: import attr [as 别名]
# 或者: from attr import asdict [as 别名]
def __iter__(self):
        return iter(k for k, v in attr.asdict(self).items() if v is not None) 
开发者ID:quatrope,项目名称:feets,代码行数:4,代码来源:base.py


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