- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我目前正在开发一个使用 cython
的 python 包和 numpy
我希望可以使用 pip install
安装该软件包来自干净的 python 安装的命令。所有依赖项都应该自动安装。我正在使用 setuptools
与以下 setup.py
:
import setuptools
my_c_lib_ext = setuptools.Extension(
name="my_c_lib",
sources=["my_c_lib/some_file.pyx"]
)
setuptools.setup(
name="my_lib",
version="0.0.1",
author="Me",
author_email="me@myself.com",
description="Some python library",
packages=["my_lib"],
ext_modules=[my_c_lib_ext],
setup_requires=["cython >= 0.29"],
install_requires=["numpy >= 1.15"],
classifiers=[
"Programming Language :: Python :: 3",
"Operating System :: OS Independent"
]
)
pip install
命令下载
cython
用于构建,并且能够构建我的包并将其与
numpy
一起安装.
cython
的性能代码,这导致我的
setup.py
发生了一些变化.我需要添加
include_dirs=[numpy.get_include()]
调用
setuptools.Extension(...)
或
setuptools.setup(...)
这意味着我还需要
import numpy
. (有理数见
http://docs.cython.org/en/latest/src/tutorial/numpy.html 和
Make distutils look for numpy header files in the correct place。)
pip install
来自干净的环境,因为
import numpy
将失败。用户需要
pip install numpy
在安装我的图书馆之前。就算搬家
"numpy >= 1.15"
来自
install_requires
至
setup_requires
安装失败,因为
import numpy
被较早地评估。
include_dirs
在安装的后期,例如,在来自
setup_requires
的依赖项之后或
install_requires
已经解决了吗?我真的很喜欢自动解决所有依赖关系,我不希望用户输入多个
pip install
命令。
class NumpyExtension(setuptools.Extension):
# setuptools calls this function after installing dependencies
def _convert_pyx_sources_to_lang(self):
import numpy
self.include_dirs.append(numpy.get_include())
super()._convert_pyx_sources_to_lang()
my_c_lib_ext = NumpyExtension(
name="my_c_lib",
sources=["my_c_lib/some_file.pyx"]
)
cmdclass
与自定义
build_ext
类(class)。不幸的是,这破坏了
cython
的构建。扩展,因为
cython
还定制
build_ext
.
最佳答案
第一个问题,numpy
是什么时候?需要吗?在设置期间(即调用 build_ext
-funcionality 时)和安装时使用模块时需要它。这意味着 numpy
应该在 setup_requires
和 在 install_requires
.
有以下替代方法可以解决设置问题:
setup_requires
-setup
的参数并推迟 numpy
的导入直到满足安装程序的要求(在 setup.py
的执行开始时不是这种情况)setup.py
旁边一个
pyproject.toml
-file ,内容如下:
[build-system]
requires = ["setuptools", "wheel", "Cython>=0.29", "numpy >= 1.15"]
它定义了构建所需的包,然后使用
pip install .
安装在带有
setup.py
的文件夹中.这种方法的一个缺点是
python setup.py install
不再有效,因为它是
pip
显示为
pyproject.toml
.但是,我会尽可能使用这种方法。
pip
的情况下也可以使用。 .
import numpy
的调用。直到 numpy 在设置阶段出现,即:
class get_numpy_include(object):
def __str__(self):
import numpy
return numpy.get_include()
...
my_c_lib_ext = setuptools.Extension(
...
include_dirs=[get_numpy_include()]
)
聪明的!问题:它不适用于 Cython 编译器:在某个地方,Cython 传递了
get_numpy_include
-反对
os.path.join(...,...)
它检查参数是否真的是一个字符串,显然不是。
str
来解决。 ,但从长远来看,上面显示了这种方法的危险——它不使用设计的机制,很脆弱,将来很容易失败。
build_ext
-solution
...
from setuptools.command.build_ext import build_ext as _build_ext
class build_ext(_build_ext):
def finalize_options(self):
_build_ext.finalize_options(self)
# Prevent numpy from thinking it is still in its setup process:
__builtins__.__NUMPY_SETUP__ = False
import numpy
self.include_dirs.append(numpy.get_include())
setupttools.setup(
...
cmdclass={'build_ext':build_ext},
...
)
然而,此解决方案也不适用于 cython 扩展,因为
pyx
-文件不被识别。
pyx
是怎么做到的? -文件首先得到认可?答案是
this part的
setuptools.command.build_ext
:
...
try:
# Attempt to use Cython for building extensions, if available
from Cython.Distutils.build_ext import build_ext as _build_ext
# Additionally, assert that the compiler module will load
# also. Ref #1229.
__import__('Cython.Compiler.Main')
except ImportError:
_build_ext = _du_build_ext
...
这意味着
setuptools
如果可能,尝试使用 Cython 的 build_ext,因为模块的导入延迟到
build_ext
被调用,它发现 Cython 存在。
setuptools.command.build_ext
时情况有所不同在
setup.py
的开头导入- Cython 尚不存在,并且使用了没有 cython 功能的回退。
setuptools.command.build_ext
直接在
setup.py
开头:
....
# factory function
def my_build_ext(pars):
# import delayed:
from setuptools.command.build_ext import build_ext as _build_ext#
# include_dirs adjusted:
class build_ext(_build_ext):
def finalize_options(self):
_build_ext.finalize_options(self)
# Prevent numpy from thinking it is still in its setup process:
__builtins__.__NUMPY_SETUP__ = False
import numpy
self.include_dirs.append(numpy.get_include())
#object returned:
return build_ext(pars)
...
setuptools.setup(
...
cmdclass={'build_ext' : my_build_ext},
...
)
关于python-3.x - 在没有预安装 numpy 的情况下将 numpy.get_include() 参数添加到 setuptools,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54117786/
问题故障解决记录 -- Java RMI Connection refused to host: x.x.x.x .... 在学习JavaRMI时,我遇到了以下情况 问题原因:可
我正在玩 Rank-N-type 并尝试输入 x x .但我发现这两个函数可以以相同的方式输入,这很不直观。 f :: (forall a b. a -> b) -> c f x = x x g ::
这个问题已经有答案了: How do you compare two version Strings in Java? (31 个回答) 已关闭 8 年前。 有谁知道如何在Java中比较两个版本字符串
这个问题已经有答案了: How do the post increment (i++) and pre increment (++i) operators work in Java? (14 个回答)
下面是带有 -n 和 -r 选项的 netstat 命令的输出,其中目标字段显示压缩地址 (127.1/16)。我想知道 netstat 命令是否有任何方法或选项可以显示整个目标 IP (127.1.
我知道要证明 : (¬ ∀ x, p x) → (∃ x, ¬ p x) 证明是: theorem : (¬ ∀ x, p x) → (∃ x, ¬ p x) := begin intro n
x * x 如何通过将其存储在“auto 变量”中来更改?我认为它应该仍然是相同的,并且我的测试表明类型、大小和值显然都是相同的。 但即使 x * x == (xx = x * x) 也是错误的。什么
假设,我们这样表达: someIQueryable.Where(x => x.SomeBoolProperty) someIQueryable.Where(x => !x.SomeBoolProper
我有一个字符串 1234X5678 我使用这个正则表达式来匹配模式 .X|..X|X. 我得到了 34X 问题是为什么我没有得到 4X 或 X5? 为什么正则表达式选择执行第二种模式? 最佳答案 这里
我的一个 friend 在面试时遇到了这个问题 找到使该函数返回真值的 x 值 function f(x) { return (x++ !== x) && (x++ === x); } 面试官
这个问题在这里已经有了答案: 10年前关闭。 Possible Duplicate: Isn't it easier to work with foo when it is represented b
我是 android 的新手,我一直在练习开发一个针对 2.2 版本的应用程序,我需要帮助了解如何将我的应用程序扩展到其他版本,即 1.x、2.3.x、3 .x 和 4.x.x,以及一些针对屏幕分辨率
为什么案例 1 给我们 :error: TypeError: x is undefined on line... //case 1 var x; x.push(x); console.log(x);
代码优先: # CASE 01 def test1(x): x += x print x l = [100] test1(l) print l CASE01 输出: [100, 100
我正在努力温习我的大计算。如果我有将所有项目移至 'i' 2 个空格右侧的函数,我有一个如下所示的公式: (n -1) + (n - 2) + (n - 3) ... (n - n) 第一次迭代我必须
给定 IP 字符串(如 x.x.x.x/x),我如何或将如何计算 IP 的范围最常见的情况可能是 198.162.1.1/24但可以是任何东西,因为法律允许的任何东西。 我要带198.162.1.1/
在我作为初学者努力编写干净的 Javascript 代码时,我最近阅读了 this article当我偶然发现这一段时,关于 JavaScript 中的命名空间: The code at the ve
我正在编写一个脚本,我希望避免污染 DOM 的其余部分,它将是一个用于收集一些基本访问者分析数据的第 3 方脚本。 我通常使用以下内容创建一个伪“命名空间”: var x = x || {}; 我正在
我尝试运行我的test_container_services.py套件,但遇到了以下问题: docker.errors.APIError:500服务器错误:内部服务器错误(“ b'{” message
是否存在这两个 if 语句会产生不同结果的情况? if(x as X != null) { // Do something } if(x is X) { // Do something } 编
我是一名优秀的程序员,十分优秀!