python/setup.py (245 lines of code) (raw):

# Copyright (c) Facebook, Inc. and its affiliates. # This source code is licensed under the MIT license found in the # LICENSE file in the root directory of this source tree. import os import pickle import platform import subprocess import sys from collections import OrderedDict from pathlib import Path from shutil import copy, copytree, rmtree from typing import List from pkg_resources import add_activation_listener, normalize_path, require, working_set from setuptools import find_packages, setup, Extension from setuptools.command.build_ext import build_ext from setuptools.command.build_py import build_py from setuptools.command.develop import develop from setuptools.command.test import test as test_command PLATFORM = "unix" if platform.platform().startswith("Win"): PLATFORM = "win" MODEL_DIR = os.path.join("stan", PLATFORM) MODEL_TARGET_DIR = os.path.join("prophet", "stan_model") # TODO: Remove when upgrading to cmdstanpy 1.0, use cmdstanpy internals instead # cmdstan utils MAKE = os.getenv("MAKE", "make" if PLATFORM != "win" else "mingw32-make") EXTENSION = ".exe" if PLATFORM == "win" else "" CMDSTAN_VERSION = "2.26.1" BINARIES_DIR = "bin" BINARIES = ["diagnose", "print", "stanc", "stansummary"] TBB_PARENT = "stan/lib/stan_math/lib" TBB_DIRS = ["tbb", "tbb_2019_U8"] # TODO: Remove when upgrading to cmdstanpy 1.0, use cmdstanpy internals instead def clean_all_cmdstan(verbose: bool = False) -> None: """Run `make clean-all` in the current directory (must be a cmdstan library). Parameters ---------- verbose: when ``True``, print build msgs to stdout. """ cmd = [MAKE, "clean-all"] proc = subprocess.Popen( cmd, cwd=None, stdin=subprocess.DEVNULL, stdout=subprocess.PIPE, stderr=subprocess.PIPE, env=os.environ, ) while proc.poll() is None: if proc.stdout: output = proc.stdout.readline().decode("utf-8").strip() if verbose and output: print(output, flush=True) _, stderr = proc.communicate() if proc.returncode: msgs = ['Command "make clean-all" failed'] if stderr: msgs.append(stderr.decode("utf-8").strip()) raise RuntimeError("\n".join(msgs)) # TODO: Remove when upgrading to cmdstanpy 1.0, use cmdstanpy internals instead def build_cmdstan(verbose: bool = False) -> None: """Run `make build` in the current directory (must be a cmdstan library). Parameters ---------- verbose: when ``True``, print build msgs to stdout. """ cmd = [MAKE, "build"] proc = subprocess.Popen( cmd, cwd=None, stdin=subprocess.DEVNULL, stdout=subprocess.PIPE, stderr=subprocess.PIPE, env=os.environ, ) while proc.poll() is None: if proc.stdout: output = proc.stdout.readline().decode("utf-8").strip() if verbose and output: print(output, flush=True) _, stderr = proc.communicate() if proc.returncode: msgs = ['Command "make build" failed'] if stderr: msgs.append(stderr.decode("utf-8").strip()) raise RuntimeError("\n".join(msgs)) # Add tbb to the $PATH on Windows if PLATFORM == "win": libtbb = os.path.join(os.getcwd(), "stan", "lib", "stan_math", "lib", "tbb") os.environ["PATH"] = ";".join( list(OrderedDict.fromkeys([libtbb] + os.environ.get("PATH", "").split(";"))) ) def prune_cmdstan(cmdstan_dir: str) -> None: """ Keep only the cmdstan executables and tbb files (minimum required to run a cmdstanpy commands on a pre-compiled model). """ original_dir = Path(cmdstan_dir).resolve() parent_dir = original_dir.parent temp_dir = parent_dir / "temp" if temp_dir.is_dir(): rmtree(temp_dir) temp_dir.mkdir() copytree(original_dir / BINARIES_DIR, temp_dir / BINARIES_DIR) for f in (temp_dir / BINARIES_DIR).iterdir(): if f.is_dir(): rmtree(f) elif f.is_file() and f.stem not in BINARIES: os.remove(f) for tbb_dir in TBB_DIRS: copytree(original_dir / TBB_PARENT / tbb_dir, temp_dir / TBB_PARENT / tbb_dir) rmtree(original_dir) temp_dir.rename(original_dir) def get_cmdstan_cache() -> str: """Default directory for an existing cmdstan library. Prevents unnecessary re-downloads of cmdstan.""" return Path.home().resolve() / ".cmdstan" / f"cmdstan-{CMDSTAN_VERSION}" def download_cmdstan(cache_dir: Path) -> None: """Ensure the cmdstan library exists in the cache directory.""" import cmdstanpy from cmdstanpy.install_cmdstan import retrieve_version if cache_dir.is_dir(): print(f"Found existing cmdstan library at {cache_dir}") else: print(f"Downloading cmdstan to {cache_dir}") cache_dir.parent.mkdir(parents=True, exist_ok=True) with cmdstanpy.utils.pushd(cache_dir.parent): retrieve_version(version=CMDSTAN_VERSION, progress=False) def install_cmdstan_toolchain(): """Install C++ compilers required to build stan models on Windows machines.""" from cmdstanpy.install_cxx_toolchain import main as _install_cxx_toolchain _install_cxx_toolchain() def install_cmdstan_deps(cmdstan_dir: Path): import cmdstanpy cmdstan_cache = get_cmdstan_cache() download_cmdstan(cmdstan_cache) if cmdstan_dir.is_dir(): rmtree(cmdstan_dir) copytree(cmdstan_cache, cmdstan_dir) if PLATFORM == "win": try: cmdstanpy.utils.cxx_toolchain_path() except Exception: install_cmdstan_toolchain() with cmdstanpy.utils.pushd(cmdstan_dir): clean_all_cmdstan() build_cmdstan() cmdstanpy.set_cmdstan_path(str(cmdstan_dir)) def build_cmdstan_model(target_dir): """ Rebuild cmdstan in the build environment, then use this installation to compile the stan model. The stan model is copied to {target_dir}/prophet_model.bin The cmdstan files required to run cmdstanpy commands are copied to {target_dir}/cmdstan-{version}. Parameters ---------- target_dir: Directory to copy the compiled model executable and core cmdstan files to. """ import cmdstanpy cmdstan_dir = (Path(target_dir) / f"cmdstan-{CMDSTAN_VERSION}").resolve() install_cmdstan_deps(cmdstan_dir) model_name = "prophet.stan" target_name = "prophet_model.bin" sm = cmdstanpy.CmdStanModel(stan_file=os.path.join(MODEL_DIR, model_name)) copy(sm.exe_file, os.path.join(target_dir, target_name)) # Clean up for f in Path(MODEL_DIR).iterdir(): if f.is_file() and f.name != model_name: os.remove(f) prune_cmdstan(cmdstan_dir) def build_pystan_model(target_dir): """ Compile the stan model using pystan and pickle it. The pickle is copied to {target_dir}/prophet_model.pkl. """ import pystan model_name = "prophet.stan" target_name = "prophet_model.pkl" with open(os.path.join(MODEL_DIR, model_name)) as f: model_code = f.read() sm = pystan.StanModel(model_code=model_code) with open(os.path.join(target_dir, target_name), "wb") as f: pickle.dump(sm, f, protocol=pickle.HIGHEST_PROTOCOL) def get_backends_from_env() -> List[str]: return os.environ.get("STAN_BACKEND", "PYSTAN").split(",") def build_models(target_dir): for backend in get_backends_from_env(): print(f"Compiling {backend} model") if backend == "CMDSTANPY": build_cmdstan_model(target_dir) elif backend == "PYSTAN" and PLATFORM != "win": build_pystan_model(target_dir) class BuildPyCommand(build_py): """Custom build command to pre-compile Stan models.""" def run(self): if not self.dry_run: target_dir = os.path.join(self.build_lib, MODEL_TARGET_DIR) self.mkpath(target_dir) build_models(target_dir) build_py.run(self) class BuildExtCommand(build_ext): """Ensure built extensions are added to the correct path in the wheel.""" def run(self): pass class DevelopCommand(develop): """Custom develop command to pre-compile Stan models in-place.""" def run(self): if not self.dry_run: target_dir = os.path.join(self.setup_path, MODEL_TARGET_DIR) self.mkpath(target_dir) build_models(target_dir) develop.run(self) class TestCommand(test_command): user_options = [ ("test-module=", "m", "Run 'test_suite' in specified module"), ( "test-suite=", "s", "Run single test, case or suite (e.g. 'module.test_suite')", ), ("test-runner=", "r", "Test runner to use"), ("test-slow", "w", "Test slow suites (default off)"), ] test_slow = None def initialize_options(self): super(TestCommand, self).initialize_options() self.test_slow = False def finalize_options(self): super(TestCommand, self).finalize_options() if self.test_slow is None: self.test_slow = getattr(self.distribution, "test_slow", False) """We must run tests on the build directory, not source.""" def with_project_on_sys_path(self, func): # Ensure metadata is up-to-date self.reinitialize_command("build_py", inplace=0) self.run_command("build_py") bpy_cmd = self.get_finalized_command("build_py") build_path = normalize_path(bpy_cmd.build_lib) # Build extensions self.reinitialize_command("egg_info", egg_base=build_path) self.run_command("egg_info") self.reinitialize_command("build_ext", inplace=0) self.run_command("build_ext") ei_cmd = self.get_finalized_command("egg_info") old_path = sys.path[:] old_modules = sys.modules.copy() try: sys.path.insert(0, normalize_path(ei_cmd.egg_base)) working_set.__init__() add_activation_listener(lambda dist: dist.activate()) require("%s==%s" % (ei_cmd.egg_name, ei_cmd.egg_version)) func() finally: sys.path[:] = old_path sys.modules.clear() sys.modules.update(old_modules) working_set.__init__() with open("README.md", "r", encoding="utf-8") as f: long_description = f.read() with open("requirements.txt", "r") as f: install_requires = f.read().splitlines() setup( name="prophet", version="1.0.1", description="Automatic Forecasting Procedure", url="https://facebook.github.io/prophet/", author="Sean J. Taylor <sjtz@pm.me>, Ben Letham <bletham@fb.com>", author_email="sjtz@pm.me", license="MIT", packages=find_packages(), install_requires=install_requires, python_requires=">=3", zip_safe=False, include_package_data=True, ext_modules=[Extension("prophet.stan_model", [])], cmdclass={ "build_ext": BuildExtCommand, "build_py": BuildPyCommand, "develop": DevelopCommand, "test": TestCommand, }, test_suite="prophet.tests", classifiers=[ "Programming Language :: Python", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", ], long_description=long_description, long_description_content_type="text/markdown", )