- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我正在尝试执行以下操作:
在命令行中:
python __main__.py 127.0.0.1
main.py 中的:
address = sys.argv[1]
然后在我的 config.py 文件中,我导入这样的地址:
from __main__.py import address
...
EXAMPLE_URL = f"http://{address}/login"
我在一个简单的测试场景中使用 URL,它是从配置导入的,我收到以下错误:
ImportError: cannot import name 'address' from '__main__' (__main__.py)
这是我的目录结构:
QA System/
├── config/
│ ├── config.py
│ ├── __init__.py
├── .... some other unneccessary stuff
└── tests/
├── test_scenarios
├── test_scenario_01.py
├── test_scenario_02.py
├── __init__.py
|── test_suite.py
|── __init__.py
|
|-- __main__.py < --- I launch tests from here
|-- __init__.py
似乎错误是在导入过程中的配置文件中,但我不明白错误在哪里。提前致谢!
主要.py文件:
import argparse
import sys
from tests.test_suite import runner
if __name__ == "__main__":
address = str(sys.argv[1])
runner() # This runs the tests, and the tests also use config.py for
various settings, I am worried something happens with the
imports there.
最佳答案
你有一个 circular import
当您在 Python 中导入模块时,例如,import __main__
就像您的示例中那样,将为模块的命名空间创建一个 module
对象,该对象最初是空的.然后,随着模块主体中的代码被执行——分配变量、定义函数和类等,命名空间将按顺序填充。例如。采取以下脚本:
$ cat a.py
print(locals())
an_int = 1
print("after an_int = 1")
print(locals())
def a_func(): pass
print("after def a_func(): pass")
print(locals())
然后运行它:
$ python a.py
{'__builtins__': <module '__builtin__' (built-in)>, '__name__': '__main__', '__file__': 'a.py', '__doc__': None, '__package__': None}
after an_int = 1
{'an_int': 1, '__builtins__': <module '__builtin__' (built-in)>, '__file__': 'a.py', '__package__': None, '__name__': '__main__', '__doc__': None}
after def a_func(): pass
{'an_int': 1, 'a_func': <function a_func at 0x6ffffeed758>, '__builtins__': <module '__builtin__' (built-in)>, '__file__': 'a.py', '__package__': None, '__name__': '__main__', '__doc__': None}
您可以看到命名空间被逐行填充。
现在假设我们将其修改为:
$ cat a.py
print(locals())
an_int = 1
print("after an_int = 1")
print(locals())
import b
print("after import b")
def a_func(): pass
print("after def a_func(): pass")
print(locals())
并添加b.py
:
$ cat b.py
import sys
print('a is in progress of being imported:', sys.modules['a'])
print("is a_func defined in a? `'a_func' in sys.modules['a'].__dict__`:",
'a_func' in sys.modules['a'].__dict__)
from a import a_func
然后像这样运行它:
python -c 'import a'
你会得到一些以 Traceback 结尾的输出:
...
after an_int = 1
{'an_int': 1, '__builtins__': <module '__builtin__' (built-in)>, '__file__': 'a.py', '__package__': None, '__name__': '__main__', '__doc__': None}
a is in progress of being imported: <module 'a' from '/path/to/a.py'>
is a_func defined in a? `'a_func' in sys.modules['a'].__dict__`: False
Traceback (most recent call last):
File "<string>", line 1, in <module>
File "a.py", line 7, in <module>
import b
File "b.py", line 1, in <module>
from a import a_func
ImportError: cannot import name 'a_func'
但是,如果您将 import b
移动到 a_func
的定义之后:
$ cat a.py
print(locals())
an_int = 1
print("after an_int = 1")
print(locals())
def a_func(): pass
print("after def a_func(): pass")
print(locals())
import b
print("after import b")
再次运行 python -c 'import a'
你会看到它起作用了,输出以“after import b”结束。
红利问题:为什么我要运行 python -c 'import a'
而不仅仅是 python a.py
?如果您尝试后者,以前的版本实际上有效 并且似乎导入了 a.py
两次。这是因为当您运行 python somemodule.py
时,它最初不是作为 somemodule
导入的,而是作为 __main__
导入的。因此,从导入系统的角度来看,a
模块在运行 from a import a_func
时尚未导入。一个非常令人困惑的警告。
所以在你的情况下,如果你有类似 __main__.py
的东西:
import config
address = 1
在 config.py
中:
from __main__ import address
当你运行 python __main__.py
时,当它运行 import config
时,address
还没有分配,所以代码在 config
中尝试从 __main__
导入 address
导致 ImportError
。
在你的情况下,它有点复杂,因为你没有直接在 __main__
中导入 config
从它的样子,但间接地,这仍然是正在发生的事情。
在这种情况下,您不应该通过 import 语句在模块之间传递变量。事实上,__main__
应该只是你代码的命令行前端,你的代码的其余部分应该能够独立于它工作(例如,一个好的设计可以让你运行from tests.test_runner import runner
并从交互式 Python 提示符调用 runner()
,原则上,即使您实际上从未那样使用它)。
因此,让 runner(...)
为它需要的任何选项获取参数。然后 __main__.py
只会从命令行参数中获取这些参数。例如:
def runner(address=None):
# Or maybe just runner(address) if you don't want to make the
# address argument optional
然后
if __name__ == '__main__':
address = sys.argv[1] # Use argparse instead if you can
runner(address=address)
关于Python - 命令行参数提取为字符串 ImportError,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/57552740/
我正在做一个业余爱好项目,使用 Ruby、PHP 或 Java 来抓取 ASP.net 网站的内容。例如,如果网站 url“www.myaspnet.com/home.aspx”。我想从 home.a
如果我有这些字符串: mystrings <- c("X2/D2/F4", "X10/D9/F4", "X3/D22/F4",
我有以下数据集 > head(names$SAMPLE_ID) [1] "Bacteria|Proteobacteria|Gammaproteobacteria|Pseudomonadales|Mor
设置: 3个域类A,B和C。A和B在插件中。 C在依赖于此插件的应用程序中。 class A{ B b static mapping = { b fetch: 'joi
我不知道如何提取 XML 文件中的开始标记元素名称。我很接近〜意味着没有错误,我正在获取标签名称,但我正在获取标签名称加上信息。我得到的是: {http://www.publishing.org}au
我有一个字符串 x <- "Name of the Student? Michael Sneider" 我想从中提取“Michael Sneider”。 我用过: str_extract_all(x,
我有一个如下所示的文本文件: [* content I want *] [ more content ] 我想读取该文件并能够提取我想要的内容。我能做的最好的事情如下,但它会返回 [更多内容] 请注意
假设我有一个项目集合 $collection = array( 'item1' => array( 'post' => $post, 'ca
我正在寻找一种过滤文本文件的方法。我有许多文件夹名称,其中包含许多文本文件,文本文件有几个没有人员,每个人员有 10 个群集/组(我在这里只显示了 3 个)。但是每个组/簇可能包含几个原语(我在这里展
我已经编写了一个从某个网页中提取网址的代码,我面临的问题是它不会以网页上相同的方式提取网址,我的意思是如果该网址位于某些网页中法语,它不会按原样提取它。我该如何解决这个问题? import reque
如何在 C# 中提取 ZipFile?(ZipFile 是包含文件和目录) 最佳答案 为此使用工具。类似于 SharpZip .据我所知 - .NET 不支持开箱即用的 ZIP 文件。 来自 here
我有一个表达: [training_width]:lofmimics 我要提取[]之间的内容,在上面的例子中我要 training_width 我试过以下方法: QRegularExpression
我正在尝试创建一个 Bash 脚本,该脚本将从命令行给出的最后一个参数提取到一个变量中以供其他地方使用。这是我正在处理的脚本: #!/bin/bash # compact - archive and
我正在寻找一个 JavaScript 函数/正则表达式来从 URI 中提取 *.com...(在客户端完成) 它应该适用于以下情况: siphone.com = siphone.com qwr.sip
关闭。这个问题需要更多focused .它目前不接受答案。 想改进这个问题吗? 更新问题,使其只关注一个问题 editing this post . 关闭 8 年前。 Improve this qu
编辑:添加了实际的 JSON 对象和代码以供审查 我有这种格式的 JSON(只是这种层次结构,假设 JSON 正常工作) {u'kind': u'calendar#events', u'default
我已经编写了代码来使用 BeautifulSoup 提取一本书的 url 和标题来自页面。 但它并没有在 > 之间提取惊人的 super 科学故事 1930 年 4 月这本书的名字。和 标签。 如何提
使用 Java,我想提取美元符号 $ 之间的单词。 例如: String = " this is first attribute $color$. this is the second attribu
您好,我正在尝试找到一种方法来确定字符串中的常量,然后提取该常量左侧的一定数量的字符。 例如-我有一个 .txt 文件,在那个文件的某处有数字 00nnn 数字的例子是 00234 00765 ...
php读取zip文件(删除文件,提取文件,增加文件)实例 从zip压缩文件中提取文件 复制代码 代码如下: <?php /* php 从zip压缩文件
我是一名优秀的程序员,十分优秀!