Заставьте distutils искать правильные заголовочные файлы в правильном месте - PullRequest
42 голосов
/ 04 марта 2010

В моей установке numpy's arrayobject.h находится на …/site-packages/numpy/core/include/numpy/arrayobject.h. Я написал тривиальный скрипт на Cython, который использует numpy:

cimport numpy as np

def say_hello_to(name):
    print("Hello %s!" % name)

У меня также есть следующие distutils setup.py (скопировано из руководства пользователя Cython ):

from distutils.core import setup
from distutils.extension import Extension
from Cython.Distutils import build_ext

ext_modules = [Extension("hello", ["hello.pyx"])]

setup(
  name = 'Hello world app',
  cmdclass = {'build_ext': build_ext},
  ext_modules = ext_modules
)

Когда я пытаюсь собрать с python setup.py build_ext --inplace, Cython пытается сделать следующее:

gcc -fno-strict-aliasing -Wno-long-double -no-cpp-precomp -mno-fused-madd \
-fno-common -dynamic -DNDEBUG -g -Os -Wall -Wstrict-prototypes -DMACOSX \
-I/usr/include/ffi -DENABLE_DTRACE -arch i386 -arch ppc -pipe \
-I/System/Library/Frameworks/Python.framework/Versions/2.5/include/python2.5 \
-c hello.c -o build/temp.macosx-10.5-i386-2.5/hello.o

Как и следовало ожидать, это не удается найти arrayobject.h. Как я могу заставить distutils использовать правильное расположение numpy включаемых файлов (не заставляя пользователя определять $ CFLAGS)?

Ответы [ 3 ]

64 голосов
/ 04 марта 2010

Использование numpy.get_include():

from distutils.core import setup
from distutils.extension import Extension
from Cython.Distutils import build_ext
import numpy as np                           # <---- New line

ext_modules = [Extension("hello", ["hello.pyx"])]

setup(
  name = 'Hello world app',
  cmdclass = {'build_ext': build_ext},
  include_dirs = [np.get_include()],         # <---- New line
  ext_modules = ext_modules
)
23 голосов
/ 10 февраля 2017

Ответ, данный @ vebjorn-ljosa, правильный, но он вызывает проблемы при использовании в сочетании с install_requires=['numpy']. В этой ситуации ваш setup.py должен импортировать numpy, что приведет к ошибке, если вы попытаетесь pip install вашего проекта без запуска pip install numpy вначале.

Если ваш проект зависит от numpy, и вы хотите, чтобы numpy устанавливался автоматически как зависимость, вам нужно устанавливать include_dirs только тогда, когда ваши расширения фактически строятся. Вы можете сделать это, создав подклассы build_ext:

from distutils.core import setup
from distutils.extension import Extension
from Cython.Distutils import build_ext

class CustomBuildExtCommand(build_ext):
    """build_ext command for use when numpy headers are needed."""
    def run(self):

        # Import numpy here, only when headers are needed
        import numpy

        # Add numpy headers to include_dirs
        self.include_dirs.append(numpy.get_include())

        # Call original build_ext command
        build_ext.run(self)

ext_modules = [Extension("hello", ["hello.pyx"])]

setup(
  name = 'Hello world app',
  cmdclass = {'build_ext': CustomBuildExtCommand},
  install_requires=['numpy'],
  ext_modules = ext_modules
)

И вы можете использовать аналогичный трюк для добавления Cython в качестве автоматически устанавливаемой зависимости:

from distutils.core import setup
from distutils.extension import Extension

try:
    from Cython.setuptools import build_ext
except:
    # If we couldn't import Cython, use the normal setuptools
    # and look for a pre-compiled .c file instead of a .pyx file
    from setuptools.command.build_ext import build_ext
    ext_modules = [Extension("hello", ["hello.c"])]
else:
    # If we successfully imported Cython, look for a .pyx file
    ext_modules = [Extension("hello", ["hello.pyx"])]

class CustomBuildExtCommand(build_ext):
    """build_ext command for use when numpy headers are needed."""
    def run(self):

        # Import numpy here, only when headers are needed
        import numpy

        # Add numpy headers to include_dirs
        self.include_dirs.append(numpy.get_include())

        # Call original build_ext command
        build_ext.run(self)

setup(
  name = 'Hello world app',
  cmdclass = {'build_ext': CustomBuildExtCommand},
  install_requires=['cython', 'numpy'],
  ext_modules = ext_modules
)

Примечание: эти подходы работают только с pip install .. Они не будут работать для python setup.py install или python setup.py develop, поскольку в этих командах устанавливаются зависимости после вашего проекта, а не до.

0 голосов
/ 16 февраля 2019

Для тех, кто не использует Cython, небольшая модификация решения R_Beagrie без этой зависимости заключается в том, что вы просто импортируете build_ext из distutils.command.build_ext вместо Cython.

from distutils.core import setup
from distutils.extension import Extension
from distutils.command.build_ext import build_ext

class CustomBuildExtCommand(build_ext):
    """build_ext command for use when numpy headers are needed."""
    def run(self):

        # Import numpy here, only when headers are needed
        import numpy

        # Add numpy headers to include_dirs
        self.include_dirs.append(numpy.get_include())

        # Call original build_ext command
        build_ext.run(self)

ext_modules = [Extension("hello", ["hello.c"])]

setup(
  name = 'Hello world app',
  cmdclass = {'build_ext': CustomBuildExtCommand},
  install_requires=['numpy'],
  ext_modules = ext_modules
)
...