- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我可以在 python 中执行此操作,它为我提供了函数内可用的子模块/参数。
在解释器中,我可以这样做:
>>> from nltk import pos_tag
>>> dir(pos_tag)
['__call__', '__class__', '__closure__', '__code__', '__defaults__', '__delattr__', '__dict__', '__doc__', '__format__', '__get__', '__getattribute__', '__globals__', '__hash__', '__init__', '__module__', '__name__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', 'func_closure', 'func_code', 'func_defaults', 'func_dict', 'func_doc', 'func_globals', 'func_name']
顺便说一句,dir(function)
调用是什么?
我如何知道调用该函数需要哪些参数?对于pos_tag
,源代码说它需要token
,请参阅https://github.com/nltk/nltk/blob/develop/nltk/tag/init.py
def pos_tag(tokens):
"""
Use NLTK's currently recommended part of speech tagger to
tag the given list of tokens.
>>> from nltk.tag import pos_tag # doctest: +SKIP
>>> from nltk.tokenize import word_tokenize # doctest: +SKIP
>>> pos_tag(word_tokenize("John's big idea isn't all that bad.")) # doctest: +SKIP
[('John', 'NNP'), ("'s", 'POS'), ('big', 'JJ'), ('idea', 'NN'), ('is',
'VBZ'), ("n't", 'RB'), ('all', 'DT'), ('that', 'DT'), ('bad', 'JJ'),
('.', '.')]
:param tokens: Sequence of tokens to be tagged
:type tokens: list(str)
:return: The tagged tokens
:rtype: list(tuple(str, str))
"""
tagger = load(_POS_TAGGER)
return tagger.tag(tokens)
如果文档字符串可用于该函数,是否有办法知道该函数期望特定参数的参数类型是什么?,例如在上面的 pos_tag 情况下,它是 :param tokens: Sequence of tokens to be tagged
和 :type tokens: list(str)
这些信息可以是在不阅读代码的情况下运行解释器时得到的结果?
最后,有没有办法知道返回类型是什么?
需要明确的是,我并不期待文档字符串的打印输出,但上面的问题是为了我可以稍后使用 isinstance(output_object, type)
进行某种类型检查
最佳答案
以下是您的四个问题的答案。恐怕你想做的一些事情在标准库中是不可能的,除非你想自己解析文档字符串。
(1) BTW, what's dir(function) call?
如果我正确理解这个问题,我相信文档回答了这个问题 here :
If the object has a method named
__dir__()
, this method will be called and must return the list of attributes. This allows objects that implement a custom__getattr__()
or__getattribute__()
function to customize the way dir() reports their attributes.If the object does not provide
__dir__()
, the function tries its best to gather information from the object’s__dict__
attribute, if defined, and from its type object.(2) How do I know what parameters is necessary to call the function?
最好的方法是使用inspect
:
>>> from nltk import pos_tag
>>> from inspect import getargspec
>>> getargspec(pos_tag)
ArgSpec(args=['tokens'], varargs=None, keywords=None, defaults=None) # a named tuple
>>> getargspec(pos_tag).args
['tokens']
(3) If a docstring is available for the function is there a way to know what is the parameter type that the function is expecting for a specific parameter?
不在标准库中,除非您想自己解析文档字符串。您可能已经知道可以像这样访问文档字符串:
>>> from inspect import getdoc
>>> print getdoc(pos_tag)
Use NLTK's currently recommended part of speech tagger to
tag the given list of tokens.
>>> from nltk.tag import pos_tag
>>> from nltk.tokenize import word_tokenize
>>> pos_tag(word_tokenize("John's big idea isn't all that bad."))
[('John', 'NNP'), ("'s", 'POS'), ('big', 'JJ'), ('idea', 'NN'), ('is',
'VBZ'), ("n't", 'RB'), ('all', 'DT'), ('that', 'DT'), ('bad', 'JJ'),
('.', '.')]
:param tokens: Sequence of tokens to be tagged
:type tokens: list(str)
:return: The tagged tokens
:rtype: list(tuple(str, str))
或者这个:
>>> print pos_tag.func_code.co_consts[0]
Use NLTK's currently recommended part of speech tagger to
tag the given list of tokens.
>>> from nltk.tag import pos_tag
>>> from nltk.tokenize import word_tokenize
>>> pos_tag(word_tokenize("John's big idea isn't all that bad."))
[('John', 'NNP'), ("'s", 'POS'), ('big', 'JJ'), ('idea', 'NN'), ('is',
'VBZ'), ("n't", 'RB'), ('all', 'DT'), ('that', 'DT'), ('bad', 'JJ'),
('.', '.')]
:param tokens: Sequence of tokens to be tagged
:type tokens: list(str)
:return: The tagged tokens
:rtype: list(tuple(str, str))
如果您想尝试自己解析参数和“类型”,您可以从正则表达式开始。但显然,我宽松地使用了“类型”这个词。此外,这种方法仅适用于以这种特定方式列出参数和类型的文档字符串:
>>> import re
>>> params = re.findall(r'(?<=:)type\s+([\w]+):\s*(.*?)(?=\n|$)', getdoc(pos_tag))
>>> for param, type_ in params:
print param, '=>', type_
tokens => list(str)
这种方法的结果当然会给你参数及其相应的描述。您还可以通过拆分字符串并仅保留满足以下要求的单词来检查描述中的每个单词:
>>> isinstance(eval(word), type)
True
>>> isinstance(eval('list'), type)
True
但是这种方法很快就会变得复杂,尤其是在尝试解析 pos_tag
的最后一个参数时。此外,文档字符串通常根本不具有这种格式。因此,这可能只适用于 nltk
,但即便如此,也并非一直有效。
(4) And lastly, is there a way to know what is the return type?
再说一遍,恐怕不行,除非您想使用上面的正则表达式示例来梳理文档字符串。返回类型可能会根据 arg(s) 类型而有所不同。 (考虑任何可与任何迭代一起使用的函数。)如果您想尝试从文档字符串中提取此信息(同样,以 pos_tag
文档字符串的精确格式),您可以尝试另一个正则表达式:
>>> return_ = re.search(r'(?<=:)rtype:\s*(.*?)(?=\n|$)', getdoc(pos_tag))
>>> if return_:
print 'return "type" =', return_.group()
return "type" = rtype: list(tuple(str, str))
否则,我们在这里能做的最好的事情就是获取源代码(这又是您明确不想要的):
>>> import inspect
>>> print inspect.getsource(pos_tag)
def pos_tag(tokens):
"""
Use NLTK's currently recommended part of speech tagger to
tag the given list of tokens.
>>> from nltk.tag import pos_tag
>>> from nltk.tokenize import word_tokenize
>>> pos_tag(word_tokenize("John's big idea isn't all that bad."))
[('John', 'NNP'), ("'s", 'POS'), ('big', 'JJ'), ('idea', 'NN'), ('is',
'VBZ'), ("n't", 'RB'), ('all', 'DT'), ('that', 'DT'), ('bad', 'JJ'),
('.', '.')]
:param tokens: Sequence of tokens to be tagged
:type tokens: list(str)
:return: The tagged tokens
:rtype: list(tuple(str, str))
"""
tagger = load(_POS_TAGGER)
return tagger.tag(tokens)
关于python - 探测 python 函数,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/27263605/
在我的应用程序中,我想将 DLL 文件放在一个子目录中。我正在使用 probing app.config 中的元素,它工作得很好,但我遇到了本地化程序集的问题。 如果我有两个 DLL:
我可以在 python 中执行此操作,它为我提供了函数内可用的子模块/参数。 在解释器中,我可以这样做: >>> from nltk import pos_tag >>> dir(pos_tag) [
是否可以在 visualVM 中探测单个类?例如,我想查看在特定类中执行某个方法所花费的时间。 谢谢 最佳答案 是的,这是可能的。如果您只对分析一个类感兴趣,则可以将分析根设置为该类。参见 Profi
从 Linux 内核 3.0 开始,pci 探测是自动的:pci_register_driver(&pci_driver); Linux 内核 2.6 及更早版本,程序员必须创建一个字符设备,遍历 P
在我正在使用的 app.config 中 加载 OracleLibs 子文件夹中的 dll 但是当运行程序时出现错误: Ora
我有一个程序,其中有一个主/从设置,我为主机实现了一些功能,这些功能将不同类型的数据发送到从机。一些函数发送给单个从站,但一些函数通过 MPI_Bcast 向所有从站广播信息。 我想在从站中只有一个接
我正在尝试使用 exec 探测器来了解 GKE 中的就绪性和活跃度。这是因为它是 Kubernetes 的一部分 recommended way to do health checks在 gRPC 后
我有一个包含多个独立1 组件的程序。 在所有组件中添加一个 active 探测器是微不足道的,但是拥有一个单个 active 探测器来确定所有程序组件的健康状况并不容易。 我如何让 kubernete
我正在尝试运行通过端口 80 和 443 公开的服务。 SSL 终止发生在 pod 上。 我只为活性探测指定了端口 80,但由于某些原因,kubernates 也在探测 https(443)。为什么会
我正在关注“Moving Frostbite to PBR course notes” ' 在我的 OpenGL 渲染引擎中实现 IBL,但我在预积分方程的镜面反射分量时遇到了一些问题。 正如您将从我
typeof(foo)给我类型。但假设我想深入挖掘。 例如 父类(super class)型/树 列出数据成员 跳转到源代码定义 帮助/文档 还要别的吗?它是在哪个模块中定义的? 我能做得比简单地扔T
Java 使用什么作为 HashMap 的默认探测方法?是线性的吗?链接还是其他? 最佳答案 看起来像是对我的链接。代码:(link) ...724 /**725 *
如果使用setsockopt 将套接字设置为SO_KEEPALIVE,是否意味着调用setsockopt 的一方将发送keepalive 探测? 因此,如果一方执行以下步骤,它将发送保活探测: 使用s
我想验证 dhcp 服务器配置,即客户端是否获得正确的 DNS 服务器、域名等。我有一个有效的 DHCP 设置,以及一台具有静态 IP 地址的计算机,我可以从该地址向 DHCP 服务器发送 DHCP
在思考 BitTorrent 的工作原理时,我想到了几个问题。如果有人可以分享一些可能的回应,将不胜感激。 假设一个 BitTorrent 从跟踪器获得 50 个对等点,然后与其中的 20 个建立连接
我想看看程序何时进入使用 Dtrace 的类。 例如: dtrace -c './myProgram' -n 'pid$target:myProgram:function:entry' 当程序 myP
我使用的是 OS X Yosemite 10.10.5。我有一个用 Rust 编写的库,我需要测量在库中花费的运行时间。我像这样设置了一些 pid 探测器(不是实际的脚本): pid$target::
我正在运行一个无法更改任何规范的 Web 服务。我想在 Kubernetes 上使用带有 HTTP POST 的活性探针。我找不到任何可用的东西。我对busybox和netcat的所有努力都失败了。
我想知道/获得有关如何为 RabbitMQ 队列消费者设置 active 探测的意见。我不确定如何验证消费者是否仍在处理来自队列的消息。我已经尝试在互联网上搜索一些线索,但找不到任何线索。所以只是在这
给定一个 Python 应用程序,它在无限循环中轮询 Kafka 主题,并在处理接收到的 Kafka 消息后将结果上传到 s3 存储桶。 在为 Kubernetes 定义就绪性和活跃度探测时应该考虑什
我是一名优秀的程序员,十分优秀!