commit
stringlengths
40
40
subject
stringlengths
4
1.73k
repos
stringlengths
5
127k
old_file
stringlengths
2
751
new_file
stringlengths
2
751
new_contents
stringlengths
1
8.98k
old_contents
stringlengths
0
6.59k
license
stringclasses
13 values
lang
stringclasses
23 values
d896cd8473d26e85ac58bf7cb68553a6955f7cb9
Bump version
redbridge/rbc-tools
setup.py
setup.py
import os, re, codecs from setuptools import setup, find_packages from glob import glob name = 'rbc-tools' with open('requirements.txt', 'r') as f: requires = [x.strip() for x in f if x.strip()] conf_files = [ ('conf', glob('conf/*.cfg')) ] dirs = [('log', [])] data_files = conf_files + dirs setup( name=name, version='0.3.2', author='RedBridge AB', author_email='info@redbridge.se', data_files = data_files, url='http://github.com/redbridge/rbc-tools', license="Apache 2.0", description='Command line tools for managing RedBridge Cloud', long_description=open("README.rst").read(), packages=['rbc_tools'], scripts=glob('bin/*'), install_requires=requires, entry_points = { 'console_scripts': [ 'rbc-instances=rbc_tools.instance:main', 'rbc-templates=rbc_tools.template:main', 'rbc-networks=rbc_tools.network:main', 'rbc-offerings=rbc_tools.offering:main', 'rbc-vpns=rbc_tools.vpn:main', 'rbc-sshkeys=rbc_tools.sshkey:main', 'rbc-ipaddresses=rbc_tools.ipaddress:main', 'rbc-staticnat=rbc_tools.staticnat:main', 'rbc-portforward=rbc_tools.portforward:main', 'rbc-egress=rbc_tools.egress:main', 'rbc-setup=rbc_tools.config:main', ], } )
import os, re, codecs from setuptools import setup, find_packages from glob import glob name = 'rbc-tools' with open('requirements.txt', 'r') as f: requires = [x.strip() for x in f if x.strip()] conf_files = [ ('conf', glob('conf/*.cfg')) ] dirs = [('log', [])] data_files = conf_files + dirs setup( name=name, version='0.3.1', author='RedBridge AB', author_email='info@redbridge.se', data_files = data_files, url='http://github.com/redbridge/rbc-tools', license="Apache 2.0", description='Command line tools for managing RedBridge Cloud', long_description=open("README.rst").read(), packages=['rbc_tools'], scripts=glob('bin/*'), install_requires=requires, entry_points = { 'console_scripts': [ 'rbc-instances=rbc_tools.instance:main', 'rbc-templates=rbc_tools.template:main', 'rbc-networks=rbc_tools.network:main', 'rbc-offerings=rbc_tools.offering:main', 'rbc-vpns=rbc_tools.vpn:main', 'rbc-sshkeys=rbc_tools.sshkey:main', 'rbc-ipaddresses=rbc_tools.ipaddress:main', 'rbc-staticnat=rbc_tools.staticnat:main', 'rbc-portforward=rbc_tools.portforward:main', 'rbc-egress=rbc_tools.egress:main', 'rbc-setup=rbc_tools.config:main', ], } )
apache-2.0
Python
397591cec76e84079fb28cc92be1522110c4af25
Bump version.
sxn/notary
setup.py
setup.py
from setuptools import setup, find_packages setup( name='notary', version='0.1.1', packages=find_packages(exclude=['contrib', 'docs', 'tests*']), include_package_data=True, install_requires=['click', 'crayons'], entry_points=''' [console_scripts] notary=notary:cli ''' )
from setuptools import setup, find_packages setup( name='notary', version='0.1.0', packages=find_packages(exclude=['contrib', 'docs', 'tests*']), include_package_data=True, install_requires=['click', 'crayons'], entry_points=''' [console_scripts] notary=notary:cli ''' )
mit
Python
5d23c7bcd2ed0434e373a4935c569743385911bb
Drop obsolete comment
ppb/ppb-vector,ppb/ppb-vector
setup.py
setup.py
#!/usr/bin/env python3 from setuptools import setup def requirements(section=None): """Helper for loading dependencies from requirements files.""" if section is None: filename = "requirements.txt" else: filename = f"requirements-{section}.txt" with open(filename) as file: return [line.strip() for line in file] # See setup.cfg for the actual configuration. setup( setup_requires=['pytest-runner'], tests_require=requirements('tests'), )
#!/usr/bin/env python3 from setuptools import setup def requirements(section=None): """Helper for loading dependencies from requirements files.""" if section is None: filename = "requirements.txt" else: filename = f"requirements-{section}.txt" with open(filename) as file: return [line.strip() for line in file] # See setup.cfg for the actual configuration. setup( # setup needs to be able to import the library, for attr: to work setup_requires=['pytest-runner'], tests_require=requirements('tests'), )
artistic-2.0
Python
9549f357c8dec7da1eef262a3b040e218277ddbb
Fix UnicodeDecodeError in setup.py for Python 3.4
jaddison/easy-thumbnails,siovene/easy-thumbnails,SmileyChris/easy-thumbnails,sandow-digital/easy-thumbnails-cropman,Mactory/easy-thumbnails,sandow-digital/easy-thumbnails-cropman
setup.py
setup.py
#!/usr/bin/env python from __future__ import unicode_literals import codecs import os from setuptools import setup, find_packages from setuptools.command.test import test as TestCommand import easy_thumbnails class DjangoTests(TestCommand): def finalize_options(self): TestCommand.finalize_options(self) self.test_args = [] self.test_suite = True def run_tests(self): from django.core import management DSM = 'DJANGO_SETTINGS_MODULE' if DSM not in os.environ: os.environ[DSM] = 'easy_thumbnails.tests.settings' management.execute_from_command_line() def read_files(*filenames): """ Output the contents of one or more files to a single concatenated string. """ output = [] for filename in filenames: f = codecs.open(filename, encoding='utf-8') try: output.append(f.read()) finally: f.close() return '\n\n'.join(output) setup( name='easy-thumbnails', version=easy_thumbnails.get_version(), url='http://github.com/SmileyChris/easy-thumbnails', description='Easy thumbnails for Django', long_description=read_files('README.rst', 'CHANGES.rst'), author='Chris Beaven', author_email='smileychris@gmail.com', platforms=['any'], packages=find_packages(), include_package_data=True, install_requires=[ 'django>=1.4.2', 'pillow', ], cmdclass={'test': DjangoTests}, classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: Web Environment', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.3', 'Topic :: Software Development :: Libraries :: Application Frameworks', 'Topic :: Software Development :: Libraries :: Python Modules', ], zip_safe=False, )
#!/usr/bin/env python import os from setuptools import setup, find_packages from setuptools.command.test import test as TestCommand import easy_thumbnails class DjangoTests(TestCommand): def finalize_options(self): TestCommand.finalize_options(self) self.test_args = [] self.test_suite = True def run_tests(self): from django.core import management DSM = 'DJANGO_SETTINGS_MODULE' if DSM not in os.environ: os.environ[DSM] = 'easy_thumbnails.tests.settings' management.execute_from_command_line() def read_files(*filenames): """ Output the contents of one or more files to a single concatenated string. """ output = [] for filename in filenames: f = open(filename) try: output.append(f.read()) finally: f.close() return '\n\n'.join(output) setup( name='easy-thumbnails', version=easy_thumbnails.get_version(), url='http://github.com/SmileyChris/easy-thumbnails', description='Easy thumbnails for Django', long_description=read_files('README.rst', 'CHANGES.rst'), author='Chris Beaven', author_email='smileychris@gmail.com', platforms=['any'], packages=find_packages(), include_package_data=True, install_requires=[ 'django>=1.4.2', 'pillow', ], cmdclass={'test': DjangoTests}, classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: Web Environment', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.3', 'Topic :: Software Development :: Libraries :: Application Frameworks', 'Topic :: Software Development :: Libraries :: Python Modules', ], zip_safe=False, )
bsd-3-clause
Python
acebbfe05209ce9bca6e7d6650f7ebc8aaf4d392
Fix description
capitancambio/ftorrents
setup.py
setup.py
#!/usr/bin/env python from setuptools import setup, find_packages setup( name = "ftorrents", version = "0.1", packages = find_packages(), scripts=['ftorrents.sh'], author = "Javier Asensio-Cubero", author_email = "capitan.cambio@gmail.com", description = "showrss.info automatic downloader", license = "MIT", keywords = "showrss.info", install_requires=[ "pyyaml>=3.10", "feedparser>=5.1.2" ], )
#!/usr/bin/env python from setuptools import setup, find_packages setup( name = "ftorrents", version = "0.1", packages = find_packages(), scripts=['ftorrents.sh'], author = "Javier Asensio-Cubero", author_email = "capitan.cambio@gmail.com", description = "showsrss.info automatic downloader", license = "MIT", keywords = "showsrss.info", install_requires=[ "pyyaml>=3.10", "feedparser>=5.1.2" ], )
mit
Python
d0a4c4db4d9fe50ba8b8257bbe7005158456efff
Exclude all test packages.
box/flaky,Jeff-Meadows/flaky
setup.py
setup.py
# -*- coding: utf-8 -*- from __future__ import unicode_literals from setuptools import setup, find_packages from os.path import dirname, join CLASSIFIERS = [ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'License :: OSI Approved :: Apache Software License', 'Topic :: Software Development :: Testing', 'Programming Language :: Python', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: Implementation :: CPython', 'Programming Language :: Python :: Implementation :: PyPy', 'Operating System :: OS Independent', 'Operating System :: POSIX', 'Operating System :: Microsoft :: Windows', 'Operating System :: MacOS :: MacOS X', ] def main(): base_dir = dirname(__file__) setup( name='flaky', version='2.4.0', description='Plugin for nose or py.test that automatically reruns flaky tests.', long_description=open(join(base_dir, 'README.rst')).read(), author='Box', author_email='oss@box.com', url='https://github.com/box/flaky', license=open(join(base_dir, 'LICENSE')).read(), packages=find_packages(exclude=['test*']), test_suite='test', tests_require=['pytest', 'nose'], zip_safe=False, entry_points={ 'nose.plugins.0.10': [ 'flaky = flaky.flaky_nose_plugin:FlakyPlugin' ], 'pytest11': [ 'flaky = flaky.flaky_pytest_plugin' ] }, keywords='nose pytest plugin flaky tests rerun retry', classifiers=CLASSIFIERS, ) if __name__ == '__main__': main()
# -*- coding: utf-8 -*- from __future__ import unicode_literals from setuptools import setup, find_packages from os.path import dirname, join CLASSIFIERS = [ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'License :: OSI Approved :: Apache Software License', 'Topic :: Software Development :: Testing', 'Programming Language :: Python', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: Implementation :: CPython', 'Programming Language :: Python :: Implementation :: PyPy', 'Operating System :: OS Independent', 'Operating System :: POSIX', 'Operating System :: Microsoft :: Windows', 'Operating System :: MacOS :: MacOS X', ] def main(): base_dir = dirname(__file__) setup( name='flaky', version='2.4.0', description='Plugin for nose or py.test that automatically reruns flaky tests.', long_description=open(join(base_dir, 'README.rst')).read(), author='Box', author_email='oss@box.com', url='https://github.com/box/flaky', license=open(join(base_dir, 'LICENSE')).read(), packages=find_packages(exclude=['test']), test_suite='test', tests_require=['pytest', 'nose'], zip_safe=False, entry_points={ 'nose.plugins.0.10': [ 'flaky = flaky.flaky_nose_plugin:FlakyPlugin' ], 'pytest11': [ 'flaky = flaky.flaky_pytest_plugin' ] }, keywords='nose pytest plugin flaky tests rerun retry', classifiers=CLASSIFIERS, ) if __name__ == '__main__': main()
apache-2.0
Python
c70fd829a86d98409aaf5c7b0405685c7aeacafd
Increment version to 0.1.9
issackelly/django-security,MartinPetkov/django-security,barseghyanartur/django-security,MartinPetkov/django-security,issackelly/django-security,barseghyanartur/django-security
setup.py
setup.py
# Copyright (c) 2011, SD Elements. See LICENSE.txt for details. import os from distutils.core import setup f = open(os.path.join(os.path.dirname(__file__), 'README')) readme = f.read() f.close() setup(name="django-security", description='A collection of tools to help secure a Django project.', long_description=readme, maintainer="SD Elements", maintainer_email="django-security@sdelements.com", version="0.1.9", packages=["security", "security.migrations", "security.auth_throttling"], url='https://github.com/sdelements/django-security', classifiers=[ 'Framework :: Django', 'Environment :: Web Environment', 'Programming Language :: Python', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'License :: OSI Approved :: BSD License', 'Topic :: Software Development :: Libraries :: Python Modules', ], install_requires=['django>=1.4,<1.5',], )
# Copyright (c) 2011, SD Elements. See LICENSE.txt for details. import os from distutils.core import setup f = open(os.path.join(os.path.dirname(__file__), 'README')) readme = f.read() f.close() setup(name="django-security", description='A collection of tools to help secure a Django project.', long_description=readme, maintainer="SD Elements", maintainer_email="django-security@sdelements.com", version="0.1.8", packages=["security", "security.migrations", "security.auth_throttling"], url='https://github.com/sdelements/django-security', classifiers=[ 'Framework :: Django', 'Environment :: Web Environment', 'Programming Language :: Python', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'License :: OSI Approved :: BSD License', 'Topic :: Software Development :: Libraries :: Python Modules', ], install_requires=['django>=1.4,<1.5',], )
bsd-3-clause
Python
e4ba6a24fd84640fa5ee684b810d144f68eb40dc
update version in setup.py
alphatwirl/alphatwirl,alphatwirl/alphatwirl,TaiSakuma/AlphaTwirl,alphatwirl/alphatwirl,TaiSakuma/AlphaTwirl,alphatwirl/alphatwirl
setup.py
setup.py
from setuptools import setup, find_packages setup( name = 'alphatwirl', version= '0.9.5', description = 'A Python library for summarizing event data', author = 'Tai Sakuma', author_email = 'tai.sakuma@gmail.com', url = 'https://github.com/alphatwirl/alphatwirl', packages = find_packages(exclude=['docs', 'images', 'tests']), )
from setuptools import setup, find_packages setup( name = 'alphatwirl', version= '0.9', description = 'A Python library for summarizing event data', author = 'Tai Sakuma', author_email = 'tai.sakuma@gmail.com', url = 'https://github.com/alphatwirl/alphatwirl', packages = find_packages(exclude=['docs', 'images', 'tests']), )
bsd-3-clause
Python
f555c85837485d180af2be922132cd99bf6b207f
add matplotlib as optional dependency
phillipgreenii/loan_payoff_tools
setup.py
setup.py
''' loan_payoff_tools: Simulates multiple different scenarios in which to payoff loans. Note that "python setup.py test" invokes pytest on the package. With appropriately configured setup.cfg, this will check both xxx_test modules and docstrings. Copyright 2014, Phillip Green II. Licensed under MIT. ''' from codecs import open from os import path import sys from setuptools import setup, find_packages from setuptools.command.test import test as TestCommand # This is a plug-in for setuptools that will invoke py.test # when you run python setup.py test class PyTest(TestCommand): def finalize_options(self): TestCommand.finalize_options(self) self.test_args = [] self.test_suite = True def run_tests(self): import pytest # import here, because outside the required eggs aren't loaded yet sys.exit(pytest.main(self.test_args)) here = path.abspath(path.dirname(__file__)) with open(path.join(here, 'DESCRIPTION.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='loan_payoff_tools', version='0.1.0', description='Simulates multiple different scenarios in which to payoff loans.', long_description=long_description, url='https://github.com/phillipgreenii/optimize_loan_payoff', author='Phillip Green II', author_email='phillip.green.ii@gmail.com', license='MIT', classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'Topic :: Office/Business :: Financial', 'Topic :: Other/Nonlisted Topic', 'Operating System :: MacOS :: MacOS X', 'Operating System :: Microsoft :: Windows', 'Operating System :: POSIX', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7' ], keywords='loans payoff simulate debt college', packages=find_packages(exclude=['examples', 'tests']), include_package_data=True, install_requires=[], tests_require=['pytest'], cmdclass={'test': PyTest}, extras_require = { 'png': ["matplotlib"] } )
''' loan_payoff_tools: Simulates multiple different scenarios in which to payoff loans. Note that "python setup.py test" invokes pytest on the package. With appropriately configured setup.cfg, this will check both xxx_test modules and docstrings. Copyright 2014, Phillip Green II. Licensed under MIT. ''' from codecs import open from os import path import sys from setuptools import setup, find_packages from setuptools.command.test import test as TestCommand # This is a plug-in for setuptools that will invoke py.test # when you run python setup.py test class PyTest(TestCommand): def finalize_options(self): TestCommand.finalize_options(self) self.test_args = [] self.test_suite = True def run_tests(self): import pytest # import here, because outside the required eggs aren't loaded yet sys.exit(pytest.main(self.test_args)) here = path.abspath(path.dirname(__file__)) with open(path.join(here, 'DESCRIPTION.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='loan_payoff_tools', version='0.1.0', description='Simulates multiple different scenarios in which to payoff loans.', long_description=long_description, url='https://github.com/phillipgreenii/optimize_loan_payoff', author='Phillip Green II', author_email='phillip.green.ii@gmail.com', license='MIT', classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'Topic :: Office/Business :: Financial', 'Topic :: Other/Nonlisted Topic', 'Operating System :: MacOS :: MacOS X', 'Operating System :: Microsoft :: Windows', 'Operating System :: POSIX', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7' ], keywords='loans payoff simulate debt college', packages=find_packages(exclude=['examples', 'tests']), include_package_data=True, install_requires=[], tests_require=['pytest'], cmdclass={'test': PyTest} )
mit
Python
38d0dd13cdf42f859eb61c66ab5eb62f30034f4a
Add Tensorstore back to required dependencies.
google/flax,google/flax
setup.py
setup.py
# Copyright 2022 The Flax Authors. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """setup.py for Flax.""" import os from setuptools import find_packages from setuptools import setup here = os.path.abspath(os.path.dirname(__file__)) try: README = open(os.path.join(here, "README.md"), encoding="utf-8").read() except OSError: README = "" install_requires = [ "numpy>=1.12", "jax>=0.3.16", "matplotlib", # only needed for tensorboard export "msgpack", "optax", "tensorstore", "rich>=11.1", "typing_extensions>=4.1.1", "PyYAML>=5.4.1", ] tests_require = [ "atari-py==0.2.5", # Last version does not have the ROMs we test on pre-packaged "clu", # All examples. "gym==0.18.3", "jaxlib", "jraph>=0.0.6dev0", "ml-collections", "opencv-python", "pytest", "pytest-cov", "pytest-custom_exit_code", "pytest-xdist==1.34.0", # upgrading to 2.0 broke tests, need to investigate "pytype", "sentencepiece", # WMT example. "svn", "tensorflow_text>=2.4.0", # WMT example. "tensorflow_datasets", "tensorflow", "torch", ] __version__ = None with open("flax/version.py") as f: exec(f.read(), globals()) setup( name="flax", version=__version__, description="Flax: A neural network library for JAX designed for flexibility", long_description="\n\n".join([README]), long_description_content_type="text/markdown", classifiers=[ "Development Status :: 3 - Alpha", "Intended Audience :: Developers", "Intended Audience :: Science/Research", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python :: 3.7", "Topic :: Scientific/Engineering :: Artificial Intelligence", ], keywords="", author="Flax team", author_email="flax-dev@google.com", url="https://github.com/google/flax", packages=find_packages(), package_data={"flax": ["py.typed"]}, zip_safe=False, install_requires=install_requires, extras_require={ "testing": tests_require, }, )
# Copyright 2022 The Flax Authors. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """setup.py for Flax.""" import os from setuptools import find_packages from setuptools import setup here = os.path.abspath(os.path.dirname(__file__)) try: README = open(os.path.join(here, "README.md"), encoding="utf-8").read() except OSError: README = "" install_requires = [ "numpy>=1.12", "jax>=0.3.16", "matplotlib", # only needed for tensorboard export "msgpack", "optax", "rich>=11.1", "typing_extensions>=4.1.1", "PyYAML>=5.4.1", ] tests_require = [ "atari-py==0.2.5", # Last version does not have the ROMs we test on pre-packaged "clu", # All examples. "gym==0.18.3", "jaxlib", "jraph>=0.0.6dev0", "ml-collections", "opencv-python", "pytest", "pytest-cov", "pytest-custom_exit_code", "pytest-xdist==1.34.0", # upgrading to 2.0 broke tests, need to investigate "pytype", "sentencepiece", # WMT example. "svn", "tensorflow_text>=2.4.0", # WMT example. "tensorflow_datasets", "tensorflow", "torch", ] __version__ = None with open("flax/version.py") as f: exec(f.read(), globals()) setup( name="flax", version=__version__, description="Flax: A neural network library for JAX designed for flexibility", long_description="\n\n".join([README]), long_description_content_type="text/markdown", classifiers=[ "Development Status :: 3 - Alpha", "Intended Audience :: Developers", "Intended Audience :: Science/Research", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python :: 3.7", "Topic :: Scientific/Engineering :: Artificial Intelligence", ], keywords="", author="Flax team", author_email="flax-dev@google.com", url="https://github.com/google/flax", packages=find_packages(), package_data={"flax": ["py.typed"]}, zip_safe=False, install_requires=install_requires, extras_require={ "testing": tests_require, }, )
apache-2.0
Python
a18266512c124936ffe543ce652d84838b51a3de
Bump version to 0.4.1
douglarek/pgist
setup.py
setup.py
#!/usr/bin/env python # -*- coding: UTF-8 -*- # vim: sw=4 ts=4 expandtab ai import os from setuptools import setup, find_packages README = open(os.path.join(os.path.dirname(__file__), 'README.rst')).read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup ( name='pgist', version='0.4.1', license=open('LICENSE').read(), description='A Python command-line wrapper with github3.py library to access GitHub Gist', long_description=README, author='Lingchao Xin', author_email='douglarek@gmail.com', url='https://github.com/douglarek/pgist', py_modules=['pgist'], package_data={'': ['LICENSE',]}, install_requires=['click >= 0.2', 'github3.py >= 0.7.1'], entry_points=''' [console_scripts] pgist=pgist:cli ''', zip_safe=False, classifiers=( 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Natural Language :: English', 'License :: OSI Approved :: Apache Software License', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: Implementation :: CPython', ), )
#!/usr/bin/env python # -*- coding: UTF-8 -*- # vim: sw=4 ts=4 expandtab ai import os from setuptools import setup, find_packages README = open(os.path.join(os.path.dirname(__file__), 'README.rst')).read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup ( name='pgist', version='0.4', license=open('LICENSE').read(), description='A Python command-line wrapper with github3.py library to access GitHub Gist', long_description=README, author='Lingchao Xin', author_email='douglarek@gmail.com', url='https://github.com/douglarek/pgist', py_modules=['pgist'], package_data={'': ['LICENSE',]}, install_requires=['click >= 0.2', 'github3.py >= 0.7.1'], entry_points=''' [console_scripts] pgist=pgist:cli ''', zip_safe=False, classifiers=( 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Natural Language :: English', 'License :: OSI Approved :: Apache Software License', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: Implementation :: CPython', ), )
apache-2.0
Python
da3bdeff249e1d6aed3c9e1b17d566934dc1aca4
Add "quality assurance" classifier
vauxoo-dev/autopep8,SG345/autopep8,SG345/autopep8,hhatto/autopep8,Vauxoo/autopep8,MeteorAdminz/autopep8,Vauxoo/autopep8,vauxoo-dev/autopep8,hhatto/autopep8,MeteorAdminz/autopep8
setup.py
setup.py
#!/usr/bin/env python # -*- coding: utf-8 -*- """Setup for autopep8.""" import ast from setuptools import setup def version(): """Return version string.""" with open('autopep8.py') as input_file: for line in input_file: if line.startswith('__version__'): return ast.parse(line).body[0].value.s with open('README.rst') as readme: setup( name='autopep8', version=version(), description='A tool that automatically formats Python code to conform ' 'to the PEP 8 style guide', long_description=readme.read(), license='Expat License', author='Hideo Hattori', author_email='hhatto.jp@gmail.com', url='https://github.com/hhatto/autopep8', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: Console', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.2', 'Programming Language :: Python :: 3.3', 'Topic :: Software Development :: Libraries :: Python Modules', 'Topic :: Software Development :: Quality Assurance', ], keywords='automation, pep8, format', install_requires=['pep8 >= 1.4.5'], test_suite='test.test_autopep8', py_modules=['autopep8'], zip_safe=False, entry_points={'console_scripts': ['autopep8 = autopep8:main']}, )
#!/usr/bin/env python # -*- coding: utf-8 -*- """Setup for autopep8.""" import ast from setuptools import setup def version(): """Return version string.""" with open('autopep8.py') as input_file: for line in input_file: if line.startswith('__version__'): return ast.parse(line).body[0].value.s with open('README.rst') as readme: setup( name='autopep8', version=version(), description='A tool that automatically formats Python code to conform ' 'to the PEP 8 style guide', long_description=readme.read(), license='Expat License', author='Hideo Hattori', author_email='hhatto.jp@gmail.com', url='https://github.com/hhatto/autopep8', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: Console', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.2', 'Programming Language :: Python :: 3.3', 'Topic :: Software Development :: Libraries :: Python Modules', ], keywords='automation, pep8, format', install_requires=['pep8 >= 1.4.5'], test_suite='test.test_autopep8', py_modules=['autopep8'], zip_safe=False, entry_points={'console_scripts': ['autopep8 = autopep8:main']}, )
mit
Python
b9d0ba4c604fe56de5ed966d6b657f0cdd45bb4d
update setup.py
ymap/aioredis,aio-libs/aioredis,aio-libs/aioredis
setup.py
setup.py
import re import os.path import sys import platform from setuptools import setup, find_packages install_requires = ['async-timeout'] if platform.python_implementation() == 'CPython': install_requires.append('hiredis') PY_VER = sys.version_info if PY_VER >= (3, 4): pass elif PY_VER >= (3, 3): install_requires.append('asyncio') else: raise RuntimeError("aioredis doesn't support Python version prior 3.3") def read(*parts): with open(os.path.join(*parts), 'rt') as f: return f.read().strip() def read_version(): regexp = re.compile(r"^__version__\W*=\W*'([\d.abrc]+)'") init_py = os.path.join(os.path.dirname(__file__), 'aioredis', '__init__.py') with open(init_py) as f: for line in f: match = regexp.match(line) if match is not None: return match.group(1) else: raise RuntimeError('Cannot find version in aioredis/__init__.py') classifiers = [ 'License :: OSI Approved :: MIT License', 'Development Status :: 4 - Beta', 'Programming Language :: Python', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Operating System :: POSIX', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'Topic :: Software Development', 'Topic :: Software Development :: Libraries', 'Framework :: AsyncIO', ] setup(name='aioredis', version=read_version(), description=("asyncio (PEP 3156) Redis support"), long_description="\n\n".join((read('README.rst'), read('CHANGES.txt'))), classifiers=classifiers, platforms=["POSIX"], author="Alexey Popravka", author_email="alexey.popravka@horsedevel.com", url="https://github.com/aio-libs/aioredis", license="MIT", packages=find_packages(exclude=["tests"]), install_requires=install_requires, include_package_data=True, )
import re import os.path import sys from setuptools import setup, find_packages install_requires = ['hiredis', 'async-timeout'] PY_VER = sys.version_info if PY_VER >= (3, 4): pass elif PY_VER >= (3, 3): install_requires.append('asyncio') else: raise RuntimeError("aioredis doesn't support Python version prior 3.3") def read(*parts): with open(os.path.join(*parts), 'rt') as f: return f.read().strip() def read_version(): regexp = re.compile(r"^__version__\W*=\W*'([\d.abrc]+)'") init_py = os.path.join(os.path.dirname(__file__), 'aioredis', '__init__.py') with open(init_py) as f: for line in f: match = regexp.match(line) if match is not None: return match.group(1) else: raise RuntimeError('Cannot find version in aioredis/__init__.py') classifiers = [ 'License :: OSI Approved :: MIT License', 'Development Status :: 4 - Beta', 'Programming Language :: Python', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Operating System :: POSIX', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'Topic :: Software Development', 'Topic :: Software Development :: Libraries', 'Framework :: AsyncIO', ] setup(name='aioredis', version=read_version(), description=("asyncio (PEP 3156) Redis support"), long_description="\n\n".join((read('README.rst'), read('CHANGES.txt'))), classifiers=classifiers, platforms=["POSIX"], author="Alexey Popravka", author_email="alexey.popravka@horsedevel.com", url="https://github.com/aio-libs/aioredis", license="MIT", packages=find_packages(exclude=["tests"]), install_requires=install_requires, include_package_data=True, )
mit
Python
1e582782bccdfd0ce05a95cc20b9614cf0e3cf5e
update setup
duguyue100/retina-simulation
setup.py
setup.py
"""Setup script for the simretina package. Author: Yuhuang Hu Email : yuhuang.hu@uzh.ch """ from setuptools import setup classifiers = """ Development Status :: 4 - Beta Intended Audience :: Science/Research Natural Language :: English Operating System :: OS Independent Programming Language :: Python :: 2.7 Topic :: Utilities Topic :: Scientific/Engineering Topic :: Scientific/Engineering :: Simulation Topic :: Scientific/Engineering :: Image Processing Topic :: Software Development :: Libraries :: Python Modules License :: OSI Approved :: MIT License """ try: from simretina import __about__ about = __about__.__dict__ except ImportError: about = dict() exec(open("simretina/__about__.py").read(), about) setup( name='simretina', version=about['__version__'], author=about['__author__'], author_email=about['__author_email__'], url=about['__url__'], packages=['simretina'], package_data={'simretina': ['retina-data/*.*']}, scripts=['script/retina_viewer.py'], classifiers=list(filter(None, classifiers.split('\n'))), description='Simulation of the Retina with OpenCV.', long_description=open('README.md').read() )
"""Setup script for the simretina package. Author: Yuhuang Hu Email : yuhuang.hu@uzh.ch """ from setuptools import setup classifiers = """ Development Status :: 4 - Beta Intended Audience :: Science/Research Natural Language :: English Operating System :: OS Independent Programming Language :: Python :: 2.7 Topic :: Utilities Topic :: Scientific/Engineering Topic :: Scientific/Engineering :: Simulation Topic :: Scientific/Engineering :: Image Processing Topic :: Software Development :: Libraries :: Python Modules License :: OSI Approved :: MIT License """ try: from simretina import __about__ about = __about__.__dict__ except ImportError: about = dict() exec(open("simretina/__about__.py").read(), about) setup( name='simretina', version=about['__version__'], author=about['__author__'], author_email=about['__author_email__'], url=about['__url__'], packages=['simretina'], package_data={'simretina': ['retina-data/*.*']}, scripts=['script/retina_viewer'], classifiers=list(filter(None, classifiers.split('\n'))), description='Simulation of the Retina with OpenCV.', long_description=open('README.md').read() )
mit
Python
4ff2d5d1e00e9a8fc362666d67f31e78bf309bd3
add more details to setup.py
hollobon/pybitset,hollobon/pybitset
setup.py
setup.py
from distutils.core import setup, Extension bitset_extmodule = Extension('bitset', sources=['bitsetmodule.c']) setup(name='bitset', version='0.1', description='Bitset module.', ext_modules=[bitset_extmodule], author="Pete Hollobon", author_email="python@hollobon.com", url="http://github.com/hollobon/pybitset", licence="MIT" )
from distutils.core import setup, Extension module1 = Extension('bitset', sources = ['bitsetmodule.c']) setup (name = 'PackageName', version = '1.0', description = 'This is a demo package', ext_modules = [module1])
mit
Python
3dd9570a7e937f8ebd3710c91155129dedb3a6e5
Bump version number (2.4.0 -> 2.4.1)
montag451/pytun,montag451/pytun
setup.py
setup.py
from setuptools import setup, Extension setup(name='python-pytun', author='montag451', author_email='montag451@laposte.net', maintainer='montag451', maintainer_email='montag451@laposte.net', url='https://github.com/montag451/pytun', description='Linux TUN/TAP wrapper for Python', long_description=open('README.rst').read(), version='2.4.1', ext_modules=[Extension('pytun', ['pytun.c'])], classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Operating System :: POSIX :: Linux', 'Programming Language :: C', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 3', 'Topic :: Software Development :: Libraries :: Python Modules', 'Topic :: System :: Networking'])
from setuptools import setup, Extension setup(name='python-pytun', author='montag451', author_email='montag451@laposte.net', maintainer='montag451', maintainer_email='montag451@laposte.net', url='https://github.com/montag451/pytun', description='Linux TUN/TAP wrapper for Python', long_description=open('README.rst').read(), version='2.4.0', ext_modules=[Extension('pytun', ['pytun.c'])], classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Operating System :: POSIX :: Linux', 'Programming Language :: C', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 3', 'Topic :: Software Development :: Libraries :: Python Modules', 'Topic :: System :: Networking'])
mit
Python
362601ebcd4d2f989a2296a03aa807dabb4d9b76
Change minimal python version
nibrag/aiosocks
setup.py
setup.py
#!/usr/bin/env python import codecs import os import re import sys try: from setuptools import setup except ImportError: from distutils.core import setup with codecs.open(os.path.join(os.path.abspath(os.path.dirname( __file__)), 'aiosocks', '__init__.py'), 'r', 'latin1') as fp: try: version = re.findall(r"^__version__ = '([^']+)'\r?$", fp.read(), re.M)[0] except IndexError: raise RuntimeError('Unable to determine version.') if sys.version_info < (3, 4, 0): raise RuntimeError("aiosocks requires Python 3.5.1+") setup( name='aiosocks', author='Nail Ibragimov', author_email='ibragwork@gmail.com', version=version, license='Apache 2', url='https://github.com/nibrag/aiosocks', description='SOCKS proxy client for asyncio and aiohttp', long_description=open("README.rst").read(), packages=['aiosocks'] )
#!/usr/bin/env python import codecs import os import re import sys try: from setuptools import setup except ImportError: from distutils.core import setup with codecs.open(os.path.join(os.path.abspath(os.path.dirname( __file__)), 'aiosocks', '__init__.py'), 'r', 'latin1') as fp: try: version = re.findall(r"^__version__ = '([^']+)'\r?$", fp.read(), re.M)[0] except IndexError: raise RuntimeError('Unable to determine version.') if sys.version_info < (3, 5, 1): raise RuntimeError("aiosocks requires Python 3.5.1+") setup( name='aiosocks', author='Nail Ibragimov', author_email='ibragwork@gmail.com', version=version, license='Apache 2', url='https://github.com/nibrag/aiosocks', description='SOCKS proxy client for asyncio and aiohttp', long_description=open("README.rst").read(), packages=['aiosocks'] )
apache-2.0
Python
825ab4f2a26e7a5c4348f1adfa8e5163013e43f7
Add raven to the dependancy list.
jamesfoley/cms,danielsamuels/cms,lewiscollard/cms,danielsamuels/cms,lewiscollard/cms,dan-gamble/cms,lewiscollard/cms,dan-gamble/cms,jamesfoley/cms,danielsamuels/cms,dan-gamble/cms,jamesfoley/cms,jamesfoley/cms
setup.py
setup.py
#!/usr/bin/env python #coding: utf-8 from cms import VERSION from setuptools import setup, find_packages EXCLUDE_FROM_PACKAGES = ['cms.bin'] setup( name="onespacemedia-cms", version=".".join(str(n) for n in VERSION), url="https://github.com/onespacemedia/cms", author="Daniel Samuels", author_email="daniel@onespacemedia.com", license="BSD", packages=find_packages(exclude=EXCLUDE_FROM_PACKAGES), include_package_data=True, scripts=['cms/bin/start_cms_project.py'], zip_safe=False, entry_points={ "console_scripts": [ "start_cms_project.py = cms.bin.start_cms_project:main", ], }, description='CMS used by Onespacemedia', install_requires=[ 'django', 'psycopg2', 'django-suit', 'django-optimizations', 'Pillow', 'django-reversion', 'django-usertools', 'django-historylinks', 'django-watson', 'django-extensions', 'Werkzeug', 'raven' ], )
#!/usr/bin/env python #coding: utf-8 from cms import VERSION from setuptools import setup, find_packages EXCLUDE_FROM_PACKAGES = ['cms.bin'] setup( name="onespacemedia-cms", version=".".join(str(n) for n in VERSION), url="https://github.com/onespacemedia/cms", author="Daniel Samuels", author_email="daniel@onespacemedia.com", license="BSD", packages=find_packages(exclude=EXCLUDE_FROM_PACKAGES), include_package_data=True, scripts=['cms/bin/start_cms_project.py'], zip_safe=False, entry_points={ "console_scripts": [ "start_cms_project.py = cms.bin.start_cms_project:main", ], }, description='CMS used by Onespacemedia', install_requires=[ 'django', 'psycopg2', 'django-suit', 'django-optimizations', 'Pillow', 'django-reversion', 'django-usertools', 'django-historylinks', 'django-watson', 'django-extensions', 'Werkzeug' ], )
bsd-3-clause
Python
4ddaabdba96af72699f4276d45e543983680e110
Fix spelling
nerandell/aiopg,eirnym/aiopg,hyzhak/aiopg,aio-libs/aiopg,luhn/aiopg,graingert/aiopg
setup.py
setup.py
import os import re import sys from setuptools import setup, find_packages install_requires = ['psycopg2>=2.5.2'] PY_VER = sys.version_info if PY_VER >= (3, 4): pass elif PY_VER >= (3, 3): install_requires.append('asyncio') else: raise RuntimeError("aiopg doesn't suppport Python earlier than 3.3") def read(f): return open(os.path.join(os.path.dirname(__file__), f)).read().strip() extras_require = {'sa': ['sqlalchemy>=0.9'], } def read_version(): regexp = re.compile(r"^__version__\W*=\W*'([\d.abrc]+)'") init_py = os.path.join(os.path.dirname(__file__), 'aiopg', '__init__.py') with open(init_py) as f: for line in f: match = regexp.match(line) if match is not None: return match.group(1) else: raise RuntimeError('Cannot find version in aiopg/__init__.py') classifiers = [ 'License :: OSI Approved :: BSD License', 'Intended Audience :: Developers', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Operating System :: POSIX', 'Operating System :: MacOS :: MacOS X', 'Environment :: Web Environment', 'Development Status :: 4 - Beta', 'Topic :: Database', 'Topic :: Database :: Front-Ends', ] setup(name='aiopg', version=read_version(), description=('Postgres integration with asyncio.'), long_description='\n\n'.join((read('README.rst'), read('CHANGES.txt'))), classifiers=classifiers, platforms=['POSIX'], author='Andrew Svetlov', author_email='andrew.svetlov@gmail.com', url='http://aiopg.readthedocs.org', download_url='https://pypi.python.org/pypi/aiopg', license='BSD', packages=find_packages(), install_requires=install_requires, extras_require=extras_require, provides=['aiopg'], requires=['psycopg2'], include_package_data = True)
import os import re import sys from setuptools import setup, find_packages install_requires = ['psycopg2>=2.5.2'] PY_VER = sys.version_info if PY_VER >= (3, 4): pass elif PY_VER >= (3, 3): install_requires.append('asyncio') else: raise RuntimeError("aiopg doesn't suppport Python earllier than 3.3") def read(f): return open(os.path.join(os.path.dirname(__file__), f)).read().strip() extras_require = {'sa': ['sqlalchemy>=0.9'], } def read_version(): regexp = re.compile(r"^__version__\W*=\W*'([\d.abrc]+)'") init_py = os.path.join(os.path.dirname(__file__), 'aiopg', '__init__.py') with open(init_py) as f: for line in f: match = regexp.match(line) if match is not None: return match.group(1) else: raise RuntimeError('Cannot find version in aiopg/__init__.py') classifiers = [ 'License :: OSI Approved :: BSD License', 'Intended Audience :: Developers', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Operating System :: POSIX', 'Operating System :: MacOS :: MacOS X', 'Environment :: Web Environment', 'Development Status :: 4 - Beta', 'Topic :: Database', 'Topic :: Database :: Front-Ends', ] setup(name='aiopg', version=read_version(), description=('Postgres integration with asyncio.'), long_description='\n\n'.join((read('README.rst'), read('CHANGES.txt'))), classifiers=classifiers, platforms=['POSIX'], author='Andrew Svetlov', author_email='andrew.svetlov@gmail.com', url='http://aiopg.readthedocs.org', download_url='https://pypi.python.org/pypi/aiopg', license='BSD', packages=find_packages(), install_requires=install_requires, extras_require=extras_require, provides=['aiopg'], requires=['psycopg2'], include_package_data = True)
bsd-2-clause
Python
d853d99c73f4716721aa26d96ec6bc1a5c916dc4
fix `release_status` in `setup.py` (#27)
googleapis/python-container,googleapis/python-container,GoogleContainerTools/python-container,GoogleContainerTools/python-container
setup.py
setup.py
# Copyright 2018 Google LLC # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import io import os import setuptools # Package metadata. name = "google-cloud-container" description = "Google Container Engine API client library" version = "1.0.0" # Should be one of: # 'Development Status :: 3 - Alpha' # 'Development Status :: 4 - Beta' # 'Development Status :: 5 - Production/Stable' release_status = "Development Status :: 5 - Production/Stable" dependencies = [ "google-api-core[grpc] >= 1.14.0, < 2.0.0dev", "grpc-google-iam-v1 >= 0.12.3, < 0.13dev", ] extras = {} # Setup boilerplate below this line. package_root = os.path.abspath(os.path.dirname(__file__)) readme_filename = os.path.join(package_root, "README.rst") with io.open(readme_filename, encoding="utf-8") as readme_file: readme = readme_file.read() # Only include packages under the 'google' namespace. Do not include tests, # benchmarks, etc. packages = [ package for package in setuptools.find_packages() if package.startswith("google") ] # Determine which namespaces are needed. namespaces = ["google"] if "google.cloud" in packages: namespaces.append("google.cloud") setuptools.setup( name=name, version=version, description=description, long_description=readme, author="Google LLC", author_email="googleapis-packages@google.com", license="Apache 2.0", url="https://github.com/googleapis/python-container", classifiers=[ release_status, "Intended Audience :: Developers", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Operating System :: OS Independent", "Topic :: Internet", ], platforms="Posix; MacOS X; Windows", packages=packages, namespace_packages=namespaces, install_requires=dependencies, extras_require=extras, python_requires=">=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*", include_package_data=True, zip_safe=False, )
# Copyright 2018 Google LLC # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import io import os import setuptools # Package metadata. name = "google-cloud-container" description = "Google Container Engine API client library" version = "1.0.0" # Should be one of: # 'Development Status :: 3 - Alpha' # 'Development Status :: 4 - Beta' # 'Development Status :: 5 - Production/Stable' release_status = "Development Status :: 5 - Production/stable" dependencies = [ "google-api-core[grpc] >= 1.14.0, < 2.0.0dev", "grpc-google-iam-v1 >= 0.12.3, < 0.13dev", ] extras = {} # Setup boilerplate below this line. package_root = os.path.abspath(os.path.dirname(__file__)) readme_filename = os.path.join(package_root, "README.rst") with io.open(readme_filename, encoding="utf-8") as readme_file: readme = readme_file.read() # Only include packages under the 'google' namespace. Do not include tests, # benchmarks, etc. packages = [ package for package in setuptools.find_packages() if package.startswith("google") ] # Determine which namespaces are needed. namespaces = ["google"] if "google.cloud" in packages: namespaces.append("google.cloud") setuptools.setup( name=name, version=version, description=description, long_description=readme, author="Google LLC", author_email="googleapis-packages@google.com", license="Apache 2.0", url="https://github.com/googleapis/python-container", classifiers=[ release_status, "Intended Audience :: Developers", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Operating System :: OS Independent", "Topic :: Internet", ], platforms="Posix; MacOS X; Windows", packages=packages, namespace_packages=namespaces, install_requires=dependencies, extras_require=extras, python_requires=">=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*", include_package_data=True, zip_safe=False, )
apache-2.0
Python
f350f5c215efe2a3deda7b5a618c7447adb54c16
add missing dependencies
tubaman/django-mosaic,tubaman/django-mosaic
setup.py
setup.py
import os from setuptools import setup, find_packages with open(os.path.join(os.path.dirname(__file__), 'README.md')) as readme: README = readme.read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup( name='django-mosaico', version='0.1', packages=find_packages('.'), include_package_data=True, license='BSD License', # example license description='A django app that contains the mosaico frontend and implements the mosaico backend.', long_description=README, url='http://www.github.com/tubaman/django-mosaico/', author='Ryan Nowakowski', author_email='tubaman@fattuba.com', install_requires = ['django>=1.9', 'django-jsonfield>=0.9.16', 'django-jsonify', 'premailer>=3.0.0', 'sorl-thumbnail>=12.3'], classifiers=[ 'Environment :: Web Environment', 'Framework :: Django', 'Framework :: Django :: 1.9', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Topic :: Internet :: WWW/HTTP', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', ], )
import os from setuptools import setup, find_packages with open(os.path.join(os.path.dirname(__file__), 'README.md')) as readme: README = readme.read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup( name='django-mosaico', version='0.1', packages=find_packages('.'), include_package_data=True, license='BSD License', # example license description='A django app that contains the mosaico frontend and implements the mosaico backend.', long_description=README, url='http://www.github.com/tubaman/django-mosaico/', author='Ryan Nowakowski', author_email='tubaman@fattuba.com', install_requires = ['django>=1.9', 'django-jsonfield>=0.9.16', 'django-jsonify'], classifiers=[ 'Environment :: Web Environment', 'Framework :: Django', 'Framework :: Django :: 1.9', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Topic :: Internet :: WWW/HTTP', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', ], )
bsd-3-clause
Python
29644a4abb727ed57877688027cad156b63dfc32
Fix classifiers.
mariocesar/sorl-thumbnail,mariocesar/sorl-thumbnail,jazzband/sorl-thumbnail,jazzband/sorl-thumbnail,jazzband/sorl-thumbnail,mariocesar/sorl-thumbnail
setup.py
setup.py
from setuptools import setup, find_packages from setuptools.command.test import test class TestCommand(test): def run(self): from tests.runtests import runtests runtests() setup( name='sorl-thumbnail', use_scm_version=True, description='Thumbnails for Django', long_description=open('README.rst').read(), author="Mikko Hellsing", author_email='mikko@aino.se', maintainer="Jazzband", maintainer_email="roadies@jazzband.co", license="BSD", url='https://github.com/jazzband/sorl-thumbnail', packages=find_packages(exclude=['tests', 'tests.*']), platforms='any', python_requires='>=3.4', zip_safe=False, classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', 'Programming Language :: Python :: 3.7', 'Programming Language :: Python :: 3.8', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', 'Topic :: Multimedia :: Graphics', 'Framework :: Django', 'Framework :: Django :: 2.2', 'Framework :: Django :: 3.0', 'Framework :: Django :: 3.1', ], cmdclass={"test": TestCommand}, setup_requires=['setuptools_scm'], )
from setuptools import setup, find_packages from setuptools.command.test import test class TestCommand(test): def run(self): from tests.runtests import runtests runtests() setup( name='sorl-thumbnail', use_scm_version=True, description='Thumbnails for Django', long_description=open('README.rst').read(), author="Mikko Hellsing", author_email='mikko@aino.se', maintainer="Jazzband", maintainer_email="roadies@jazzband.co", license="BSD", url='https://github.com/jazzband/sorl-thumbnail', packages=find_packages(exclude=['tests', 'tests.*']), platforms='any', python_requires='>=3.4', zip_safe=False, classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', 'Programming Language :: Python :: 3.7', 'Programming Language :: Python :: 3.8', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', 'Topic :: Multimedia :: Graphics', 'Framework :: Django', 'Framework :: Django :: 1.11', 'Framework :: Django :: 2.2', 'Framework :: Django :: 3.0', ], cmdclass={"test": TestCommand}, setup_requires=['setuptools_scm'], )
bsd-3-clause
Python
6d5f2bdde0fed480a2562221666fc1d99bdb63ea
Bump version to 1.0.3
yunojuno/django-appmail,yunojuno/django-appmail
setup.py
setup.py
# -*- coding: utf-8 -*- import os from setuptools import setup, find_packages README = open(os.path.join(os.path.dirname(__file__), 'README.rst')).read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup( name="django-appmail", version="1.0.3", packages=find_packages(), install_requires=[ 'Django>=1.11', 'psycopg2-binary', ], include_package_data=True, description='Django app for managing localised email templates.', long_description=README, url='https://github.com/yunojuno/django-appmail', author='YunoJuno', author_email='code@yunojuno.com', maintainer='YunoJuno', maintainer_email='code@yunojuno.com', classifiers=[ 'Environment :: Web Environment', 'Framework :: Django', 'Framework :: Django :: 1.11', 'Framework :: Django :: 2.0', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3.6', 'Topic :: Internet :: WWW/HTTP', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', ], )
# -*- coding: utf-8 -*- import os from setuptools import setup, find_packages README = open(os.path.join(os.path.dirname(__file__), 'README.rst')).read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup( name="django-appmail", version="1.0.2", packages=find_packages(), install_requires=[ 'Django>=1.11', 'psycopg2-binary', ], include_package_data=True, description='Django app for managing localised email templates.', long_description=README, url='https://github.com/yunojuno/django-appmail', author='YunoJuno', author_email='code@yunojuno.com', maintainer='YunoJuno', maintainer_email='code@yunojuno.com', classifiers=[ 'Environment :: Web Environment', 'Framework :: Django', 'Framework :: Django :: 1.11', 'Framework :: Django :: 2.0', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3.6', 'Topic :: Internet :: WWW/HTTP', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', ], )
mit
Python
d4e301772ce2995fb97ee0c88e99add1549bdb67
remove keywords for packaging
garwoodpr/LuhnAlgorithmProof,garwoodpr/LuhnAlgorithmProof
setup.py
setup.py
from setuptools import setup, find_packages from codecs import open from os import path here = path.abspath(path.dirname(__file__)) # Luhn Algorithm Validator -- long description with open(path.join(here, 'DESCRIPTION.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='luhn_algorithm_validator', version='1.0.0', description='Luhn Account Number Validator', long_description=long_description, # Project homepage url='https://github.com/garwoodpr/LuhnAlgorithmProof', # Author details author='Clint Garwood', author_email='clint@garwoodpr.com', # License license='MIT', # See https://pypi.python.org/pypi?%3Aaction=list_classifiers classifiers=[ # How mature is this project? Common values are # 3 - Alpha # 4 - Beta # 5 - Production/Stable 'Development Status :: 3 - Alpha', # Indicate who your project is intended for 'Topic :: Text Processing :: General', 'Topic :: Scientific/Engineering :: Information Analysis', 'Topic :: Office/Business :: Financial', 'Programming Language :: Python :: 3.4', 'Operating System :: OS Independent', 'Natural Language :: English', 'License :: OSI Approved :: MIT License', 'Intended Audience :: Customer Service', ] )
from setuptools import setup, find_packages from codecs import open from os import path here = path.abspath(path.dirname(__file__)) # Luhn Algorithm Validator -- long description with open(path.join(here, 'DESCRIPTION.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='luhn_algorithm_validator', version='1.0.0', description='Luhn Account Number Validator', long_description=long_description, # Project homepage url='https://github.com/garwoodpr/LuhnAlgorithmProof', # Author details author='Clint Garwood', author_email='clint@garwoodpr.com', # License license='MIT', # See https://pypi.python.org/pypi?%3Aaction=list_classifiers classifiers=[ # How mature is this project? Common values are # 3 - Alpha # 4 - Beta # 5 - Production/Stable 'Development Status :: 3 - Alpha', # Indicate who your project is intended for 'Topic :: Text Processing :: General', 'Topic :: Scientific/Engineering :: Information Analysis', 'Topic :: Office/Business :: Financial', 'Programming Language :: Python :: 3.4', 'Operating System :: OS Independent', 'Natural Language :: English', 'License :: OSI Approved :: MIT License', 'Intended Audience :: Customer Service', ] # Project relates to: keywords='Luhn Algorithm', 'account number validation', 'credit card validation', 'text analysis', 'information processing', 'data verification', cryptography, 'numerical decoding', )
mit
Python
c425d15166244781e19b020826fb1f24db1f97ab
bump version
SF-Zhou/quite
setup.py
setup.py
""" QT UI Extension Author: SF-Zhou Date: 2016-08-07 See: https://github.com/sf-zhou/quite """ from setuptools import setup, find_packages setup( name='quite', version='0.1.1', description='QT UI Extension', url='https://github.com/sf-zhou/quite', author='SF-Zhou', author_email='sfzhou.scut@gmail.com', license='MIT', classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', ], keywords='qt ui', packages=find_packages(exclude=['docs', 'tests', 'examples']), install_requires=['st', 'prett', 'typing', 'pywin32'] )
""" QT UI Extension Author: SF-Zhou Date: 2016-08-07 See: https://github.com/sf-zhou/quite """ from setuptools import setup, find_packages setup( name='quite', version='0.1.0', description='QT UI Extension', url='https://github.com/sf-zhou/quite', author='SF-Zhou', author_email='sfzhou.scut@gmail.com', license='MIT', classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', ], keywords='qt ui', packages=find_packages(exclude=['docs', 'tests', 'examples']), install_requires=['st', 'prett', 'typing', 'pywin32'] )
mit
Python
78efa25efa1dbac7eb4d256717ac53b0d9c6a17e
bump version to 0.2.4
CivicTechTO/django-councilmatic,datamade/django-councilmatic,datamade/django-councilmatic,CivicTechTO/django-councilmatic,CivicTechTO/django-councilmatic,CivicTechTO/django-councilmatic,datamade/django-councilmatic,datamade/django-councilmatic
setup.py
setup.py
import os from setuptools import setup with open(os.path.join(os.path.dirname(__file__), 'README.rst')) as readme: README = readme.read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup( name='django-councilmatic', version='0.2.4', packages=['councilmatic_core'], include_package_data=True, license='MIT License', # example license description='Core functions for councilmatic.org family', long_description=README, url='http://councilmatic.org/', author='DataMade, LLC', author_email='info@datamade.us', install_requires=['requests==2.7.0', 'django-haystack==2.4.0', 'pysolr==3.3.2', 'python-dateutil==2.4.2'], classifiers=[ 'Environment :: Web Environment', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', # example license 'Operating System :: OS Independent', 'Programming Language :: Python', # Replace these appropriately if you are stuck on Python 2. 'Programming Language :: Python :: 3.4', 'Topic :: Internet :: WWW/HTTP', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', ], )
import os from setuptools import setup with open(os.path.join(os.path.dirname(__file__), 'README.rst')) as readme: README = readme.read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup( name='django-councilmatic', version='0.2.3', packages=['councilmatic_core'], include_package_data=True, license='MIT License', # example license description='Core functions for councilmatic.org family', long_description=README, url='http://councilmatic.org/', author='DataMade, LLC', author_email='info@datamade.us', install_requires=['requests==2.7.0', 'django-haystack==2.4.0', 'pysolr==3.3.2', 'python-dateutil==2.4.2'], classifiers=[ 'Environment :: Web Environment', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', # example license 'Operating System :: OS Independent', 'Programming Language :: Python', # Replace these appropriately if you are stuck on Python 2. 'Programming Language :: Python :: 3.4', 'Topic :: Internet :: WWW/HTTP', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', ], )
mit
Python
9c9a47f9ce5bd7c21bc772158b9133c668d6d295
Add classifiers to setup.py
mwilliamson/python-tempman
setup.py
setup.py
#!/usr/bin/env python import os from distutils.core import setup def read(fname): return open(os.path.join(os.path.dirname(__file__), fname)).read() setup( name='tempman', version='0.1.2', description='Create and clean up temporary directories', long_description=read("README"), author='Michael Williamson', author_email='mike@zwobble.org', url='http://github.com/mwilliamson/python-tempman', packages=['tempman'], keywords="temporary temp directory directories cleanup clean", classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.2', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Operating System :: OS Independent', ], )
#!/usr/bin/env python import os from distutils.core import setup def read(fname): return open(os.path.join(os.path.dirname(__file__), fname)).read() setup( name='tempman', version='0.1.2', description='Create and clean up temporary directories', long_description=read("README"), author='Michael Williamson', author_email='mike@zwobble.org', url='http://github.com/mwilliamson/python-tempman', packages=['tempman'], keywords="temporary temp directory directories cleanup clean", )
bsd-2-clause
Python
078c6c4e2aa79e339974f4fe41a74e57c0efe587
Update dependency
gaoce/TimeVis,gaoce/TimeVis,gaoce/TimeVis
setup.py
setup.py
from __future__ import print_function import os from setuptools import setup from setuptools.command.install import install # Utility function to read the README file. def read(fname): return open(os.path.join(os.path.dirname(__file__), fname)).read() class MyInstall(install): """ Customized install class to initialize database during install """ def run(self): import timevis.models as m print('Initalizing built-in database') m.Base.metadata.create_all(m.engine) print('Done initalizing built-in database') install.run(self) # Setup, some thing to note # 1. zip_safe needs to be False since we need access to templates setup( name="TimeVis", version="0.2", author="Ce Gao", author_email="gaoce@coe.neu.edu", description=("TimeVis: An interactive tool to query and visualize " "time series gene expression data"), license="MIT", install_requires=[ "Flask>=0.10.1", "Flask-RESTful", "SQLAlchemy>=1.0.3", ], packages=['timevis'], package_dir={"timevis": "timevis"}, package_data={ "timevis": [ "db/*.db", "static/images/*", "static/js/*.js", "static/js/lib/*.js", "static/css/*.css", "static/css/lib/*.css", "static/css/lib/images/*", "templates/*.html", ] }, long_description=read('README.md'), entry_points={'console_scripts': ['timevis = timevis.app:main']}, zip_safe=False, cmdclass={'install': MyInstall} )
from __future__ import print_function import os from setuptools import setup from setuptools.command.install import install # Utility function to read the README file. def read(fname): return open(os.path.join(os.path.dirname(__file__), fname)).read() class MyInstall(install): """ Customized install class to initialize database during install """ def run(self): import timevis.models as m print('Initalizing built-in database') m.Base.metadata.create_all(m.engine) print('Done initalizing built-in database') install.run(self) # Setup, some thing to note # 1. zip_safe needs to be False since we need access to templates setup( name="TimeVis", version="0.2", author="Ce Gao", author_email="gaoce@coe.neu.edu", description=("TimeVis: An interactive tool to query and visualize " "time series gene expression data"), license="MIT", install_requires=[ "Flask>=0.10.1", "SQLAlchemy>=1.0.3", ], packages=['timevis'], package_dir={"timevis": "timevis"}, package_data={ "timevis": [ "db/*.db", "static/images/*", "static/js/*.js", "static/js/lib/*.js", "static/css/*.css", "static/css/lib/*.css", "static/css/lib/images/*", "templates/*.html", ] }, long_description=read('README.md'), entry_points={'console_scripts': ['timevis = timevis.app:main']}, zip_safe=False, cmdclass={'install': MyInstall} )
mit
Python
add801e6b60afdecaca5de36615cd341f8fecdf8
add project url
tgs/requests-jwt
setup.py
setup.py
#!/usr/bin/env python # coding: utf-8 from setuptools import setup setup( name='requests-jwt', version='0.2', url='https://github.com/tgs/requests-jwt', install_requires=[ 'requests>=1.0.0', 'PyJWT' ], tests_require=['httpretty'], test_suite='tests.suite', provides=[ 'requests_jwt' ], author='Thomas Grenfell Smith', author_email='thomathom@gmail.com', description='This package allows for HTTP JSON Web Token (JWT) authentication using the requests library.', license='ISC', classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Programming Language :: Python', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', "Programming Language :: Python :: 3.2", "Programming Language :: Python :: 3.3", 'License :: OSI Approved :: ISC License (ISCL)', ], )
#!/usr/bin/env python # coding: utf-8 from setuptools import setup setup( name='requests_jwt', version='0.2', install_requires=[ 'requests>=1.0.0', 'PyJWT' ], tests_require=['httpretty'], test_suite='tests.suite', provides=[ 'requests_jwt' ], author='Thomas Grenfell Smith', author_email='thomathom@gmail.com', description='This package allows for HTTP JSON Web Token (JWT) authentication using the requests library.', license='ISC', classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Programming Language :: Python', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', "Programming Language :: Python :: 3.2", "Programming Language :: Python :: 3.3", 'License :: OSI Approved :: ISC License (ISCL)', ], )
isc
Python
77d4f43a534cbf702fbd6b0954eb71b3f64e2cb7
add extension to setup to include numpy
schae234/Camoco,schae234/Camoco
setup.py
setup.py
#!/usr/bin/env python3 from setuptools import setup, find_packages, Extension from Cython.Distutils import build_ext import os import numpy pccup = Extension( 'PCCUP', sources=['camoco/PCCUP.pyx'], extra_compile_args=['-ffast-math'], inlcude_dirs=[numpy.get_include()] ) refgendist = Extension( 'RefGenDist', sources=['camoco/RefGenDist.pyx'], extra_compile_args=['-ffast-math'], inlcude_dirs=[numpy.get_include()] ) setup( name = 'camoco', version = '0.1.8', packages = find_packages(), scripts = [ 'camoco/cli/camoco' ], ext_modules = [pccup,refgendist], cmdclass = {'build_ext': build_ext}, package_data = { '':['*.cyx'] }, install_requires = [ 'cython>=0.16', 'igraph>=0.1.5', 'matplotlib>=1.4.3', 'numpy>=1.9.1', 'pandas>=0.16', 'scipy>=0.15', 'termcolor>=1.1.0', 'powerlaw==1.3.5' ], include_package_data=True, author = 'Rob Schaefer', author_email = 'schae234@gmail.com', description = 'Library for Co-Analysis of Molecular Componenets.', license = "Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International License", url = 'https://github.com/schae234/camoco' )
#!/usr/bin/env python3 from setuptools import setup, find_packages, Extension from Cython.Distutils import build_ext import os pccup = Extension( 'PCCUP', sources=['camoco/PCCUP.pyx'], extra_compile_args=['-ffast-math'] ) refgendist = Extension( 'RefGenDist', sources=['camoco/RefGenDist.pyx'], extra_compile_args=['-ffast-math'] ) setup( name = 'camoco', version = '0.1.8', packages = find_packages(), scripts = [ 'camoco/cli/camoco' ], ext_modules = [pccup,refgendist], cmdclass = {'build_ext': build_ext}, package_data = { '':['*.cyx'] }, install_requires = [ 'cython>=0.16', 'igraph>=0.1.5', 'matplotlib>=1.4.3', 'numpy>=1.9.1', 'pandas>=0.16', 'scipy>=0.15', 'termcolor>=1.1.0', 'powerlaw==1.3.5' ], include_package_data=True, author = 'Rob Schaefer', author_email = 'schae234@gmail.com', description = 'Library for Co-Analysis of Molecular Componenets.', license = "Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International License", url = 'https://github.com/schae234/camoco' )
mit
Python
a620066a23f21b8a736cae0238dfa3ee8549e3a7
Add pytest-cov as a test dependency
charleswhchan/serfclient-py,KushalP/serfclient-py
setup.py
setup.py
#!/usr/bin/env python import os import sys from serfclient import __version__ try: from setuptools import setup from setuptools.command.test import test as TestCommand class PyTest(TestCommand): def finalize_options(self): TestCommand.finalize_options(self) self.test_args = [] self.test_suite = True def run_tests(self): import pytest errno = pytest.main(self.test_args) sys.exit(errno) except ImportError: from distutils.core import setup PyTest = lambda x: x try: long_description = open(os.path.join(os.path.dirname(__file__), 'README.rst')).read() except: long_description = None setup( name='serfclient', version=__version__, description='Python client for the Serf orchestration tool', long_description=long_description, url='https://github.com/KushalP/serfclient-py', author='Kushal Pisavadia', author_email='kushal@violentlymild.com', maintainer='Kushal Pisavadia', maintainer_email='kushal@violentlymild.com', keywords=['Serf', 'orchestration', 'service discovery'], license='MIT', packages=['serfclient'], install_requires=['msgpack-python >= 0.4.0'], tests_require=['pytest >= 2.5.2', 'pytest-cov >= 1.6'], cmdclass={'test': PyTest} )
#!/usr/bin/env python import os import sys from serfclient import __version__ try: from setuptools import setup from setuptools.command.test import test as TestCommand class PyTest(TestCommand): def finalize_options(self): TestCommand.finalize_options(self) self.test_args = [] self.test_suite = True def run_tests(self): import pytest errno = pytest.main(self.test_args) sys.exit(errno) except ImportError: from distutils.core import setup PyTest = lambda x: x try: long_description = open(os.path.join(os.path.dirname(__file__), 'README.rst')).read() except: long_description = None setup( name='serfclient', version=__version__, description='Python client for the Serf orchestration tool', long_description=long_description, url='https://github.com/KushalP/serfclient-py', author='Kushal Pisavadia', author_email='kushal@violentlymild.com', maintainer='Kushal Pisavadia', maintainer_email='kushal@violentlymild.com', keywords=['Serf', 'orchestration', 'service discovery'], license='MIT', packages=['serfclient'], install_requires=['msgpack-python >= 0.4.0'], tests_require=['pytest >= 2.5.2'], cmdclass={'test': PyTest} )
mit
Python
2968e577657163e76c544b91581428d9bdfb46ef
Bump version
ioO/billjobs
setup.py
setup.py
import os from setuptools import setup with open(os.path.join(os.path.dirname(__file__), 'README.rst')) as readme: README = readme.read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup( name='django-billjobs', version='0.3.0', packages=['billjobs'], include_package_data=True, install_requires=[ "django >= 1.8, < 1.9", "reportlab == 3", "Pillow", ], license='X11 License', description='A django billing app for coworking space.', long_description=README, url='https://github.com/ioO/django-billjobs', author='Lionel Chanson', author_email='github@lionelchanson.fr', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: Web Environment', 'Framework :: Django', 'Framework :: Django :: 1.8', 'Framework :: Django :: 1.9', 'Intended Audience :: Other Audience', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Topic :: Internet :: WWW/HTTP', ], )
import os from setuptools import setup with open(os.path.join(os.path.dirname(__file__), 'README.rst')) as readme: README = readme.read() # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) setup( name='django-billjobs', version='0.2.7', packages=['billjobs'], include_package_data=True, install_requires=[ "django >= 1.8, < 1.9", "reportlab == 3", "Pillow", ], license='X11 License', description='A django billing app for coworking space.', long_description=README, url='https://github.com/ioO/django-billjobs', author='Lionel Chanson', author_email='github@lionelchanson.fr', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: Web Environment', 'Framework :: Django', 'Framework :: Django :: 1.8', 'Framework :: Django :: 1.9', 'Intended Audience :: Other Audience', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Topic :: Internet :: WWW/HTTP', ], )
mit
Python
a361806026b0358270d101e9eff362d08a971076
Remove python version upper bound (#145)
googleapis/python-db-dtypes-pandas,googleapis/python-db-dtypes-pandas
setup.py
setup.py
# Copyright 2021 Google LLC # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # https://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import io import os import re from setuptools import setup # Package metadata. name = "db-dtypes" description = "Pandas Data Types for SQL systems (BigQuery, Spanner)" # Should be one of: # 'Development Status :: 3 - Alpha' # 'Development Status :: 4 - Beta' # 'Development Status :: 5 - Production/Stable' release_status = "Development Status :: 5 - Production/Stable" dependencies = [ "packaging >= 17.0", "pandas >= 0.24.2, < 2.0dev", "pyarrow>=3.0.0, <10.0dev", "numpy >= 1.16.6, < 2.0dev", ] package_root = os.path.abspath(os.path.dirname(__file__)) with open(os.path.join(package_root, "db_dtypes", "version.py")) as f: version = re.search('__version__ = "([^"]+)"', f.read()).group(1) def readme(): with io.open("README.rst", "r", encoding="utf8") as f: return f.read() setup( name=name, version=version, description=description, long_description=readme(), long_description_content_type="text/x-rst", author="The db-dtypes Authors", author_email="googleapis-packages@google.com", packages=["db_dtypes"], url="https://github.com/googleapis/python-db-dtypes-pandas", keywords=["sql", "pandas"], classifiers=[ release_status, "Intended Audience :: Developers", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", "Programming Language :: Python :: 3.9", "Programming Language :: Python :: 3.10", "Operating System :: OS Independent", "Topic :: Database :: Front-Ends", ], platforms="Posix; MacOS X; Windows", install_requires=dependencies, python_requires=">=3.7", tests_require=["pytest"], )
# Copyright 2021 Google LLC # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # https://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. import io import os import re from setuptools import setup # Package metadata. name = "db-dtypes" description = "Pandas Data Types for SQL systems (BigQuery, Spanner)" # Should be one of: # 'Development Status :: 3 - Alpha' # 'Development Status :: 4 - Beta' # 'Development Status :: 5 - Production/Stable' release_status = "Development Status :: 5 - Production/Stable" dependencies = [ "packaging >= 17.0", "pandas >= 0.24.2, < 2.0dev", "pyarrow>=3.0.0, <10.0dev", "numpy >= 1.16.6, < 2.0dev", ] package_root = os.path.abspath(os.path.dirname(__file__)) with open(os.path.join(package_root, "db_dtypes", "version.py")) as f: version = re.search('__version__ = "([^"]+)"', f.read()).group(1) def readme(): with io.open("README.rst", "r", encoding="utf8") as f: return f.read() setup( name=name, version=version, description=description, long_description=readme(), long_description_content_type="text/x-rst", author="The db-dtypes Authors", author_email="googleapis-packages@google.com", packages=["db_dtypes"], url="https://github.com/googleapis/python-db-dtypes-pandas", keywords=["sql", "pandas"], classifiers=[ release_status, "Intended Audience :: Developers", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", "Programming Language :: Python :: 3.9", "Programming Language :: Python :: 3.10", "Operating System :: OS Independent", "Topic :: Database :: Front-Ends", ], platforms="Posix; MacOS X; Windows", install_requires=dependencies, python_requires=">=3.7, <3.11", tests_require=["pytest"], )
apache-2.0
Python
02648f401478a0b41a814a9664c62ef2e867f713
Add midi as dependency
douglaseck/pretty-midi,rafaelvalle/pretty-midi,craffel/pretty-midi,tygeng/pretty-midi
setup.py
setup.py
from setuptools import setup setup( name='pretty_midi', version='0.0.1', description='A class for handling MIDI data in a convenient way.', author='Colin Raffel', author_email='craffel@gmail.com', url='https://github.com/craffel/pretty_midi', packages=['pretty_midi'], package_data={'': ['TimGM6mb.sf2']}, long_description="""\ A class which makes handling MIDI data easy in Python. Provides methods for extracting and modifying the useful parts of MIDI files. """, classifiers=[ "License :: OSI Approved :: MIT License", "Programming Language :: Python", "Development Status :: 3 - Alpha", "Intended Audience :: Developers", "Topic :: Multimedia :: Sound/Audio :: Analysis", ], keywords='audio music midi mir', license='MIT', install_requires=[ 'numpy >= 1.7.0', 'midi' ], )
from setuptools import setup setup( name='pretty_midi', version='0.0.1', description='A class for handling MIDI data in a convenient way.', author='Colin Raffel', author_email='craffel@gmail.com', url='https://github.com/craffel/pretty_midi', packages=['pretty_midi'], package_data={'': ['TimGM6mb.sf2']}, long_description="""\ A class which makes handling MIDI data easy in Python. Provides methods for extracting and modifying the useful parts of MIDI files. """, classifiers=[ "License :: OSI Approved :: MIT License", "Programming Language :: Python", "Development Status :: 3 - Alpha", "Intended Audience :: Developers", "Topic :: Multimedia :: Sound/Audio :: Analysis", ], keywords='audio music midi mir', license='MIT', install_requires=[ 'numpy >= 1.7.0', ], )
mit
Python
7a628d60748de6a803d948c8b92f7094dbb12c19
bump version
MagnetoTesting/magneto,aaaliua/magneto,EverythingMe/magneto,yershalom/magneto
setup.py
setup.py
from setuptools import setup, find_packages setup( name='magneto', version='0.1.9', description='Magneto - Command your droids.', author='EverythingMe', author_email='automation@everything.me', url='http://github.com/EverythingMe/magneto', packages=find_packages(), install_requires=[ 'pytest', 'pytest-ordering', 'uiautomator', 'futures', 'coloredlogs', 'IPython' ], entry_points={ 'console_scripts': [ 'magneto = magneto.main:main', 'imagneto = magneto.imagneto:main' ] }, classifiers=[ 'Development Status :: 3 - Alpha', 'Environment :: Console', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'Programming Language :: Python :: 2.7', 'Topic :: Software Development :: Quality Assurance', 'Topic :: Software Development :: Testing' ] )
from setuptools import setup, find_packages setup( name='magneto', version='0.1.8', description='Magneto - Command your droids.', author='EverythingMe', author_email='automation@everything.me', url='http://github.com/EverythingMe/magneto', packages=find_packages(), install_requires=[ 'pytest', 'pytest-ordering', 'uiautomator', 'futures', 'coloredlogs', 'IPython' ], entry_points={ 'console_scripts': [ 'magneto = magneto.main:main', 'imagneto = magneto.imagneto:main' ] }, classifiers=[ 'Development Status :: 3 - Alpha', 'Environment :: Console', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'Programming Language :: Python :: 2.7', 'Topic :: Software Development :: Quality Assurance', 'Topic :: Software Development :: Testing' ] )
apache-2.0
Python
b382e3ae5460cfd9efa7a6077d6e8e0775e818a7
Remove stupid debug comments.
novel/lc-tools,novel/lc-tools
setup.py
setup.py
#!/usr/bin/env python import subprocess import os.path import sys from distutils.core import setup from distutils.command.install import install from distutils.command.clean import clean class lc_install(install): def run(self): install.run(self) man_dir = os.path.abspath("./man/") output = subprocess.Popen([os.path.join(man_dir, "install.sh")], stdout=subprocess.PIPE, cwd=man_dir, env=dict({"PREFIX": self.prefix}, **os.environ)).communicate()[0] print output setup(name="lctools", version="0.1.2", description="CLI tools for managing clouds, based on libcloud", author="Roman Bogorodskiy", author_email="bogorodskiy@gmail.com", url="http://github.com/novel/lc-tools", packages=["lctools"], scripts=["lc-drivers-list", "lc-image-list", "lc-node-add", "lc-node-do", "lc-node-list", "lc-sizes-list"], license='Apache License (2.0)', classifiers=[ 'Development Status :: 3 - Alpha', 'Environment :: Console', 'Intended Audience :: System Administrators', 'License :: OSI Approved :: Apache Software License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Topic :: System'], cmdclass={"install": lc_install},)
#!/usr/bin/env python import subprocess import os.path import sys from distutils.core import setup from distutils.command.install import install from distutils.command.clean import clean class lc_install(install): def run(self): # install.run(self) # print "HERE WE GO" # print self.dump_options() # print self.prefix # sys.exit(0) man_dir = os.path.abspath("./man/") output = subprocess.Popen([os.path.join(man_dir, "install.sh")], stdout=subprocess.PIPE, cwd=man_dir, env=dict({"PREFIX": self.prefix}, **os.environ)).communicate()[0] print output #class lc_clean(clean): # # def run(self): # clean.run(self) # # print "STUFFF YZ CLEAN!!" setup(name="lctools", version="0.1.2", description="CLI tools for managing clouds, based on libcloud", author="Roman Bogorodskiy", author_email="bogorodskiy@gmail.com", url="http://github.com/novel/lc-tools", packages=["lctools"], scripts=["lc-drivers-list", "lc-image-list", "lc-node-add", "lc-node-do", "lc-node-list", "lc-sizes-list"], license='Apache License (2.0)', classifiers=[ 'Development Status :: 3 - Alpha', 'Environment :: Console', 'Intended Audience :: System Administrators', 'License :: OSI Approved :: Apache Software License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Topic :: System'], cmdclass={"install": lc_install},)
apache-2.0
Python
91fd8a4a31bd428e1c71134dae0e748e41ebdad0
modify setup.py for 2.7 imports
stijnvanhoey/hydropy,stijnvanhoey/hydropy
setup.py
setup.py
#!/usr/bin/env python from __future__ import absolute_import from setuptools import setup setup(name='hydropy', version='0.1', description='Analysis of hydrological oriented time series', url='https://stijnvanhoey.github.io/hydropy/', author='Stijn Van Hoey', author_email='stvhoey.vanhoey@ugent.be', license='BSD', include_package_data=True, install_requires=['scipy', 'numpy', 'pandas', 'matplotlib', 'seaborn', 'requests'], packages=['hydropy'], keywords='hydrology time series hydroTSM', test_suite='tests', classifiers=[ 'Development Status :: 1 - Planning', 'Intended Audience :: Science/Research', 'License :: OSI Approved :: BSD License', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Topic :: Scientific/Engineering :: Information Analysis', 'Topic :: Scientific/Engineering :: Visualization', 'Topic :: Utilities' ])
#!/usr/bin/env python from setuptools import setup setup(name='hydropy', version='0.1', description='Analysis of hydrological oriented time series', url='https://stijnvanhoey.github.io/hydropy/', author='Stijn Van Hoey', author_email='stvhoey.vanhoey@ugent.be', license='BSD', include_package_data=True, install_requires=['scipy', 'numpy', 'pandas', 'matplotlib', 'seaborn', 'requests'], packages=['hydropy'], keywords='hydrology time series hydroTSM', test_suite='tests', classifiers=[ 'Development Status :: 1 - Planning', 'Intended Audience :: Science/Research', 'License :: OSI Approved :: BSD License', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Topic :: Scientific/Engineering :: Information Analysis', 'Topic :: Scientific/Engineering :: Visualization', 'Topic :: Utilities' ])
bsd-2-clause
Python
3c89214e45f631d8258f75e7f96c252c181dfdab
Add missing dependencies for Python 2
exhuma/puresnmp,exhuma/puresnmp
setup.py
setup.py
from sys import version_info from setuptools import find_packages, setup VERSION = open('puresnmp/version.txt').read().strip() DEPENDENCIES = [] if version_info < (3, 5): DEPENDENCIES.append('typing') if version_info < (3, 3): DEPENDENCIES.append('ipaddress') DEPENDENCIES.append('mock') setup( name="puresnmp", version=VERSION, description="Pure Python SNMP implementation", long_description=open("README.rst").read(), author="Michel Albert", author_email="michel@albert.lu", provides=['puresnmp'], license="MIT", include_package_data=True, install_requires=DEPENDENCIES, extras_require={ 'dev': [], 'test': ['pytest-xdist', 'pytest', 'pytest-coverage'] }, packages=find_packages(exclude=["tests.*", "tests", "docs"]), url="https://github.com/exhuma/puresnmp", keywords="networking snmp", classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Intended Audience :: System Administrators', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3 :: Only', 'Topic :: System :: Networking', 'Topic :: System :: Networking :: Monitoring', 'Topic :: System :: Systems Administration', ] )
from sys import version_info from setuptools import find_packages, setup VERSION = open('puresnmp/version.txt').read().strip() DEPENDENCIES = [] if version_info < (3, 5): DEPENDENCIES.append('typing') setup( name="puresnmp", version=VERSION, description="Pure Python SNMP implementation", long_description=open("README.rst").read(), author="Michel Albert", author_email="michel@albert.lu", provides=['puresnmp'], license="MIT", include_package_data=True, install_requires=DEPENDENCIES, extras_require={ 'dev': [], 'test': ['pytest-xdist', 'pytest', 'pytest-coverage'] }, packages=find_packages(exclude=["tests.*", "tests", "docs"]), url="https://github.com/exhuma/puresnmp", keywords="networking snmp", classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Intended Audience :: System Administrators', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3 :: Only', 'Topic :: System :: Networking', 'Topic :: System :: Networking :: Monitoring', 'Topic :: System :: Systems Administration', ] )
mit
Python
58712d629f2a2fcaf40b27a58e48925d5a81c455
Bump version to v2.0.7
olivierdalang/django-nested-admin,sbussetti/django-nested-admin,sbussetti/django-nested-admin,olivierdalang/django-nested-admin,olivierdalang/django-nested-admin,sbussetti/django-nested-admin
setup.py
setup.py
#!/usr/bin/env python try: from setuptools import setup, find_packages except ImportError: from ez_setup import use_setuptools use_setuptools() from setuptools import setup, find_packages setup( name='django-nested-admin', version="2.0.7", install_requires=[ 'six>=1.7.0', ], description="Django admin classes that allow for nested inlines", author='The Atlantic', author_email='programmers@theatlantic.com', url='https://github.com/theatlantic/django-nested-admin', packages=find_packages(), classifiers=[ 'Environment :: Web Environment', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Framework :: Django', ], include_package_data=True, zip_safe=False, long_description=open('README.rst').read())
#!/usr/bin/env python try: from setuptools import setup, find_packages except ImportError: from ez_setup import use_setuptools use_setuptools() from setuptools import setup, find_packages setup( name='django-nested-admin', version="2.0.6", install_requires=[ 'six>=1.7.0', ], description="Django admin classes that allow for nested inlines", author='The Atlantic', author_email='programmers@theatlantic.com', url='https://github.com/theatlantic/django-nested-admin', packages=find_packages(), classifiers=[ 'Environment :: Web Environment', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Framework :: Django', ], include_package_data=True, zip_safe=False, long_description=open('README.rst').read())
bsd-2-clause
Python
5a8c7f7e0f38530f4eb0f0c87eff4881128e8bb6
Update setup.py
mattpatey/news-to-epub
setup.py
setup.py
from setuptools import setup, find_packages setup( name = 'News2Epub', version = '1.0a', install_requires = [ 'EbookLib==0.15', 'beautifulsoup4==4.3.2', 'python-dateutil==2.4.2', 'requests==2.6.0', ], author = 'Matt Patey', description = 'Convert news from The Guardian website into Epub format for reading on a BQ Cervantes2', license = 'MIT', url = 'https://github.com/mattpatey/news-to-epub', packages = find_packages('src'), package_dir = {'': 'src'}, entry_points = { 'console_scripts': { 'news2epub = news_to_epub.scrape:main', }, }, )
from setuptools import setup, find_packages setup( name = 'News2Epub', version = '1.0a', install_requires = [ 'EbookLib==0.15', 'beautifulsoup4==4.3.2', 'requests==2.6.0', ], author = 'Matt Patey', description = 'Convert news from The Guardian website into Epub format for reading on a BQ Cervantes2', license = 'MIT', url = 'https://github.com/mattpatey/news-to-epub', packages = find_packages('src'), package_dir = {'': 'src'}, entry_points = { 'console_scripts': { 'news2epub = news_to_epub.scrape:main', }, }, )
mit
Python
f26984b2de8cc6e53ebd61da6a4ab600fdacde61
fix typo
jld23/saspy,jld23/saspy
setup.py
setup.py
#!/usr/bin/env python # # Copyright SAS Institute # # Licensed under the Apache License, Version 2.0 (the License); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # try: from setuptools import setup except ImportError: from distutils.core import setup from saspy import __version__ with open('README.md') as f: readme = f.read() setup(name='saspy', version = __version__, description = 'A Python interface to SAS', long_description = readme, author = 'Tom Weber', author_email = 'Tom.Weber@sas.com', url = 'https://github.com/sassoftware/saspy', packages = ['saspy'], cmdclass = {}, package_data = {'': ['*.js', '*.md', '*.yaml', '*.css', '*.rst'], 'saspy': ['*.sas', 'java/*.*', 'java/pyiom/*.*']}, install_requires = ['pygments', 'ipython>=4.0.0', 'pre-commit'], classifiers = [ 'Programming Language :: Python :: 3', "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Topic :: System :: Shells", 'License :: OSI Approved :: Apache Software License' ] )
#!/usr/bin/env python # # Copyright SAS Institute # # Licensed under the Apache License, Version 2.0 (the License); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # try: from setuptools import setup except ImportError: from distutils.core import setup from saspy import __version__ with open('README.md') as f: readme = f.read() setup(name='saspy', version = __version__, description = 'A Python interface to SAS', long_description = readme, author = 'Tom Weber', author_email = 'Tom.Weber@sas.com', url = 'https://github.com/sassoftware/saspy', packages = ['saspy'], cmdclass = {}, package_data = {'': ['*.js', '*.md', '*.yaml', '*.css', '*.rst'], 'saspy': ['*.sas', 'java/*.*', 'java/pyioim/*.*']}, install_requires = ['pygments', 'ipython>=4.0.0', 'pre-commit'], classifiers = [ 'Programming Language :: Python :: 3', "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Topic :: System :: Shells", 'License :: OSI Approved :: Apache Software License' ] )
apache-2.0
Python
7cb352d24c850423c049552b4ca4fed1d6031f77
Bump version number.
ProjetPP/PPP-DatamodelNotationParser,ProjetPP/PPP-DatamodelNotationParser
setup.py
setup.py
#!/usr/bin/env python3 from setuptools import setup, find_packages setup( name='ppp_datamodel_notation_parser', version='0.1.4', description='A module parsing a human-writable representation of a question tree.', url='https://github.com/ProjetPP', author='Valentin Lorentz', author_email='valentin.lorentz+ppp@ens-lyon.org', license='MIT', classifiers=[ 'Environment :: No Input/Output (Daemon)', 'Development Status :: 1 - Planning', 'Intended Audience :: System Administrators', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.2', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Topic :: Internet :: WWW/HTTP :: WSGI :: Application', 'Topic :: Software Development :: Libraries', ], install_requires=[ 'ppp_datamodel>=0.5.21', 'ppp_libmodule>=0.7', ], packages=[ 'ppp_datamodel_notation_parser', ], )
#!/usr/bin/env python3 from setuptools import setup, find_packages setup( name='ppp_datamodel_notation_parser', version='0.1.3', description='A module parsing a human-writable representation of a question tree.', url='https://github.com/ProjetPP', author='Valentin Lorentz', author_email='valentin.lorentz+ppp@ens-lyon.org', license='MIT', classifiers=[ 'Environment :: No Input/Output (Daemon)', 'Development Status :: 1 - Planning', 'Intended Audience :: System Administrators', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.2', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Topic :: Internet :: WWW/HTTP :: WSGI :: Application', 'Topic :: Software Development :: Libraries', ], install_requires=[ 'ppp_datamodel>=0.5.20', 'ppp_libmodule>=0.7', ], packages=[ 'ppp_datamodel_notation_parser', ], )
mit
Python
900794dafa7052243cd17615b3eddf6b402f84f0
update setup.py
elapouya/PyStrExt
setup.py
setup.py
from setuptools import setup setup(name='pystrext', version='0.1.1', description='Python string extension', long_description=long_description, classifiers=[ "Intended Audience :: Developers", "Development Status :: 4 - Beta", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.7", ], keywords='string helpers', url='', author='Eric Lapouyade', author_email='elapouya@gmail.com', license='LGPL 2.1', packages=['pystrext'], zip_safe=False)
from setuptools import setup setup(name='pystrext', version='0.1.0', description='Python string extension', url='', author='Eric Lapouyade', author_email='elapouya@gmail.com', license='MIT', packages=['pystrext'], zip_safe=False)
lgpl-2.1
Python
36eaad954c69bb2a1326efd25ec21e7f935e68ed
Bump version
empty/django-switch-user
setup.py
setup.py
import os from setuptools import setup, find_packages def read(fname): try: with open(os.path.join(os.path.dirname(__file__), fname)) as fh: return fh.read() except IOError: return '' requirements = read('REQUIREMENTS').splitlines() tests_requirements = read('REQUIREMENTS-TESTS').splitlines() setup( name="django-switch-user", version="2.0.1", description="Django Switch User allows you to assume the identity of another user.", long_description=read('README.md'), url='http://michaeltrier.com', license='MIT', author='Michael Trier', author_email='mtrier@gmail.com', packages=find_packages(exclude=['tests']), include_package_data=True, classifiers=[ 'Development Status :: 4 - Beta', 'Programming Language :: Python', ], install_requires=requirements, tests_require=tests_requirements, ) :while expression: pass
import os from setuptools import setup, find_packages def read(fname): try: with open(os.path.join(os.path.dirname(__file__), fname)) as fh: return fh.read() except IOError: return '' requirements = read('REQUIREMENTS').splitlines() tests_requirements = read('REQUIREMENTS-TESTS').splitlines() setup( name="django-switch-user", version="2.0.0", description="Django Switch User allows you to assume the identity of another user.", long_description=read('README.md'), url='http://michaeltrier.com', license='MIT', author='Michael Trier', author_email='mtrier@gmail.com', packages=find_packages(exclude=['tests']), include_package_data=True, classifiers=[ 'Development Status :: 4 - Beta', 'Programming Language :: Python', ], install_requires=requirements, tests_require=tests_requirements, )
mit
Python
179e72db3d95a41d53ebd019a5cb698a7767eb45
Set the version to 0.8.1
xgfone/xutils,xgfone/pycom
setup.py
setup.py
try: from setuptools import setup except ImportError: from distutils.core import setup setup( name="xutils", version="0.8.1", description="A Fragmentary Python Library.", author="xgfone", author_email="xgfone@126.com", maintainer="xgfone", maintainer_email="xgfone@126.com", url="https://github.com/xgfone/xutils", packages=["xutils"], classifiers=[ "License :: OSI Approved :: MIT License", "Programming Language :: Python", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.3", "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", ], )
try: from setuptools import setup except ImportError: from distutils.core import setup setup( name="xutils", version="0.8", description="A Fragmentary Python Library.", author="xgfone", author_email="xgfone@126.com", maintainer="xgfone", maintainer_email="xgfone@126.com", url="https://github.com/xgfone/xutils", packages=["xutils"], classifiers=[ "License :: OSI Approved :: MIT License", "Programming Language :: Python", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.3", "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", ], )
mit
Python
056827062c5b813c94e25fd026cac98f9ae5252b
Bump version number
mistydemeo/lazy_paged_sequence
setup.py
setup.py
from setuptools import setup setup( name="lazy_paged_sequence", author="Misty De Meo", author_email="mistydemeo@gmail.com", license="AGPL", version="0.2" )
from setuptools import setup setup( name="lazy_paged_sequence", author="Misty De Meo", author_email="mistydemeo@gmail.com", license="AGPL", version="0.1" )
agpl-3.0
Python
00d0a1038936fc284336508413a186d712a2f604
Fix reference to renamed README.
flyingcircusio/pycountry
setup.py
setup.py
# vim:fileencoding=utf-8 # Copyright -2014 (c) gocept gmbh & co. kg # Copyright 2015- (c) Flying Circus Internet Operations GmbH # See also LICENSE.txt from setuptools import setup, find_packages setup( name='pycountry', version='18.12.9.dev0', author='Christian Theune', author_email='ct@flyingcircus.io', description='ISO country, subdivision, language, currency and script ' 'definitions and their translations', long_description=( open('README.rst').read() + '\n' + open('HISTORY.txt').read()), license='LGPL 2.1', keywords='country subdivision language currency iso 3166 639 4217 ' '15924 3166-2', classifiers=[ # See: https://pypi.python.org/pypi?:action=list_classifiers 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Intended Audience :: Information Technology', 'License :: OSI Approved :: ' 'GNU Lesser General Public License v2 (LGPLv2)', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Topic :: Software Development :: Internationalization', 'Topic :: Software Development :: Localization', ], zip_safe=False, packages=find_packages('src'), include_package_data=True, package_dir={'': 'src'})
# vim:fileencoding=utf-8 # Copyright -2014 (c) gocept gmbh & co. kg # Copyright 2015- (c) Flying Circus Internet Operations GmbH # See also LICENSE.txt from setuptools import setup, find_packages setup( name='pycountry', version='18.12.9.dev0', author='Christian Theune', author_email='ct@flyingcircus.io', description='ISO country, subdivision, language, currency and script ' 'definitions and their translations', long_description=( open('README').read() + '\n' + open('HISTORY.txt').read()), license='LGPL 2.1', keywords='country subdivision language currency iso 3166 639 4217 ' '15924 3166-2', classifiers=[ # See: https://pypi.python.org/pypi?:action=list_classifiers 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Intended Audience :: Information Technology', 'License :: OSI Approved :: ' 'GNU Lesser General Public License v2 (LGPLv2)', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Topic :: Software Development :: Internationalization', 'Topic :: Software Development :: Localization', ], zip_safe=False, packages=find_packages('src'), include_package_data=True, package_dir={'': 'src'})
lgpl-2.1
Python
f515dc6904df12172b896737b4abf05df9db19bb
Update the homepage
gmr/helper,dave-shawley/helper,gmr/helper
setup.py
setup.py
import platform from setuptools import setup requirements = ['python-daemon', 'pyyaml'] tests_require = ['mock'] (major, minor, rev) = platform.python_version_tuple() if float('%s.%s' % (major, minor)) < 2.7: requirements.append('argparse') requirements.append('logutils') tests_require.append('unittest2') console_scripts = ['clihelper-init=clihelper.initialize:main'] setup(name='clihelper', version='1.6.1', description='Internal Command-Line Application Wrapper', long_description=('clihelper is a wrapper for command-line daemons ' 'providing a core Controller class and methods for ' 'starting the application and setting configuration.'), author='Gavin M. Roy', author_email='gmr@meetme.com', url='https://clihelper.readthedocs.org', packages=['clihelper'], install_requires=requirements, tests_require=tests_require, classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Topic :: Software Development :: Libraries', 'Topic :: Software Development :: Libraries :: Python Modules', 'License :: OSI Approved :: BSD License'], entry_points={'console_scripts': console_scripts}, zip_safe=True)
import platform from setuptools import setup requirements = ['python-daemon', 'pyyaml'] tests_require = ['mock'] (major, minor, rev) = platform.python_version_tuple() if float('%s.%s' % (major, minor)) < 2.7: requirements.append('argparse') requirements.append('logutils') tests_require.append('unittest2') console_scripts = ['clihelper-init=clihelper.initialize:main'] setup(name='clihelper', version='1.6.1', description='Internal Command-Line Application Wrapper', long_description=('clihelper is a wrapper for command-line daemons ' 'providing a core Controller class and methods for ' 'starting the application and setting configuration.'), author='Gavin M. Roy', author_email='gmr@meetme.com', url='https://github.com/gmr/clihelper', packages=['clihelper'], install_requires=requirements, tests_require=tests_require, classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Topic :: Software Development :: Libraries', 'Topic :: Software Development :: Libraries :: Python Modules', 'License :: OSI Approved :: BSD License'], entry_points={'console_scripts': console_scripts}, zip_safe=True)
bsd-3-clause
Python
34a2bdd16066568a59c1d0ccc75988022297524a
Fix README.md name in setup.py.
shyamalschandra/pyechonest,krishofmans/pyechonest,andreylh/pyechonest,andreylh/pyechonest,diCaminha/pyechonest,echonest/pyechonest,diegobill/pyechonest,Victorgichohi/pyechonest,DaisukeMiyamoto/pyechonest,mmiquiabas/pyechonest,alex/pyechonest,mhcrnl/pyechonest,abhisheknshah/dynamicplaylistgenerator,DaisukeMiyamoto/pyechonest,KMikhaylovCTG/pyechonest,beni55/pyechonest,ruohoruotsi/pyechonest,taytorious/pyechonest,salah-ghanim/pyechonest,taytorious/pyechonest,alex/pyechonest,beni55/pyechonest,ruohoruotsi/pyechonest,abhisheknshah/dynamicplaylistgenerator,yuanmeibin/pyechonest,EliteScientist/pyechonest,esternocleidomastoideo/pyechonest,echonest/pyechonest,MathieuDuponchelle/pyechonest3,esternocleidomastoideo/pyechonest,krishofmans/pyechonest,diCaminha/pyechonest,yuanmeibin/pyechonest,MathieuDuponchelle/pyechonest3,KMikhaylovCTG/pyechonest,Victorgichohi/pyechonest,salah-ghanim/pyechonest,diegobill/pyechonest,mmiquiabas/pyechonest,wisperwinter/pyechonest,mhcrnl/pyechonest,EliteScientist/pyechonest,shyamalschandra/pyechonest,wisperwinter/pyechonest
setup.py
setup.py
#!/usr/bin/env python # encoding: utf-8 __version__ = "4.2.16" # $Source$ from sys import version import os from setuptools import setup if version < '2.6': requires=['urllib', 'urllib2', 'simplejson'] elif version >= '2.6': requires=['urllib', 'urllib2', 'json'] else: #unknown version? requires=['urllib', 'urllib2'] def read(fname): return open(os.path.join(os.path.dirname(__file__), fname)).read() setup( name='pyechonest', version=__version__, description='Python interface to The Echo Nest APIs.', long_description=read('README.md'), author='Tyler Williams', author_email='tyler@echonest.com', maintainer='Tyler Williams', maintainer_email='tyler@echonest.com', url='https://github.com/echonest/pyechonest', download_url='https://github.com/echonest/pyechonest', package_dir={'pyechonest':'pyechonest'}, packages=['pyechonest'], requires=requires )
#!/usr/bin/env python # encoding: utf-8 __version__ = "4.2.16" # $Source$ from sys import version import os from setuptools import setup if version < '2.6': requires=['urllib', 'urllib2', 'simplejson'] elif version >= '2.6': requires=['urllib', 'urllib2', 'json'] else: #unknown version? requires=['urllib', 'urllib2'] def read(fname): return open(os.path.join(os.path.dirname(__file__), fname)).read() setup( name='pyechonest', version=__version__, description='Python interface to The Echo Nest APIs.', long_description=read('README'), author='Tyler Williams', author_email='tyler@echonest.com', maintainer='Tyler Williams', maintainer_email='tyler@echonest.com', url='https://github.com/echonest/pyechonest', download_url='https://github.com/echonest/pyechonest', package_dir={'pyechonest':'pyechonest'}, packages=['pyechonest'], requires=requires )
bsd-3-clause
Python
5770e22dc0654d64d027efb3b63f8efef0cc4037
Update setup.py
thombashi/DataProperty
setup.py
setup.py
from __future__ import with_statement import os.path import setuptools MISC_DIR = "misc" REQUIREMENT_DIR = "requirements" with open("README.rst") as fp: long_description = fp.read() with open(os.path.join(MISC_DIR, "summary.txt")) as f: summary = f.read() with open(os.path.join(REQUIREMENT_DIR, "requirements.txt")) as f: install_requires = [line.strip() for line in f if line.strip()] with open(os.path.join(REQUIREMENT_DIR, "test_requirements.txt")) as f: tests_require = [line.strip() for line in f if line.strip()] setuptools.setup( name="DataProperty", version="0.2.1", author="Tsuyoshi Hombashi", author_email="gogogo.vm@gmail.com", url="https://github.com/thombashi/DataProperty", description=summary, keywords=["property"], long_description=long_description, license="MIT License", include_package_data=True, packages=setuptools.find_packages(exclude=['test*']), install_requires=install_requires, setup_requires=["pytest-runner"], tests_require=tests_require, classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "License :: OSI Approved :: MIT License", "Operating System :: POSIX", "Operating System :: POSIX :: Linux", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.5", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.3", "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Topic :: Software Development :: Libraries", "Topic :: Software Development :: Libraries :: Python Modules", ], )
from __future__ import with_statement import os.path import setuptools MISC_DIR = "misc" REQUIREMENT_DIR = "requirements" with open("README.rst") as fp: long_description = fp.read() with open(os.path.join(MISC_DIR, "summary.txt")) as f: summary = f.read() with open(os.path.join(REQUIREMENT_DIR, "requirements.txt")) as f: install_requires = [line.strip() for line in f if line.strip()] with open(os.path.join(REQUIREMENT_DIR, "test_requirements.txt")) as f: tests_require = [line.strip() for line in f if line.strip()] setuptools.setup( name="DataProperty", version="0.2.0", author="Tsuyoshi Hombashi", author_email="gogogo.vm@gmail.com", url="https://github.com/thombashi/DataProperty", description=summary, keywords=["property"], long_description=long_description, license="MIT License", include_package_data=True, packages=setuptools.find_packages(exclude=['test*']), install_requires=install_requires, setup_requires=["pytest-runner"], tests_require=tests_require, classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "License :: OSI Approved :: MIT License", "Operating System :: POSIX", "Operating System :: POSIX :: Linux", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.5", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.3", "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Topic :: Software Development :: Libraries", "Topic :: Software Development :: Libraries :: Python Modules", ], )
mit
Python
916428175bfaaafe22d6b1ee8c29a367e8607fd3
Increase version to 3.1.0
scm-spain/slippin-jimmy
setup.py
setup.py
#!/usr/bin/python # -*- coding: utf-8 -*- """ @author: SCMSpain """ from codecs import open from os import path from setuptools import setup, find_packages here = path.abspath(path.dirname(__file__)) with open(path.join(here, 'README.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='slippinj', version='3.1.0', author='Data Architects SCM Spain', author_email='data.architecture@scmspain.com', packages=find_packages('src'), package_dir={'': 'src'}, include_package_data=True, url='https://github.com/scm-spain/slippin-jimmy', description='Tools to generate and deploy Apache Oozie workflows', long_description=long_description, license='GPLv2', install_requires=open('requirements.txt').read().split(), scripts=['scripts/jimmy'], classifiers=[ 'Topic :: Software Development :: Build Tools', 'Topic :: Software Development :: Code Generators', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'License :: OSI Approved :: GNU General Public License v2 (GPLv2)', 'Intended Audience :: Developers', 'Environment :: Console' ], keywords='oozie workflows code generation emr aws' )
#!/usr/bin/python # -*- coding: utf-8 -*- """ @author: SCMSpain """ from codecs import open from os import path from setuptools import setup, find_packages here = path.abspath(path.dirname(__file__)) with open(path.join(here, 'README.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='slippinj', version='3.0.1', author='Data Architects SCM Spain', author_email='data.architecture@scmspain.com', packages=find_packages('src'), package_dir={'': 'src'}, include_package_data=True, url='https://github.com/scm-spain/slippin-jimmy', description='Tools to generate and deploy Apache Oozie workflows', long_description=long_description, license='GPLv2', install_requires=open('requirements.txt').read().split(), scripts=['scripts/jimmy'], classifiers=[ 'Topic :: Software Development :: Build Tools', 'Topic :: Software Development :: Code Generators', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'License :: OSI Approved :: GNU General Public License v2 (GPLv2)', 'Intended Audience :: Developers', 'Environment :: Console' ], keywords='oozie workflows code generation emr aws' )
apache-2.0
Python
b77fc16a0fd48b82878f3adc8bee2521a0c85c8f
Declare dependency
ZeitOnline/zeit.magazin
setup.py
setup.py
from setuptools import setup, find_packages setup( name='zeit.magazin', version='1.4.4.dev0', author='gocept, Zeit Online', author_email='zon-backend@zeit.de', url='http://www.zeit.de/', description="vivi ZMO Content-Type extensions", packages=find_packages('src'), package_dir={'': 'src'}, include_package_data=True, zip_safe=False, license='BSD', namespace_packages=['zeit'], install_requires=[ 'gocept.httpserverlayer', 'gocept.selenium', 'gocept.testing>=1.4.0.dev0', 'grokcore.component', 'plone.testing', 'setuptools', 'zc.form', 'zeit.cms>=2.90.0.dev0', 'zeit.content.article>=3.25.0.dev0', 'zeit.content.gallery', 'zeit.content.link', 'zeit.content.portraitbox', 'zeit.edit', 'zeit.push>=1.12.0.dev0', 'zope.interface', 'zope.component', ], )
from setuptools import setup, find_packages setup( name='zeit.magazin', version='1.4.4.dev0', author='gocept, Zeit Online', author_email='zon-backend@zeit.de', url='http://www.zeit.de/', description="vivi ZMO Content-Type extensions", packages=find_packages('src'), package_dir={'': 'src'}, include_package_data=True, zip_safe=False, license='BSD', namespace_packages=['zeit'], install_requires=[ 'gocept.httpserverlayer', 'gocept.selenium', 'gocept.testing>=1.4.0.dev0', 'grokcore.component', 'plone.testing', 'setuptools', 'zc.form', 'zeit.cms>=2.90.0.dev0', 'zeit.content.article>=3.24.0.dev0', 'zeit.content.gallery', 'zeit.content.link', 'zeit.content.portraitbox', 'zeit.edit', 'zeit.push>=1.12.0.dev0', 'zope.interface', 'zope.component', ], )
bsd-3-clause
Python
77a71fe42e36fa1208e847c59e7c9a4355286a73
Add Pillow to the test requirements
carljm/django-form-utils,carljm/django-form-utils,carljm/django-form-utils
setup.py
setup.py
from setuptools import setup import subprocess import os.path try: # don't get confused if our sdist is unzipped in a subdir of some # other hg repo if os.path.isdir('.hg'): p = subprocess.Popen(['hg', 'parents', r'--template={rev}\n'], stdout=subprocess.PIPE, stderr=subprocess.PIPE) if not p.returncode: fh = open('HGREV', 'w') fh.write(p.communicate()[0].splitlines()[0]) fh.close() except (OSError, IndexError): pass try: hgrev = open('HGREV').read() except IOError: hgrev = '' long_description = open('README.rst').read() + '\n\n' + open('CHANGES.rst').read() setup( name='django-form-utils', version='0.3.1.post%s' % hgrev, description='Form utilities for Django', long_description=long_description, author='Carl Meyer', author_email='carl@dirtcircle.com', url='http://bitbucket.org/carljm/django-form-utils/', packages=['form_utils', 'form_utils.templatetags'], classifiers=[ 'Development Status :: 4 - Beta', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Framework :: Django', ], zip_safe=False, package_data={'form_utils': ['templates/form_utils/*.html', 'media/form_utils/js/*.js']}, test_suite='tests.runtests.runtests', tests_require=['Django', 'mock', 'Pillow'], )
from setuptools import setup import subprocess import os.path try: # don't get confused if our sdist is unzipped in a subdir of some # other hg repo if os.path.isdir('.hg'): p = subprocess.Popen(['hg', 'parents', r'--template={rev}\n'], stdout=subprocess.PIPE, stderr=subprocess.PIPE) if not p.returncode: fh = open('HGREV', 'w') fh.write(p.communicate()[0].splitlines()[0]) fh.close() except (OSError, IndexError): pass try: hgrev = open('HGREV').read() except IOError: hgrev = '' long_description = open('README.rst').read() + '\n\n' + open('CHANGES.rst').read() setup( name='django-form-utils', version='0.3.1.post%s' % hgrev, description='Form utilities for Django', long_description=long_description, author='Carl Meyer', author_email='carl@dirtcircle.com', url='http://bitbucket.org/carljm/django-form-utils/', packages=['form_utils', 'form_utils.templatetags'], classifiers=[ 'Development Status :: 4 - Beta', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Framework :: Django', ], zip_safe=False, package_data={'form_utils': ['templates/form_utils/*.html', 'media/form_utils/js/*.js']}, test_suite='tests.runtests.runtests', tests_require=['Django', 'mock'], )
bsd-3-clause
Python
2df022622348c568bfb2620dfa2b9803de3ca2d5
Include requests module in requirements for use by the gh_issuereport script
astropy/astropy-tools,astropy/astropy-tools
setup.py
setup.py
#!/usr/bin/env python from setuptools import setup URL_BASE = 'https://github.com/astropy/astropy-tools/' setup( name='astropy-tools', version='0.0.0.dev0', author='The Astropy Developers', author_email='astropy.team@gmail.com', url=URL_BASE, download_url=URL_BASE + 'archive/master.zip', classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Environment :: Console', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.4', 'Topic :: Software Development', 'Topic :: Utilities' ], py_modules=[ 'gitastropyplots', 'gh_issuereport', 'issue2pr', 'suggest_backports' ], entry_points={ 'console_scripts': [ 'gh_issuereport = gh_issuereport:main', 'issue2pr = issue2pr:main', 'suggest_backports = suggest_backports:main' ] }, install_requires=['requests'] )
#!/usr/bin/env python from setuptools import setup URL_BASE = 'https://github.com/astropy/astropy-tools/' setup( name='astropy-tools', version='0.0.0.dev0', author='The Astropy Developers', author_email='astropy.team@gmail.com', url=URL_BASE, download_url=URL_BASE + 'archive/master.zip', classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Environment :: Console', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.4', 'Topic :: Software Development', 'Topic :: Utilities' ], py_modules=[ 'gitastropyplots', 'gh_issuereport', 'issue2pr', 'suggest_backports' ], entry_points={ 'console_scripts': [ 'gh_issuereport = gh_issuereport:main', 'issue2pr = issue2pr:main', 'suggest_backports = suggest_backports:main' ] } )
bsd-3-clause
Python
661945ff602c03539282c61276ef84335ccf4978
add comments to setup.py to make its intentions clear
kcarnold/autograd,barak/autograd,hips/autograd,HIPS/autograd,hips/autograd,HIPS/autograd
setup.py
setup.py
from __future__ import absolute_import from setuptools import setup, Extension from setuptools.command.build_ext import build_ext as _build_ext from distutils.errors import CompileError from warnings import warn import os # use cython if it is importable and the environment has USE_CYTHON try: from Cython.Distutils import build_ext as _build_ext except ImportError: use_cython = False else: use_cython = os.getenv('USE_CYTHON', False) # subclass the build_ext command to handle numpy include and build failures class build_ext(_build_ext): # see http://stackoverflow.com/q/19919905 for explanation def finalize_options(self): _build_ext.finalize_options(self) __builtins__.__NUMPY_SETUP__ = False import numpy as np self.include_dirs.append(np.get_include()) # if optional extension modules fail to build, keep going anyway def run(self): try: _build_ext.run(self) except CompileError: warn('Failed to compile optional extension modules') # list the extension files to build extensions = [ Extension( 'autograd.numpy.linalg_extra', ['autograd/numpy/linalg_extra.c'], extra_compile_args=['-w','-Ofast']), ] # if using cython, regenerate the extension files from the .pyx sources if use_cython: from Cython.Build import cythonize try: extensions = cythonize('**/*.pyx') except: warn('Failed to generate extension module code from Cython file') setup( name='autograd', version='1.1.1', description='Efficiently computes derivatives of numpy code.', author='Dougal Maclaurin and David Duvenaud and Matthew Johnson', author_email="maclaurin@physics.harvard.edu, dduvenaud@seas.harvard.edu, mattjj@csail.mit.edu", packages=['autograd', 'autograd.numpy', 'autograd.scipy', 'autograd.scipy.stats'], install_requires=['numpy>=1.9', 'future'], setup_requires=['numpy>=1.9'], keywords=['Automatic differentiation', 'backpropagation', 'gradients', 'machine learning', 'optimization', 'neural networks', 'Python', 'Numpy', 'Scipy'], url='https://github.com/HIPS/autograd', license='MIT', classifiers=['Development Status :: 4 - Beta', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.4'], ext_modules=extensions, cmdclass={'build_ext': build_ext}, )
from __future__ import absolute_import from setuptools import setup, Extension from setuptools.command.build_ext import build_ext as _build_ext from distutils.errors import CompileError from warnings import warn import os try: from Cython.Distutils import build_ext as _build_ext except ImportError: use_cython = False else: use_cython = os.getenv('USE_CYTHON', False) class build_ext(_build_ext): # see http://stackoverflow.com/q/19919905 for explanation def finalize_options(self): _build_ext.finalize_options(self) __builtins__.__NUMPY_SETUP__ = False import numpy as np self.include_dirs.append(np.get_include()) # if optional extension modules fail to build, keep going anyway def run(self): try: _build_ext.run(self) except CompileError: warn('Failed to compile optional extension modules') extensions = [ Extension( 'autograd.numpy.linalg_extra', ['autograd/numpy/linalg_extra.c'], extra_compile_args=['-w','-Ofast']), ] if use_cython: from Cython.Build import cythonize try: extensions = cythonize('**/*.pyx') except: warn('Failed to generate extension module code from Cython file') setup( name='autograd', version='1.1.1', description='Efficiently computes derivatives of numpy code.', author='Dougal Maclaurin and David Duvenaud and Matthew Johnson', author_email="maclaurin@physics.harvard.edu, dduvenaud@seas.harvard.edu, mattjj@csail.mit.edu", packages=['autograd', 'autograd.numpy', 'autograd.scipy', 'autograd.scipy.stats'], install_requires=['numpy>=1.9', 'future'], setup_requires=['numpy>=1.9'], keywords=['Automatic differentiation', 'backpropagation', 'gradients', 'machine learning', 'optimization', 'neural networks', 'Python', 'Numpy', 'Scipy'], url='https://github.com/HIPS/autograd', license='MIT', classifiers=['Development Status :: 4 - Beta', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.4'], ext_modules=extensions, cmdclass={'build_ext': build_ext}, )
mit
Python
6bc71f845e3aecb622d32739c7c6a4c5acddf7e7
Bump PyPI version
weeksghost/dpxdt,gBritz/dpxdt,steven-hadfield/dpxdt,gBritz/dpxdt,Medium/dpxdt,gBritz/dpxdt,mabushadi/dpxdt,mabushadi/dpxdt,steven-hadfield/dpxdt,Medium/dpxdt,gBritz/dpxdt,ygravrand/dpxdt,Medium/dpxdt,bslatkin/dpxdt,bslatkin/dpxdt,ygravrand/dpxdt,mabushadi/dpxdt,Medium/dpxdt,steven-hadfield/dpxdt,weeksghost/dpxdt,bslatkin/dpxdt,ygravrand/dpxdt,mabushadi/dpxdt,bslatkin/dpxdt,weeksghost/dpxdt,weeksghost/dpxdt,ygravrand/dpxdt,steven-hadfield/dpxdt
setup.py
setup.py
from setuptools import setup, find_packages setup(name='dpxdt', version='0.1.1', description='Screenshot diff tool', author='Brett Slatkin', author_email='brett@haxor.com', url='https://github.com/bslatkin/dpxdt/', entry_points={ 'console_scripts': [ 'dpxdt = dpxdt.tools.local_pdiff:run', ], }, packages=find_packages(exclude=['tests*','dependencies*']), install_requires=[ 'PyYAML', 'python-gflags', 'poster' ], include_package_data=True, classifiers=[ 'Environment :: Console', 'Environment :: Web Environment', 'Framework :: Flask', 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: Apache Software License', 'Topic :: Software Development :: Version Control' ], )
from setuptools import setup, find_packages setup(name='dpxdt', version='0.1.0', description='Screenshot diff tool', author='Brett Slatkin', author_email='brett@haxor.com', url='https://github.com/bslatkin/dpxdt/', entry_points={ 'console_scripts': [ 'dpxdt = dpxdt.tools.local_pdiff:run', ], }, packages=find_packages(exclude=['tests*','dependencies*']), install_requires=[ 'PyYAML', 'python-gflags', 'poster' ], include_package_data=True, classifiers=[ 'Environment :: Console', 'Environment :: Web Environment', 'Framework :: Flask', 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: Apache Software License', 'Topic :: Software Development :: Version Control' ], )
apache-2.0
Python
15c43328822bcbd9fe95df79c7cd3b423f82b5cf
Fix bug with long_description in setup.py for py2
zzzsochi/trans
setup.py
setup.py
# coding: utf8 import codecs from distutils.core import setup import trans long_description = codecs.open('README.rst', 'r', 'utf-8').read() description = 'National characters transcription module.' setup( name='trans', version=trans.__version__, description=description, long_description=long_description, author='Zelenyak Aleksander aka ZZZ', author_email='zzz.sochi@gmail.com', url='https://github.com/zzzsochi/trans', license='BSD', platforms='any', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', ], py_modules=['trans'], )
# coding: utf8 from distutils.core import setup import trans long_description = open('README.rst', 'r').read() description = 'National characters transcription module.' setup( name='trans', version=trans.__version__, description=description, long_description=long_description, author='Zelenyak Aleksander aka ZZZ', author_email='zzz.sochi@gmail.com', url='https://github.com/zzzsochi/trans', license='BSD', platforms='any', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], py_modules=['trans'], )
bsd-2-clause
Python
2ac73fc3dd5c790f424e09fe9fd2856766d1623e
bump version
BrianGallew/bacula_configuration
setup.py
setup.py
#! /usr/bin/env python import ez_setup ez_setup.use_setuptools() import os import glob from setuptools import setup, find_packages NAME = 'bacula_configuration' VERSION = '0.91' WEBSITE = 'http://gallew.org/bacula_configuration' LICENSE = 'GPLv3 or later' DESCRIPTION = 'Bacula configuration management tool' AUTHOR = 'Brian Gallew' EMAIL = 'bacula_configuration@gallew.org' setup(name=NAME, version=VERSION, description=DESCRIPTION, long_description=open('README.md').read(), author=AUTHOR, author_email=EMAIL, url=WEBSITE, install_requires=['mysql-python'], extras_require={'parsing': ['pyparsing']}, scripts=glob.glob('bin/*'), include_package_data=True, zip_safe=False, package_data={ 'bacula_tools': ['data/*'], }, packages=['bacula_tools', ], classifiers=['Development Status :: 4 - Beta', 'Environment :: Console', 'Intended Audience :: System Administrators', 'Operating System :: OS Independent', 'Programming Language :: Python', 'License :: OSI Approved :: GNU General Public License (GPL)', 'Topic :: Utilities'], entry_points={ 'console_scripts': [ 'manage_clients = bacula_tools.client:main', 'manage_catalogs = bacula_tools.catalog:main', 'manage_devices = bacula_tools.device:main', 'manage_filesets = bacula_tools.fileset:main', 'manage_pools = bacula_tools.pool:main', 'manage_storage = bacula_tools.storage:main', 'manage_messages = bacula_tools.messages:main', 'manage_schedules = bacula_tools.schedule:main', 'manage_jobs = bacula_tools.job:main', 'manage_directors = bacula_tools.director:main', 'manage_scripts = bacula_tools.scripts:main', ] }, )
#! /usr/bin/env python import ez_setup ez_setup.use_setuptools() import os import glob from setuptools import setup, find_packages NAME = 'bacula_configuration' VERSION = '0.90' WEBSITE = 'http://gallew.org/bacula_configuration' LICENSE = 'GPLv3 or later' DESCRIPTION = 'Bacula configuration management tool' AUTHOR = 'Brian Gallew' EMAIL = 'bacula_configuration@gallew.org' setup(name=NAME, version=VERSION, description=DESCRIPTION, long_description=open('README.md').read(), author=AUTHOR, author_email=EMAIL, url=WEBSITE, install_requires=['mysql-python'], extras_require={'parsing': ['pyparsing']}, scripts=glob.glob('bin/*'), include_package_data=True, zip_safe=False, package_data={ 'bacula_tools': ['data/*'], }, packages=['bacula_tools', ], classifiers=['Development Status :: 4 - Beta', 'Environment :: Console', 'Intended Audience :: System Administrators', 'Operating System :: OS Independent', 'Programming Language :: Python', 'License :: OSI Approved :: GNU General Public License (GPL)', 'Topic :: Utilities'], entry_points={ 'console_scripts': [ 'manage_clients = bacula_tools.client:main', 'manage_catalogs = bacula_tools.catalog:main', 'manage_devices = bacula_tools.device:main', 'manage_filesets = bacula_tools.fileset:main', 'manage_pools = bacula_tools.pool:main', 'manage_storage = bacula_tools.storage:main', 'manage_messages = bacula_tools.messages:main', 'manage_schedules = bacula_tools.schedule:main', 'manage_jobs = bacula_tools.job:main', 'manage_directors = bacula_tools.director:main', 'manage_scripts = bacula_tools.scripts:main', ] }, )
bsd-3-clause
Python
93ec3272454eab5c895c26399fe26cb715421c27
Update for beta-2.
makism/dyfunconn
setup.py
setup.py
#!/usr/bin/env python # based on: # https://github.com/marcindulak/python-mycli/blob/master/setup.py#L34 import os from setuptools import setup #from distutils.core import setup name = "dyfunconn" rootdir = os.path.abspath(os.path.dirname(__file__)) packages = [] for dirname, dirnames, filenames in os.walk(name): if '__init__.py' in filenames: packages.append(dirname.replace('/', '.')) data_files = [] for extra_dirs in ("docs", "examples", "tests"): for dirname, dirnames, filenames in os.walk(extra_dirs): fileslist = [] for filename in filenames: fullname = os.path.join(dirname, filename) fileslist.append(fullname) data_files.append(('share/' + name + '/' + dirname, fileslist)) setup(name='dyfunconn', version='v1.0.0-beta.1', description='A dynamic functional connectivity module in Python', author='Avraam Marimpis, Stavros Dimitriadis', author_email='Avraam.Marimpis@gmail.com, STIDimitriadis@gmail.com', license='BSD', keywords='eeg fMRI meg connectivity graphs neuroimage brain', url = 'https://github.com/makism/dyfunconn', download_url = 'https://github.com/makism/dyfunconn/archive/v1.0.0-beta.2.tar.gz', python_requires='~=3.6', packages=packages, install_requires=['numpy', 'scipy', 'networkx', 'matplotlib', 'statsmodels', 'scikit-learn', 'bctpy'], package_dir={'dyfunconn': 'dyfunconn'}, data_files=data_files, classifiers=['Development Status :: 4 - Beta', 'Programming Language :: Python :: 3.6', 'Intended Audience :: Science/Research', 'Intended Audience :: Developers', 'License :: OSI Approved', 'Topic :: Software Development', 'Topic :: Scientific/Engineering', 'Operating System :: Microsoft :: Windows', 'Operating System :: POSIX', 'Operating System :: Unix', 'Operating System :: MacOS' ], )
#!/usr/bin/env python # based on: # https://github.com/marcindulak/python-mycli/blob/master/setup.py#L34 import os from setuptools import setup #from distutils.core import setup name = "dyfunconn" rootdir = os.path.abspath(os.path.dirname(__file__)) packages = [] for dirname, dirnames, filenames in os.walk(name): if '__init__.py' in filenames: packages.append(dirname.replace('/', '.')) data_files = [] for extra_dirs in ("docs", "examples", "tests"): for dirname, dirnames, filenames in os.walk(extra_dirs): fileslist = [] for filename in filenames: fullname = os.path.join(dirname, filename) fileslist.append(fullname) data_files.append(('share/' + name + '/' + dirname, fileslist)) setup(name='dyfunconn', version='v1.0.0-beta.1', description='A dynamic functional connectivity module in Python', author='Avraam Marimpis, Stavros Dimitriadis', author_email='Avraam.Marimpis@gmail.com, STIDimitriadis@gmail.com', license='BSD', keywords='eeg fMRI meg connectivity graphs neuroimage brain', url = 'https://github.com/makism/dyfunconn', download_url = 'https://github.com/makism/dyfunconn/archive/v1.0.0-beta.1.tar.gz', python_requires='~=3.6', packages=packages, install_requires=['numpy', 'scipy', 'networkx', 'matplotlib', 'statsmodels', 'scikit-learn', 'bctpy'], package_dir={'dyfunconn': 'dyfunconn'}, data_files=data_files, classifiers=['Development Status :: 4 - Beta', 'Programming Language :: Python :: 3.6', 'Intended Audience :: Science/Research', 'Intended Audience :: Developers', 'License :: OSI Approved', 'Topic :: Software Development', 'Topic :: Scientific/Engineering', 'Operating System :: Microsoft :: Windows', 'Operating System :: POSIX', 'Operating System :: Unix', 'Operating System :: MacOS' ], )
bsd-3-clause
Python
731128a260b807aff40bd7dfdb8282793e390637
use just manage.py:run as entry_point
bussiere/gitfs,PressLabs/gitfs,rowhit/gitfs,PressLabs/gitfs,ksmaheshkumar/gitfs
setup.py
setup.py
from setuptools import setup requires_list = [ 'Jinja2==2.7.3', 'MarkupSafe==0.23', 'PyYAML==3.11', 'Pygments==1.6', 'Sphinx==1.2.2', 'argparse==1.2.1', 'cffi==0.8.6', 'docutils==0.11', 'fusepy==2.0.2', 'nose==1.3.3', 'pyaml==14.05.7', 'pycparser==2.10', 'pygit2==0.21.0', 'sphinx-rtd-theme==0.1.6', 'wsgiref==0.1.2', ] setup(name='git-fs', version='0.01', platforms='any', description='A FUSE filesystem for git repositories, with local cache', author='Presslabs', author_email='gitfs@gmail.com', url='https://github.com/Presslabs/git-fs', packages=['gitfs'], entry_points={'console_scripts': ['gitfs = gitfs.manage:run']}, include_package_data=True, install_requires=requires_list, classifiers=[ 'Programming Language :: Python :: 2.7', ] )
from setuptools import setup requires_list = [ 'Jinja2==2.7.3', 'MarkupSafe==0.23', 'PyYAML==3.11', 'Pygments==1.6', 'Sphinx==1.2.2', 'argparse==1.2.1', 'cffi==0.8.6', 'docutils==0.11', 'fusepy==2.0.2', 'nose==1.3.3', 'pyaml==14.05.7', 'pycparser==2.10', 'pygit2==0.21.0', 'sphinx-rtd-theme==0.1.6', 'wsgiref==0.1.2', ] setup(name='git-fs', version='0.01', platforms='any', description='A FUSE filesystem for git repositories, with local cache', author='Presslabs', author_email='gitfs@gmail.com', url='https://github.com/Presslabs/git-fs', packages=['gitfs'], entry_points={'console_scripts': ['gitfs = gitfs.manage.run:main']}, include_package_data=True, install_requires=requires_list, classifiers=[ 'Programming Language :: Python :: 2.7', ] )
apache-2.0
Python
8e2ccbdbc29ae752fe0100a1506a42960aa83698
Fix packaging bug
emenendez/gpxutils
setup.py
setup.py
from setuptools import setup, find_packages # Always prefer setuptools over distutils from codecs import open # To use a consistent encoding from os import path here = path.abspath(path.dirname(__file__)) setup( name='gpxutils', version='2.0.1', description='Tools for working with GPX files', long_description=""" gpxutils ======== Tools for working with GPX files. gpxclean -------- Clean GPX tracks and split into multiple files. gpxpull ------- Pull files from modern Garmin GPSes, clean, and split. On Windows, with the help of the USB Drive Letter Manager (http://www.uwe-sieber.de/usbdlm_e.html), gpxpull can automatically download and clean GPX files from a USB-connected Garmin GPS. """, url='https://github.com/emenendez/gpxutils', author='Eric Menendez', author_email='ericmenendez@gmail.com', license='AGPLv3+', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Intended Audience :: Other Audience', 'Topic :: Utilities', 'License :: OSI Approved :: GNU Affero General Public License v3 or later (AGPLv3+)', 'Programming Language :: Python :: 3.4', ], keywords='gpx gps geo spatial utilities', packages=find_packages(exclude=['contrib', 'docs', 'tests*']), install_requires=['gpxpy'], entry_points={ 'console_scripts': [ 'gpxclean=gpxutils.gpxclean:main', 'gpxpull=gpxutils.gpxpull:main', ], }, )
from setuptools import setup, find_packages # Always prefer setuptools over distutils from codecs import open # To use a consistent encoding from os import path here = path.abspath(path.dirname(__file__)) # Get the long description from the relevant file with open(path.join(here, 'README.md'), encoding='utf-8') as f: long_description = f.read() setup( name='gpxutils', version='2.0.0', description='Tools for working with GPX files', long_description=long_description, url='https://github.com/emenendez/gpxutils', author='Eric Menendez', author_email='ericmenendez@gmail.com', license='AGPLv3+', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Intended Audience :: Other Audience', 'Topic :: Utilities', 'License :: OSI Approved :: GNU Affero General Public License v3 or later (AGPLv3+)', 'Programming Language :: Python :: 3.4', ], keywords='gpx gps geo spatial utilities', packages=find_packages(exclude=['contrib', 'docs', 'tests*']), install_requires=['gpxpy'], entry_points={ 'console_scripts': [ 'gpxclean=gpxutils.gpxclean:main', 'gpxpull=gpxutils.gpxpull:main', ], }, )
agpl-3.0
Python
0a05597213041f89fe517e09ba8b023d962301d1
format setup.py
slhck/ffmpeg-normalize,slhck/audio-normalize
setup.py
setup.py
#!/usr/bin/env python # -*- coding: utf-8 -*- from setuptools import setup # To use a consistent encoding from codecs import open from os import path here = path.abspath(path.dirname(__file__)) # read version string with open(path.join(here, "ffmpeg_normalize", "_version.py")) as version_file: version = eval(version_file.read().split("=")[1].strip()) # Get the long description from the README file with open(path.join(here, "README.md"), encoding="utf-8") as f: long_description = f.read() # Get the history from the CHANGELOG file with open(path.join(here, "CHANGELOG.md"), encoding="utf-8") as f: history = f.read() setup( name="ffmpeg-normalize", version=version, description="Normalize audio via ffmpeg", long_description=long_description + "\n\n" + history, long_description_content_type="text/markdown", author="Werner Robitza", author_email="werner.robitza@gmail.com", url="https://github.com/slhck/ffmpeg-normalize", packages=["ffmpeg_normalize"], include_package_data=True, install_requires=[ "tqdm>=4.38.0", "colorama>=0.4.3", "ffmpeg-progress-yield>=0.0.2", ], license="MIT", zip_safe=False, keywords="ffmpeg, normalize, audio", classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "Topic :: Multimedia :: Sound/Audio", "Topic :: Multimedia :: Sound/Audio :: Analysis", "Topic :: Multimedia :: Sound/Audio :: Conversion", "License :: OSI Approved :: MIT License", "Natural Language :: English", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", ], entry_points={ "console_scripts": ["ffmpeg-normalize = ffmpeg_normalize.__main__:main"] }, )
#!/usr/bin/env python # -*- coding: utf-8 -*- from setuptools import setup # To use a consistent encoding from codecs import open from os import path here = path.abspath(path.dirname(__file__)) # read version string with open(path.join(here, 'ffmpeg_normalize', '_version.py')) as version_file: version = eval(version_file.read().split("=")[1].strip()) # Get the long description from the README file with open(path.join(here, 'README.md'), encoding='utf-8') as f: long_description = f.read() # Get the history from the CHANGELOG file with open(path.join(here, 'CHANGELOG.md'), encoding='utf-8') as f: history = f.read() setup( name='ffmpeg-normalize', version=version, description="Normalize audio via ffmpeg", long_description=long_description + '\n\n' + history, long_description_content_type='text/markdown', author="Werner Robitza", author_email='werner.robitza@gmail.com', url='https://github.com/slhck/ffmpeg-normalize', packages=['ffmpeg_normalize'], include_package_data=True, install_requires=['tqdm>=4.38.0', 'colorama>=0.4.3', 'ffmpeg-progress-yield>=0.0.2'], license="MIT", zip_safe=False, keywords='ffmpeg, normalize, audio', classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Topic :: Multimedia :: Sound/Audio', 'Topic :: Multimedia :: Sound/Audio :: Analysis', 'Topic :: Multimedia :: Sound/Audio :: Conversion', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', 'Programming Language :: Python :: 3.7', 'Programming Language :: Python :: 3.8' ], entry_points={ 'console_scripts': [ 'ffmpeg-normalize = ffmpeg_normalize.__main__:main' ] }, )
mit
Python
fea6c5e84104b320c3d9475e59f7cf8625339a29
Add generic Python 3 trove classifier
TangledWeb/tangled.mako
setup.py
setup.py
from setuptools import setup setup( name='tangled.mako', version='0.1a3.dev0', description='Tangled Mako integration', long_description=open('README.rst').read(), url='http://tangledframework.org/', download_url='https://github.com/TangledWeb/tangled.mako/tags', author='Wyatt Baldwin', author_email='self@wyattbaldwin.com', include_package_data=True, packages=[ 'tangled', 'tangled.mako', 'tangled.mako.tests', ], install_requires=[ 'tangled.web>=0.1a5', 'Mako>=0.9.1', ], extras_require={ 'dev': [ 'tangled.web[dev]>=0.1a5', ], }, classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', ], )
from setuptools import setup setup( name='tangled.mako', version='0.1a3.dev0', description='Tangled Mako integration', long_description=open('README.rst').read(), url='http://tangledframework.org/', download_url='https://github.com/TangledWeb/tangled.mako/tags', author='Wyatt Baldwin', author_email='self@wyattbaldwin.com', include_package_data=True, packages=[ 'tangled', 'tangled.mako', 'tangled.mako.tests', ], install_requires=[ 'tangled.web>=0.1a5', 'Mako>=0.9.1', ], extras_require={ 'dev': [ 'tangled.web[dev]>=0.1a5', ], }, classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', ], )
mit
Python
58e4378d94164f24c7f74783ef13d0a7ecdcdda6
remove unnecessary python path in setup.py
swistakm/talons-oauth
setup.py
setup.py
# -*- coding: utf-8 -*- from setuptools import setup, find_packages import os PACKAGES = find_packages(exclude='tests') README = open(os.path.join(os.path.dirname(__file__), 'README.md')).read() def strip_comments(l): return l.split('#', 1)[0].strip() def reqs(*f): return list(filter(None, [strip_comments(l) for l in open( os.path.join(os.getcwd(), *f)).readlines()])) def get_version(version_tuple): if not isinstance(version_tuple[-1], int): return '.'.join(map(str, version_tuple[:-1])) + version_tuple[-1] return '.'.join(map(str, version_tuple)) init = os.path.join(os.path.dirname(__file__), 'talons', 'auth', 'oauth', '__init__.py') version_line = list(filter(lambda l: l.startswith('VERSION'), open(init)))[0] VERSION = get_version(eval(version_line.split('=')[-1])) INSTALL_REQUIRES = reqs('requirements.txt') setup( name='talons.auth.oauth', version=VERSION, author='Michał Jaworski', author_email='swistakm@gmail.com', description='OAuth 1.0 extension for Talons WSGI middleware library', long_description=README, packages=PACKAGES, include_package_data=True, install_requires=INSTALL_REQUIRES, zip_safe=True, classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3', ], )
# -*- coding: utf-8 -*- from setuptools import setup, find_packages import sys import os sys.path.append(os.path.join(os.path.dirname(os.path.abspath(__file__)), 'src')) PACKAGES = find_packages(exclude='tests') README = open(os.path.join(os.path.dirname(__file__), 'README.md')).read() def strip_comments(l): return l.split('#', 1)[0].strip() def reqs(*f): return list(filter(None, [strip_comments(l) for l in open( os.path.join(os.getcwd(), *f)).readlines()])) def get_version(version_tuple): if not isinstance(version_tuple[-1], int): return '.'.join(map(str, version_tuple[:-1])) + version_tuple[-1] return '.'.join(map(str, version_tuple)) init = os.path.join(os.path.dirname(__file__), 'talons', 'auth', 'oauth', '__init__.py') version_line = list(filter(lambda l: l.startswith('VERSION'), open(init)))[0] VERSION = get_version(eval(version_line.split('=')[-1])) INSTALL_REQUIRES = reqs('requirements.txt') setup( name='talons.auth.oauth', version=VERSION, author='Michał Jaworski', author_email='swistakm@gmail.com', description='OAuth 1.0 extension for Talons WSGI middleware library', long_description=README, packages=PACKAGES, include_package_data=True, install_requires=INSTALL_REQUIRES, zip_safe=True, classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3', ], )
apache-2.0
Python
b0a13cd59db53092009870d37e53b6a604cd74fa
Add license in setup.py
Chennaipy/hangman
setup.py
setup.py
#!/usr/bin/env python from setuptools import setup setup(name='gallows', version='0.1.0', description=("The word game Hangman based on 'Invent Your " "Own Computer Games with Python'."), author='Vijay Kumar B.', author_email='vijaykumar@bravegnu.org', url='http://github.com/chennaipy/hangman', license="BSD 2-Clause", scripts=['gallows.py'], install_requires=[ 'six', ], tests_require=[ 'unittest2', 'mock', ], test_suite="test" )
#!/usr/bin/env python from setuptools import setup setup(name='gallows', version='0.1.0', description=("The word game Hangman based on 'Invent Your " "Own Computer Games with Python'."), author='Vijay Kumar B.', author_email='vijaykumar@bravegnu.org', url='http://github.com/chennaipy/hangman', scripts=['gallows.py'], install_requires=[ 'six', ], tests_require=[ 'unittest2', 'mock', ], test_suite="test" )
bsd-2-clause
Python
224387ee62993170d35a06b04ac3621a3fe8c3e3
Downgrade beaker dependency.
openchordcharts/openchordcharts-api,openchordcharts/web-api
setup.py
setup.py
#!/usr/bin/env python # -*- coding: utf-8 -*- """Open chord charts project.""" from setuptools import setup, find_packages doc_lines = __doc__.split('\n') setup( author=u'Christophe Benz', author_email=u'christophe.benz@gmail.com', classifiers=[ 'Development Status :: 3 - Alpha', 'Environment :: Web Environment', 'Intended Audience :: Information Technology', 'License :: OSI Approved :: GNU Affero General Public License v3', 'Operating System :: OS Independent', 'Programming Language :: Python', ], description=doc_lines[0], entry_points=""" [paste.app_factory] main = openchordcharts.application:make_app """, include_package_data=True, install_requires=[ 'Babel >= 0.9.6', 'Beaker >= 1.5.4', 'Biryani1 >= 0.9dev', 'MarkupSafe >= 0.15', 'pymongo >= 2.2', 'requests >= 0.11.2', 'suq-monpyjama >= 0.8', 'WebError >= 0.10', 'WebHelpers >= 1.3', 'WebOb >= 1.1', ], keywords='web chord charts music free collaborative', license=u'http://www.fsf.org/licensing/licenses/agpl-3.0.html', long_description='\n'.join(doc_lines[2:]), name=u'openchordcharts', packages=find_packages(), paster_plugins=['PasteScript'], setup_requires=['PasteScript >= 1.6.3'], url=u'http://www.openchordcharts.org/', version='0.1', zip_safe=False, )
#!/usr/bin/env python # -*- coding: utf-8 -*- """Open chord charts project.""" from setuptools import setup, find_packages doc_lines = __doc__.split('\n') setup( author=u'Christophe Benz', author_email=u'christophe.benz@gmail.com', classifiers=[ 'Development Status :: 3 - Alpha', 'Environment :: Web Environment', 'Intended Audience :: Information Technology', 'License :: OSI Approved :: GNU Affero General Public License v3', 'Operating System :: OS Independent', 'Programming Language :: Python', ], description=doc_lines[0], entry_points=""" [paste.app_factory] main = openchordcharts.application:make_app """, include_package_data=True, install_requires=[ 'Babel >= 0.9.6', 'Beaker >= 1.6.3', 'Biryani1 >= 0.9dev', 'MarkupSafe >= 0.15', 'pymongo >= 2.2', 'requests >= 0.11.2', 'suq-monpyjama >= 0.8', 'WebError >= 0.10', 'WebHelpers >= 1.3', 'WebOb >= 1.1', ], keywords='web chord charts music free collaborative', license=u'http://www.fsf.org/licensing/licenses/agpl-3.0.html', long_description='\n'.join(doc_lines[2:]), name=u'openchordcharts', packages=find_packages(), paster_plugins=['PasteScript'], setup_requires=['PasteScript >= 1.6.3'], url=u'http://www.openchordcharts.org/', version='0.1', zip_safe=False, )
agpl-3.0
Python
233ff8a792afec3049f7ec610aa9fa343404dfe5
fix setup.py in python3
EDITD/queue_util
setup.py
setup.py
import setuptools import sys REQUIREMENTS = [ "kombu>=2.5,<2.6", "requests>=2,<3", "six>=1.10.0,<2", "statsd>=2.1,<2.2", ] if __name__ == "__main__": if len(sys.argv) > 1 and sys.argv[1] == "requirements": for req in REQUIREMENTS: print(req) sys.exit(0) setuptools.setup( name="queue_util", version="1.0.0", author="Sujay Mansingh", author_email="sujay.mansingh@gmail.com", packages=setuptools.find_packages(), scripts=[], url="https://github.com/sujaymansingh/queue_util", license="LICENSE.txt", description="A set of utilities for consuming (and producing) from a rabbitmq queue", long_description="View the github page (https://github.com/sujaymansingh/queue_util) for more details.", install_requires=REQUIREMENTS )
import setuptools import sys REQUIREMENTS = [ "kombu>=2.5,<2.6", "requests>=2,<3", "six>=1.10.0,<2", "statsd>=2.1,<2.2", ] if __name__ == "__main__": if len(sys.argv) > 1 and sys.argv[1] == "requirements": for req in REQUIREMENTS: print req sys.exit(0) setuptools.setup( name="queue_util", version="1.0.0", author="Sujay Mansingh", author_email="sujay.mansingh@gmail.com", packages=setuptools.find_packages(), scripts=[], url="https://github.com/sujaymansingh/queue_util", license="LICENSE.txt", description="A set of utilities for consuming (and producing) from a rabbitmq queue", long_description="View the github page (https://github.com/sujaymansingh/queue_util) for more details.", install_requires=REQUIREMENTS )
mit
Python
a8df28ca5c0f617ab12d831ada91007e3e65efe0
Bump version to 1.0.
mkdocs/mkdocs-bootswatch,waylan/mkdocs-bootswatch
setup.py
setup.py
from setuptools import setup, find_packages from distutils.core import Command import os VERSION = '1.0' setup( name="mkdocs-bootswatch", version=VERSION, url='http://www.mkdocs.org', license='BSD', description='Bootswatch themes for MkDocs', author='Dougal Matthews', author_email='dougal@dougalmatthews.com', packages=find_packages(), include_package_data=True, install_requires=['mkdocs>=1.0'], python_requires='>=2.7.9,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*', entry_points={ 'mkdocs.themes': [ 'amelia = mkdocs_bootswatch.amelia', 'cerulean = mkdocs_bootswatch.cerulean', 'cosmo = mkdocs_bootswatch.cosmo', 'cyborg = mkdocs_bootswatch.cyborg', 'flatly = mkdocs_bootswatch.flatly', 'journal = mkdocs_bootswatch.journal', 'readable = mkdocs_bootswatch.readable', 'simplex = mkdocs_bootswatch.simplex', 'slate = mkdocs_bootswatch.slate', 'spacelab = mkdocs_bootswatch.spacelab', 'united = mkdocs_bootswatch.united', 'yeti = mkdocs_bootswatch.yeti', ] }, zip_safe=False )
from setuptools import setup, find_packages from distutils.core import Command import os VERSION = '0.5.0' setup( name="mkdocs-bootswatch", version=VERSION, url='http://www.mkdocs.org', license='BSD', description='Bootswatch themes for MkDocs', author='Dougal Matthews', author_email='dougal@dougalmatthews.com', packages=find_packages(), include_package_data=True, install_requires=['mkdocs>=1.0'], python_requires='>=2.7.9,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*', entry_points={ 'mkdocs.themes': [ 'amelia = mkdocs_bootswatch.amelia', 'cerulean = mkdocs_bootswatch.cerulean', 'cosmo = mkdocs_bootswatch.cosmo', 'cyborg = mkdocs_bootswatch.cyborg', 'flatly = mkdocs_bootswatch.flatly', 'journal = mkdocs_bootswatch.journal', 'readable = mkdocs_bootswatch.readable', 'simplex = mkdocs_bootswatch.simplex', 'slate = mkdocs_bootswatch.slate', 'spacelab = mkdocs_bootswatch.spacelab', 'united = mkdocs_bootswatch.united', 'yeti = mkdocs_bootswatch.yeti', ] }, zip_safe=False )
bsd-2-clause
Python
36ecfe563bcdb1ebeea0dd131cce91e3a4f6d084
Bump version number to 0.18
titansgroup/flask-sqlalchemy
setup.py
setup.py
""" Flask-SQLAlchemy ---------------- Adds SQLAlchemy support to your Flask application. Links ````` * `documentation <http://packages.python.org/Flask-SQLAlchemy>`_ * `development version <http://github.com/mitsuhiko/flask-sqlalchemy/zipball/master#egg=Flask-SQLAlchemy-dev>`_ """ from setuptools import setup setup( name='Flask-SQLAlchemy', version='0.18', url='http://github.com/mitsuhiko/flask-sqlalchemy', license='BSD', author='Armin Ronacher', author_email='armin.ronacher@active-4.com', description='Adds SQLAlchemy support to your Flask application', long_description=__doc__, py_modules=['flask_sqlalchemy'], zip_safe=False, platforms='any', install_requires=[ 'setuptools', 'Flask', 'SQLAlchemy' ], test_suite='test_sqlalchemy.suite', classifiers=[ 'Development Status :: 4 - Beta', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', 'Topic :: Software Development :: Libraries :: Python Modules' ] )
""" Flask-SQLAlchemy ---------------- Adds SQLAlchemy support to your Flask application. Links ````` * `documentation <http://packages.python.org/Flask-SQLAlchemy>`_ * `development version <http://github.com/mitsuhiko/flask-sqlalchemy/zipball/master#egg=Flask-SQLAlchemy-dev>`_ """ from setuptools import setup setup( name='Flask-SQLAlchemy', version='0.17', url='http://github.com/mitsuhiko/flask-sqlalchemy', license='BSD', author='Armin Ronacher', author_email='armin.ronacher@active-4.com', description='Adds SQLAlchemy support to your Flask application', long_description=__doc__, py_modules=['flask_sqlalchemy'], zip_safe=False, platforms='any', install_requires=[ 'setuptools', 'Flask', 'SQLAlchemy' ], test_suite='test_sqlalchemy.suite', classifiers=[ 'Development Status :: 4 - Beta', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', 'Topic :: Software Development :: Libraries :: Python Modules' ] )
bsd-3-clause
Python
19eb5e057c3ac189dfb7b065e6b119e49499df02
use setuptools and drop cython support
nakagami/minipg
setup.py
setup.py
import sys from setuptools import setup, Command class TestCommand(Command): user_options = [] def initialize_options(self): pass def finalize_options(self): pass def run(self): from minipg import test_minipg import unittest unittest.main(test_minipg, argv=sys.argv[:1]) cmdclass = {'test': TestCommand} version = "%d.%d.%d" % __import__('minipg').VERSION classifiers = [ 'Development Status :: 4 - Beta', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3', 'Topic :: Database', ] setup( name="minipg", version=version, url='https://github.com/nakagami/minipg/', classifiers=classifiers, keywords=['PostgreSQL'], author='Hajime Nakagami', author_email='nakagami@gmail.com', description='Yet another PostgreSQL database driver', long_description=open('README.rst').read(), license="MIT", packages=['minipg'], cmdclass=cmdclass, )
import sys from distutils.core import setup, Command from distutils.extension import Extension try: from Cython.Build import cythonize ext_modules = cythonize([ Extension("minipg.pgcore", ["minipg/pgcore.py"]), ]) except ImportError: ext_modules = None class TestCommand(Command): user_options = [] def initialize_options(self): pass def finalize_options(self): pass def run(self): from minipg import test_minipg import unittest unittest.main(test_minipg, argv=sys.argv[:1]) cmdclass = {'test': TestCommand} version = "%d.%d.%d" % __import__('minipg').VERSION classifiers = [ 'Development Status :: 4 - Beta', 'License :: OSI Approved :: MIT License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 3', 'Topic :: Database', ] setup( name="minipg", version=version, url='https://github.com/nakagami/minipg/', classifiers=classifiers, keywords=['PostgreSQL'], author='Hajime Nakagami', author_email='nakagami@gmail.com', description='Yet another PostgreSQL database driver', long_description=open('README.rst').read(), license="MIT", packages=['minipg'], cmdclass=cmdclass, ext_modules=ext_modules, )
mit
Python
5564cd33318d403a4f5628470b04439650029e6f
update author email
stefanfoulis/django-class-based-auth-views
setup.py
setup.py
from setuptools import setup, find_packages version = __import__('class_based_auth_views').__version__ setup( name="django-class-based-auth-views", version=version, url='http://github.com/stefanfoulis/django-class-based-auth-views', license='BSD', platforms=['OS Independent'], description="A reimplementation of django.contrib.auth.views as class based views.", long_description=open('README.rst').read(), author='Stefan Foulis', author_email='stefan@foulis.ch', maintainer='Stefan Foulis', maintainer_email='stefan@foulis.ch', packages=find_packages(), include_package_data=True, zip_safe=False, classifiers=[ 'Development Status :: 3 - Alpha', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Topic :: Internet :: WWW/HTTP', ] )
from setuptools import setup, find_packages version = __import__('class_based_auth_views').__version__ setup( name="django-class-based-auth-views", version=version, url='http://github.com/stefanfoulis/django-class-based-auth-views', license='BSD', platforms=['OS Independent'], description="A reimplementation of django.contrib.auth.views as class based views.", long_description=open('README.rst').read(), author='Stefan Foulis', author_email='stefan.foulis@gmail.com', maintainer='Stefan Foulis', maintainer_email='stefan.foulis@gmail.com', packages=find_packages(), include_package_data=True, zip_safe=False, classifiers=[ 'Development Status :: 3 - Alpha', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Topic :: Internet :: WWW/HTTP', ] )
mit
Python
9204e33200bd33e871d7e6d960cbcb8a947a0a65
check to see if java clavin engine downloaded, so don't redownload this on reinstall
DanielJDufour/clavin-python
setup.py
setup.py
#from distutils.core import setup from setuptools import setup from setuptools.command.develop import develop from setuptools.command.install import install import os, subprocess def post_install(command_subclass): orig_run = command_subclass.run def modified_run(self): orig_run(self) ## the code to run after install d = os.path.dirname(os.path.realpath(__file__)) + "/clavin/" if "clavin-java" not in os.listdir(d): subprocess.call(["wget", "https://s3.amazonaws.com/clavinzip/CLAVIN.zip"], cwd=d) subprocess.call(["unzip", "CLAVIN.zip"], cwd=d) subprocess.call(["rm", "CLAVIN.zip"], cwd=d) os.rename(d+"/CLAVIN",d+"clavin-java") command_subclass.run = modified_run return command_subclass @post_install class CustomDevelopCommand(develop): pass @post_install class CustomInstallCommand(install): pass setup( name = 'clavin', packages = ['clavin'], version = '0.1', description = 'A python wrapper for CLAVIN', author = 'Daniel J. Dufour', author_email = 'daniel.j.dufour@gmail.com', url = 'https://github.com/danieljdufour/clavin-python', download_url = 'https://github.com/danieljdufour/clavin-python/tarball/0.1', keywords = ['geotag'], classifiers = [], cmdclass={'install': CustomInstallCommand}, )
#from distutils.core import setup from setuptools import setup from setuptools.command.develop import develop from setuptools.command.install import install import os, subprocess def post_install(command_subclass): orig_run = command_subclass.run def modified_run(self): orig_run(self) ## the code to run after install d = os.path.dirname(os.path.realpath(__file__)) + "/clavin/" subprocess.call(["wget", "https://s3.amazonaws.com/clavinzip/CLAVIN.zip"], cwd=d) subprocess.call(["unzip", "CLAVIN.zip"], cwd=d) subprocess.call(["rm", "CLAVIN.zip"], cwd=d) os.rename(d+"/CLAVIN",d+"clavin-java") command_subclass.run = modified_run return command_subclass @post_install class CustomDevelopCommand(develop): pass @post_install class CustomInstallCommand(install): pass setup( name = 'clavin', packages = ['clavin'], version = '0.1', description = 'A python wrapper for CLAVIN', author = 'Daniel J. Dufour', author_email = 'daniel.j.dufour@gmail.com', url = 'https://github.com/danieljdufour/clavin-python', download_url = 'https://github.com/danieljdufour/clavin-python/tarball/0.1', keywords = ['geotag'], classifiers = [], cmdclass={'install': CustomInstallCommand}, )
apache-2.0
Python
82da444753249df9bbd4c516a7b1f9f5a4a7a29a
Remove deprecated 'zip_safe' flag. It's probably safe anyhow.
yougov/emanate
setup.py
setup.py
#!/usr/bin/env python # -*- coding: utf-8 -*- from setuptools import setup setup( name='yg.emanate', use_scm_version=True, description="Lightweight event system for Python", author="YouGov, plc", author_email='dev@yougov.com', url='https://github.com/yougov/yg.emanate', packages=[ 'yg.emanate', ], namespace_packages=['yg'], include_package_data=True, setup_requires=['setuptools_scm>=1.15'], keywords='emanate', classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', ], test_suite='tests', python_requires=">=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*", )
#!/usr/bin/env python # -*- coding: utf-8 -*- from setuptools import setup setup( name='yg.emanate', use_scm_version=True, description="Lightweight event system for Python", author="YouGov, plc", author_email='dev@yougov.com', url='https://github.com/yougov/yg.emanate', packages=[ 'yg.emanate', ], namespace_packages=['yg'], include_package_data=True, setup_requires=['setuptools_scm>=1.15'], zip_safe=False, keywords='emanate', classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', ], test_suite='tests', python_requires=">=2.7,!=3.0.*,!=3.1.*,!=3.2.*,!=3.3.*", )
mit
Python
d89aa907fcd76a71226f323b8993113abe9541ca
Add dependencies to setup.py
eucalyptus/arado
setup.py
setup.py
# Software License Agreement (BSD License) # # Copyright (c) 2012, Eucalyptus Systems, Inc. # All rights reserved. # # Redistribution and use of this software in source and binary forms, with or # without modification, are permitted provided that the following conditions # are met: # # Redistributions of source code must retain the above # copyright notice, this list of conditions and the # following disclaimer. # # Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the # following disclaimer in the documentation and/or other # materials provided with the distribution. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE # ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE # LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR # CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF # SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS # INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN # CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) # ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE # POSSIBILITY OF SUCH DAMAGE. # # Author: Matt Spaulding mspaulding@eucalyptus.com from distutils.core import setup import os.path from arado import __version__ setup(name = "arado", version = __version__, description = "Arado Package Repository Tools", long_description="Arado Package Repository Tools", author = "Matt Spaulding", author_email = "mspaulding@eucalyptus.com", install_requires = ['requests', 'beautifulsoup', 'jinja2'], scripts = ["bin/arado-describe-build", "bin/arado-promote-build", "bin/arado-describe-commit", "bin/arado-rebuild-repo"], url = "http://www.eucalyptus.com", packages = ["arado"], license = 'BSD (Simplified)', platforms = 'Posix' )
# Software License Agreement (BSD License) # # Copyright (c) 2012, Eucalyptus Systems, Inc. # All rights reserved. # # Redistribution and use of this software in source and binary forms, with or # without modification, are permitted provided that the following conditions # are met: # # Redistributions of source code must retain the above # copyright notice, this list of conditions and the # following disclaimer. # # Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the # following disclaimer in the documentation and/or other # materials provided with the distribution. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE # ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE # LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR # CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF # SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS # INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN # CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) # ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE # POSSIBILITY OF SUCH DAMAGE. # # Author: Matt Spaulding mspaulding@eucalyptus.com from distutils.core import setup import os.path from arado import __version__ setup(name = "arado", version = __version__, description = "Arado Package Repository Tools", long_description="Arado Package Repository Tools", author = "Matt Spaulding", author_email = "mspaulding@eucalyptus.com", scripts = ["bin/arado-describe-build", "bin/arado-promote-build"], url = "http://www.eucalyptus.com", packages = ["arado"], license = 'BSD (Simplified)', platforms = 'Posix' )
bsd-2-clause
Python
5145e5cfccaef99be1fd7c1240e289ab132a858b
Remove python 3.3 from trove classifiers [skip ci]
sjkingo/virtualenv-api
setup.py
setup.py
from setuptools import find_packages, setup from virtualenvapi import __version__ setup( name='virtualenv-api', version=__version__, license='BSD', author='Sam Kingston and AUTHORS', author_email='sam@sjkwi.com.au', description='An API for virtualenv/pip', long_description=open('README.rst', 'r').read(), url='https://github.com/sjkingo/virtualenv-api', install_requires=['six', 'virtualenv' ], packages=find_packages(), classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', 'Topic :: Software Development :: Libraries :: Python Modules', ], )
from setuptools import find_packages, setup from virtualenvapi import __version__ setup( name='virtualenv-api', version=__version__, license='BSD', author='Sam Kingston and AUTHORS', author_email='sam@sjkwi.com.au', description='An API for virtualenv/pip', long_description=open('README.rst', 'r').read(), url='https://github.com/sjkingo/virtualenv-api', install_requires=['six', 'virtualenv' ], packages=find_packages(), classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', 'Topic :: Software Development :: Libraries :: Python Modules', ], )
bsd-2-clause
Python
967123b620ffaec58ca30fb59cdc2853404d152f
Switch to nose test runner
Nekroze/librator,Nekroze/librator
setup.py
setup.py
#!/usr/bin/env python import os import sys import librator try: from setuptools import setup except ImportError: from distutils.core import setup if sys.argv[-1] == 'publish': os.system('python setup.py sdist upload') sys.exit() readme = open('README.rst').read() history = open('HISTORY.rst').read().replace('.. :changelog:', '') setup( name='librator', version=librator.__version__, description='A method of automatically constructing a Librarian library database from a directory of yaml files or the reverse.', long_description=readme + '\n\n' + history, author='Taylor "Nekroze" Lawson', author_email='nekroze@eturnilnetwork.com', url='https://github.com/Nekroze/librator', packages=[ 'librator', ], entry_points={ 'console_scripts': [ 'librator = librator.librator:main', 'libratorcard = librator.librator:cardmain', ] }, package_dir={'librator': 'librator'}, include_package_data=True, install_requires=[ 'pyyaml>=3.10', 'librarian>=0.2.1', ], license="MIT", zip_safe=False, keywords='librator', classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', "Programming Language :: Python :: 2", 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', ], tests_require=[ 'nose>=1.3.0', ], test_suite='nose.collector', )
#!/usr/bin/env python import os import sys import librator try: from setuptools import setup except ImportError: from distutils.core import setup if sys.argv[-1] == 'publish': os.system('python setup.py sdist upload') sys.exit() readme = open('README.rst').read() history = open('HISTORY.rst').read().replace('.. :changelog:', '') setup( name='librator', version=librator.__version__, description='A method of automatically constructing a Librarian library database from a directory of yaml files or the reverse.', long_description=readme + '\n\n' + history, author='Taylor "Nekroze" Lawson', author_email='nekroze@eturnilnetwork.com', url='https://github.com/Nekroze/librator', packages=[ 'librator', ], entry_points={ 'console_scripts': [ 'librator = librator.librator:main', 'libratorcard = librator.librator:cardmain', ] }, package_dir={'librator': 'librator'}, include_package_data=True, install_requires=[ 'pyyaml>=3.10', 'librarian>=0.2.1', ], license="MIT", zip_safe=False, keywords='librator', classifiers=[ 'Development Status :: 2 - Pre-Alpha', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', "Programming Language :: Python :: 2", 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', ], test_suite='tests', )
mit
Python
ee0c6cb121d057a3cea1111415a2689c397ce650
Bump version to 2.0b1
sbussetti/django-nested-admin,olivierdalang/django-nested-admin,sbussetti/django-nested-admin,olivierdalang/django-nested-admin,sbussetti/django-nested-admin,olivierdalang/django-nested-admin
setup.py
setup.py
#!/usr/bin/env python try: from setuptools import setup, find_packages except ImportError: from ez_setup import use_setuptools use_setuptools() from setuptools import setup, find_packages setup( name='django-nested-admin', version="2.0b1", install_requires=[ 'six>=1.7.0', ], description="Django admin classes that allow for nested inlines", author='The Atlantic', author_email='programmers@theatlantic.com', url='https://github.com/theatlantic/django-nested-admin', packages=find_packages(), classifiers=[ 'Environment :: Web Environment', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Framework :: Django', ], include_package_data=True, zip_safe=False, long_description=open('README.rst').read())
#!/usr/bin/env python try: from setuptools import setup, find_packages except ImportError: from ez_setup import use_setuptools use_setuptools() from setuptools import setup, find_packages setup( name='django-nested-admin', version="1.0.9", install_requires=[ 'six>=1.7.0', ], description="Django admin classes that allow for nested inlines", author='The Atlantic', author_email='programmers@theatlantic.com', url='https://github.com/theatlantic/django-nested-admin', packages=find_packages(), classifiers=[ 'Environment :: Web Environment', 'Intended Audience :: Developers', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Framework :: Django', ], include_package_data=True, zip_safe=False, long_description=open('README.rst').read())
bsd-2-clause
Python
2c65579329a53a38679e323a96bc04167984454d
Prepare openprocurement.auction.insider 1.0.1a1.dev9
openprocurement/openprocurement.auction.insider
setup.py
setup.py
import os from setuptools import setup, find_packages VERSION = '1.0.1a1.dev9' INSTALL_REQUIRES = [ 'setuptools', 'openprocurement.auction', 'openprocurement.auction.worker' ] EXTRAS_REQUIRE = { 'test': [ 'pytest', 'pytest-cov' ] } ENTRY_POINTS = { 'console_scripts': [ 'auction_insider = openprocurement.auction.insider.cli:main', ], 'openprocurement.auction.auctions': [ 'dgfInsider = openprocurement.auction.insider.includeme:includeme' ], 'openprocurement.auction.robottests': [ 'insider = openprocurement.auction.insider.tests.functional.main:includeme' ] } setup(name='openprocurement.auction.insider', version=VERSION, description="", long_description=open(os.path.join("docs", "HISTORY.txt")).read(), # Get more strings from # http://pypi.python.org/pypi?:action=list_classifiers classifiers=[ "License :: OSI Approved :: Apache Software License", "Programming Language :: Python", ], keywords='', author='Quintagroup, Ltd.', author_email='info@quintagroup.com', license='Apache License 2.0', url='https://github.com/yarsanich/openprocurement.auction.insider', packages=find_packages(exclude=['ez_setup']), namespace_packages=['openprocurement', 'openprocurement.auction'], include_package_data=True, zip_safe=False, install_requires=INSTALL_REQUIRES, extras_require=EXTRAS_REQUIRE, entry_points=ENTRY_POINTS )
import os from setuptools import setup, find_packages VERSION = '1.0.1a1.dev8' INSTALL_REQUIRES = [ 'setuptools', 'openprocurement.auction', 'openprocurement.auction.worker' ] EXTRAS_REQUIRE = { 'test': [ 'pytest', 'pytest-cov' ] } ENTRY_POINTS = { 'console_scripts': [ 'auction_insider = openprocurement.auction.insider.cli:main', ], 'openprocurement.auction.auctions': [ 'dgfInsider = openprocurement.auction.insider.includeme:includeme' ], 'openprocurement.auction.robottests': [ 'insider = openprocurement.auction.insider.tests.functional.main:includeme' ] } setup(name='openprocurement.auction.insider', version=VERSION, description="", long_description=open(os.path.join("docs", "HISTORY.txt")).read(), # Get more strings from # http://pypi.python.org/pypi?:action=list_classifiers classifiers=[ "License :: OSI Approved :: Apache Software License", "Programming Language :: Python", ], keywords='', author='Quintagroup, Ltd.', author_email='info@quintagroup.com', license='Apache License 2.0', url='https://github.com/yarsanich/openprocurement.auction.insider', packages=find_packages(exclude=['ez_setup']), namespace_packages=['openprocurement', 'openprocurement.auction'], include_package_data=True, zip_safe=False, install_requires=INSTALL_REQUIRES, extras_require=EXTRAS_REQUIRE, entry_points=ENTRY_POINTS )
apache-2.0
Python
7609c1df444d13efdb8be295003af13dc9de3d96
Update openfisca-core requirement from <32.0,>=27.0 to >=27.0,<33.0
openfisca/country-template,openfisca/country-template
setup.py
setup.py
# -*- coding: utf-8 -*- from setuptools import setup, find_packages setup( name = "OpenFisca-Country-Template", version = "3.9.4", author = "OpenFisca Team", author_email = "contact@openfisca.org", classifiers=[ "Development Status :: 5 - Production/Stable", "License :: OSI Approved :: GNU Affero General Public License v3", "Operating System :: POSIX", "Programming Language :: Python", "Topic :: Scientific/Engineering :: Information Analysis", ], description = "OpenFisca tax and benefit system for Country-Template", keywords = "benefit microsimulation social tax", license ="http://www.fsf.org/licensing/licenses/agpl-3.0.html", url = "https://github.com/openfisca/country-template", include_package_data = True, # Will read MANIFEST.in data_files = [ ("share/openfisca/openfisca-country-template", ["CHANGELOG.md", "LICENSE", "README.md"]), ], install_requires = [ "OpenFisca-Core[web-api] >=27.0,<33.0", ], extras_require = { "dev": [ "autopep8 ==1.4.4", "flake8 >=3.5.0,<3.8.0", "flake8-print", "pycodestyle >=2.3.0,<2.6.0", # To avoid incompatibility with flake ] }, packages=find_packages(), )
# -*- coding: utf-8 -*- from setuptools import setup, find_packages setup( name = "OpenFisca-Country-Template", version = "3.9.4", author = "OpenFisca Team", author_email = "contact@openfisca.org", classifiers=[ "Development Status :: 5 - Production/Stable", "License :: OSI Approved :: GNU Affero General Public License v3", "Operating System :: POSIX", "Programming Language :: Python", "Topic :: Scientific/Engineering :: Information Analysis", ], description = "OpenFisca tax and benefit system for Country-Template", keywords = "benefit microsimulation social tax", license ="http://www.fsf.org/licensing/licenses/agpl-3.0.html", url = "https://github.com/openfisca/country-template", include_package_data = True, # Will read MANIFEST.in data_files = [ ("share/openfisca/openfisca-country-template", ["CHANGELOG.md", "LICENSE", "README.md"]), ], install_requires = [ "OpenFisca-Core[web-api] >=27.0,<32.0", ], extras_require = { "dev": [ "autopep8 ==1.4.4", "flake8 >=3.5.0,<3.8.0", "flake8-print", "pycodestyle >=2.3.0,<2.6.0", # To avoid incompatibility with flake ] }, packages=find_packages(), )
agpl-3.0
Python
62f58f297205a881c03342483bb7e1f28cefd8d1
Correct the license identifier
tarkatronic/django-ssl-auth
setup.py
setup.py
import os from setuptools import setup # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) with open('README.rst', 'r') as f: README = f.read() with open('VERSION', 'r') as vfile: VERSION = vfile.read().strip() setup( name='django-ssl-auth', version=VERSION, description='Django SSL Client Authentication', long_description=README, author='Kimmo Parviainen-Jalanko', author_email='kimvais@ssh.com', maintainer='Joey Wilhelm', maintainer_email='tarkatronic@gmail.com', license='MIT', url='https://github.com/tarkatronic/django-ssl-auth/', download_url='https://github.com/tarkatronic/django-ssl-auth/archive/master.tar.gz', packages=['django_ssl_auth'], include_package_data=True, install_requires=['Django>=1.8'], classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', 'Framework :: Django', 'Framework :: Django :: 1.8', 'Framework :: Django :: 1.9', 'Framework :: Django :: 1.10', 'Framework :: Django :: 1.11', 'Topic :: Software Development :: Libraries :: Python Modules', ], zip_safe=False, test_suite='runtests.runtests' )
import os from setuptools import setup # allow setup.py to be run from any path os.chdir(os.path.normpath(os.path.join(os.path.abspath(__file__), os.pardir))) with open('README.rst', 'r') as f: README = f.read() with open('VERSION', 'r') as vfile: VERSION = vfile.read().strip() setup( name='django-ssl-auth', version=VERSION, description='Django SSL Client Authentication', long_description=README, author='Kimmo Parviainen-Jalanko', author_email='kimvais@ssh.com', maintainer='Joey Wilhelm', maintainer_email='tarkatronic@gmail.com', license='MIT', url='https://github.com/tarkatronic/django-ssl-auth/', download_url='https://github.com/tarkatronic/django-ssl-auth/archive/master.tar.gz', packages=['django_ssl_auth'], include_package_data=True, install_requires=['Django>=1.8'], classifiers=[ 'Development Status :: 5 - Production/Stable', 'Environment :: Web Environment', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', 'Framework :: Django', 'Framework :: Django :: 1.8', 'Framework :: Django :: 1.9', 'Framework :: Django :: 1.10', 'Framework :: Django :: 1.11', 'Topic :: Software Development :: Libraries :: Python Modules', ], zip_safe=False, test_suite='runtests.runtests' )
mit
Python
869d2e5ca3a785babdeb7dfc1e1a8cfa87be9c60
Allow setup script to be imported (for introspection and troubleshooting).
egh/ofxparse,rdsteed/ofxparse,jseutter/ofxparse,hiromu2000/ofxparse,jaraco/ofxparse,udibr/ofxparse
setup.py
setup.py
import re import sys from setuptools import setup, find_packages # Read the version from __init__ to avoid importing ofxparse while installing. # This lets the install work when the user does not have BeautifulSoup # installed. VERSION = re.search(r"__version__ = '(.*?)'", open("ofxparse/__init__.py").read()).group(1) # Use BeautifulSoup 3 on Python 2.5 and earlier and BeautifulSoup 4 otherwise if sys.version_info < (2,6): REQUIRES = [ "beautifulSoup>=3.0", ] else: REQUIRES = [ "beautifulsoup4" ] setup_params = dict(name='ofxparse', version=VERSION, description=("Tools for working with the OFX (Open Financial Exchange)" " file format"), long_description=open("./README", "r").read(), # Get strings from http://pypi.python.org/pypi?%3Aaction=list_classifiers classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "Natural Language :: English", "Operating System :: OS Independent", "Programming Language :: Python :: 2.4", "Programming Language :: Python :: 2.5", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Topic :: Software Development :: Libraries :: Python Modules", "Topic :: Utilities", "License :: OSI Approved :: MIT License", ], keywords='ofx, Open Financial Exchange, file formats', author='Jerry Seutter', author_email='jseutter.ofxparse@gmail.com', url='http://sites.google.com/site/ofxparse', license='MIT License', packages=find_packages(exclude=['ez_setup', 'examples', 'tests']), include_package_data=True, zip_safe=True, install_requires=REQUIRES, entry_points=""" """, use_2to3=True, test_suite='tests', ) if __name__ == '__main__': setup(**setup_params)
import re import sys from setuptools import setup, find_packages # Read the version from __init__ to avoid importing ofxparse while installing. # This lets the install work when the user does not have BeautifulSoup # installed. VERSION = re.search(r"__version__ = '(.*?)'", open("ofxparse/__init__.py").read()).group(1) # Use BeautifulSoup 3 on Python 2.5 and earlier and BeautifulSoup 4 otherwise if sys.version_info < (2,6): REQUIRES = [ "beautifulSoup>=3.0", ] else: REQUIRES = [ "beautifulsoup4" ] setup(name='ofxparse', version=VERSION, description=("Tools for working with the OFX (Open Financial Exchange)" " file format"), long_description=open("./README", "r").read(), # Get strings from http://pypi.python.org/pypi?%3Aaction=list_classifiers classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "Natural Language :: English", "Operating System :: OS Independent", "Programming Language :: Python :: 2.4", "Programming Language :: Python :: 2.5", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Topic :: Software Development :: Libraries :: Python Modules", "Topic :: Utilities", "License :: OSI Approved :: MIT License", ], keywords='ofx, Open Financial Exchange, file formats', author='Jerry Seutter', author_email='jseutter.ofxparse@gmail.com', url='http://sites.google.com/site/ofxparse', license='MIT License', packages=find_packages(exclude=['ez_setup', 'examples', 'tests']), include_package_data=True, zip_safe=True, install_requires=REQUIRES, entry_points=""" """, use_2to3=True, test_suite='tests', )
mit
Python
eec65f8ac11d33cc3cbef426080660ec2a02e29b
Bump to v1.32.0
gisce/primestg
setup.py
setup.py
from setuptools import setup, find_packages setup( name='primestg', version='1.32.0', packages=find_packages(), url='https://github.com/gisce/primestg', license='GNU Affero General Public License v3', author='GISCE-TI, S.L.', author_email='devel@gisce.net', install_requires=[ 'lxml', 'zeep<4.0', 'libcomxml', 'click', 'python-dateutil' ], description='Prime STG-DC Interface Specification', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: GNU Affero General Public License v3', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.6', ], entry_points = ''' [console_scripts] primestg=primestg.cli:primestg ''', )
from setuptools import setup, find_packages setup( name='primestg', version='1.31.6', packages=find_packages(), url='https://github.com/gisce/primestg', license='GNU Affero General Public License v3', author='GISCE-TI, S.L.', author_email='devel@gisce.net', install_requires=[ 'lxml', 'zeep<4.0', 'libcomxml', 'click', 'python-dateutil' ], description='Prime STG-DC Interface Specification', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: GNU Affero General Public License v3', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.6', ], entry_points = ''' [console_scripts] primestg=primestg.cli:primestg ''', )
agpl-3.0
Python
92734e72fd7675c9c7040b13f3665608e996f490
Bump pytype from 2021.7.19 to 2021.7.27 (#688)
larq/larq
setup.py
setup.py
from setuptools import find_packages, setup def readme(): with open("README.md", "r") as f: return f.read() setup( name="larq", version="0.12.0", python_requires=">=3.6", author="Plumerai", author_email="opensource@plumerai.com", description="An Open Source Machine Learning Library for Training Binarized Neural Networks", long_description=readme(), long_description_content_type="text/markdown", url="https://larq.dev/", packages=find_packages(exclude=["larq.snapshots"]), license="Apache 2.0", install_requires=[ "numpy >= 1.15.4, < 2.0", "terminaltables>=3.1.0", "dataclasses ; python_version<'3.7'", "importlib-metadata >= 2.0, < 4.0 ; python_version<'3.8'", ], extras_require={ "tensorflow": ["tensorflow>=1.14.0"], "tensorflow_gpu": ["tensorflow-gpu>=1.14.0"], "test": [ "black==21.7b0", "flake8>=3.7.9,<3.10.0", "isort==5.9.2", "packaging>=19.2,<22.0", "pytest>=5.2.4,<6.3.0", "pytest-cov>=2.8.1,<2.13.0", "pytest-xdist>=1.30,<2.4", "pytest-mock>=2.0,<3.7", "pytype==2021.7.27", "snapshottest>=0.5.1,<0.7.0", ], }, classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "Intended Audience :: Education", "Intended Audience :: Science/Research", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3 :: Only", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", "Programming Language :: Python :: 3.9", "Topic :: Scientific/Engineering", "Topic :: Scientific/Engineering :: Mathematics", "Topic :: Scientific/Engineering :: Artificial Intelligence", "Topic :: Software Development", "Topic :: Software Development :: Libraries", "Topic :: Software Development :: Libraries :: Python Modules", ], )
from setuptools import find_packages, setup def readme(): with open("README.md", "r") as f: return f.read() setup( name="larq", version="0.12.0", python_requires=">=3.6", author="Plumerai", author_email="opensource@plumerai.com", description="An Open Source Machine Learning Library for Training Binarized Neural Networks", long_description=readme(), long_description_content_type="text/markdown", url="https://larq.dev/", packages=find_packages(exclude=["larq.snapshots"]), license="Apache 2.0", install_requires=[ "numpy >= 1.15.4, < 2.0", "terminaltables>=3.1.0", "dataclasses ; python_version<'3.7'", "importlib-metadata >= 2.0, < 4.0 ; python_version<'3.8'", ], extras_require={ "tensorflow": ["tensorflow>=1.14.0"], "tensorflow_gpu": ["tensorflow-gpu>=1.14.0"], "test": [ "black==21.7b0", "flake8>=3.7.9,<3.10.0", "isort==5.9.2", "packaging>=19.2,<22.0", "pytest>=5.2.4,<6.3.0", "pytest-cov>=2.8.1,<2.13.0", "pytest-xdist>=1.30,<2.4", "pytest-mock>=2.0,<3.7", "pytype==2021.7.19", "snapshottest>=0.5.1,<0.7.0", ], }, classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "Intended Audience :: Education", "Intended Audience :: Science/Research", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3 :: Only", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", "Programming Language :: Python :: 3.9", "Topic :: Scientific/Engineering", "Topic :: Scientific/Engineering :: Mathematics", "Topic :: Scientific/Engineering :: Artificial Intelligence", "Topic :: Software Development", "Topic :: Software Development :: Libraries", "Topic :: Software Development :: Libraries :: Python Modules", ], )
apache-2.0
Python
2512dc238e6eb267bf288f92d1e2da6bc04a99a6
Fix email to match PyPI registered email.
rolando/scrapy-redis,darkrho/scrapy-redis
setup.py
setup.py
#!/usr/bin/env python # -*- coding: utf-8 -*- import io from pkgutil import walk_packages from setuptools import setup def find_packages(path): # This method returns packages and subpackages as well. return [name for _, name, is_pkg in walk_packages([path]) if is_pkg] def read_file(filename): with io.open(filename) as fp: return fp.read().strip() def read_rst(filename): # Ignore unsupported directives by pypi. content = read_file(filename) return ''.join(line for line in io.StringIO(content) if not line.startswith('.. comment::')) def read_requirements(filename): return [line.strip() for line in read_file(filename).splitlines() if not line.startswith('#')] setup( name='scrapy-redis', version=read_file('VERSION'), description="Redis-based components for Scrapy.", long_description=read_rst('README.rst') + '\n\n' + read_rst('HISTORY.rst'), author="Rolando Espinoza", author_email='rolando@rmax.io', url='https://github.com/rolando/scrapy-redis', packages=list(find_packages('src')), package_dir={'': 'src'}, setup_requires=read_requirements('requirements-setup.txt'), install_requires=read_requirements('requirements-install.txt'), include_package_data=True, license="MIT", keywords='scrapy-redis', classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', "Programming Language :: Python :: 2", 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], )
#!/usr/bin/env python # -*- coding: utf-8 -*- import io from pkgutil import walk_packages from setuptools import setup def find_packages(path): # This method returns packages and subpackages as well. return [name for _, name, is_pkg in walk_packages([path]) if is_pkg] def read_file(filename): with io.open(filename) as fp: return fp.read().strip() def read_rst(filename): # Ignore unsupported directives by pypi. content = read_file(filename) return ''.join(line for line in io.StringIO(content) if not line.startswith('.. comment::')) def read_requirements(filename): return [line.strip() for line in read_file(filename).splitlines() if not line.startswith('#')] setup( name='scrapy-redis', version=read_file('VERSION'), description="Redis-based components for Scrapy.", long_description=read_rst('README.rst') + '\n\n' + read_rst('HISTORY.rst'), author="Rolando Espinoza", author_email='rolando at rmax.io', url='https://github.com/rolando/scrapy-redis', packages=list(find_packages('src')), package_dir={'': 'src'}, setup_requires=read_requirements('requirements-setup.txt'), install_requires=read_requirements('requirements-install.txt'), include_package_data=True, license="MIT", keywords='scrapy-redis', classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', "Programming Language :: Python :: 2", 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], )
mit
Python
f7e1746b6857cc90b96008e2d76c2f9edc0dd0b9
Fix setup.py
youfou/wxpy
setup.py
setup.py
import re from setuptools import find_packages, setup with open('wxpy/__init__.py', encoding='utf-8') as fp: version = re.search(r"__version__\s*=\s*'([\d.]+)'", fp.read()).group(1) with open('README.rst', encoding='utf-8') as fp: readme = fp.read() setup( name='wxpy', version=version, packages=find_packages(), package_data={ '': ['*.md'], }, include_package_data=True, install_requires=[ 'itchat>=1.2.26' ], url='https://github.com/youfou/wxpy', license='Apache 2.0', author='Youfou', author_email='youfou@qq.com', description='微信个人号 API,基于 itchat,告别满屏 dict,更有 Python 范儿', long_description=readme, keywords=[ '微信', 'WeChat', 'API' ], classifiers=[ 'Development Status :: 4 - Beta', 'License :: OSI Approved :: Apache Software License', 'Programming Language :: Python :: 3', 'Operating System :: OS Independent', 'Topic :: Communications :: Chat', 'Topic :: Utilities', ] )
import re from setuptools import find_packages, setup with open('wxpy/__init__.py', encoding='utf-8') as fp: version = re.search(r"__version__\s*=\s*'([\d.]+)'", fp.read()).groups(1) with open('README.rst', encoding='utf-8') as fp: readme = fp.read() setup( name='wxpy', version=version, packages=find_packages(), package_data={ '': ['*.md'], }, include_package_data=True, install_requires=[ 'itchat>=1.2.26' ], url='https://github.com/youfou/wxpy', license='Apache 2.0', author='Youfou', author_email='youfou@qq.com', description='微信个人号 API,基于 itchat,告别满屏 dict,更有 Python 范儿', long_description=readme, keywords=[ '微信', 'WeChat', 'API' ], classifiers=[ 'Development Status :: 4 - Beta', 'License :: OSI Approved :: Apache Software License', 'Programming Language :: Python :: 3', 'Operating System :: OS Independent', 'Topic :: Communications :: Chat', 'Topic :: Utilities', ] )
mit
Python
845bbfc98cc1dc12edf3f01450559301fcb38887
Update setup.py:
dmpayton/django-admin-honeypot,Samael500/django-admin-honeypot,dmpayton/django-admin-honeypot,javierchavez/django-admin-honeypot,ajostergaard/django-admin-honeypot,Samael500/django-admin-honeypot,javierchavez/django-admin-honeypot,ajostergaard/django-admin-honeypot,wujuguang/django-admin-honeypot,wujuguang/django-admin-honeypot
setup.py
setup.py
#!/usr/bin/env python """ django-admin-honeypot ===================== A fake Django admin login screen to notify admins of attempted unauthorized access. This app was inspired by discussion in and around Paul McMillan's security talk at DjangoCon 2011. |travis-ci|_ .. |travis-ci| image:: https://secure.travis-ci.org/dmpayton/django-admin-honeypot.png .. _travis-ci: http://travis-ci.org/dmpayton/django-admin-honeypot Basic Usage: * Add ``admin_honeypot`` to ``settings.INSTALLED_APPS`` * Update urls.py:: urlpatterns = patterns('' ... url(r'^admin/', include('admin_honeypot.urls')), url(r'^secret/', include(admin.site.urls)), ) """ import sys from admin_honeypot import __version__, __description__, __license__ try: from setuptools import setup, find_packages except ImportError: from distutils.core import setup, find_packages setup( name='django-admin-honeypot', version=__version__, description=__description__, long_description=__doc__, classifiers=[ 'Development Status :: 5 - Production/Stable', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.2', 'Programming Language :: Python :: 3.3', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', ], keywords='django admin honeypot trap', maintainer='Derek Payton', maintainer_email='derek.payton@gmail.com', url='https://github.com/dmpayton/django-admin-honeypot', download_url='https://github.com/dmpayton/django-admin-honeypot/tarball/v%s' % __version__, license=__license__, include_package_data=True, packages=find_packages(), zip_safe=False, )
#!/usr/bin/env python """ django-admin-honeypot ===================== A fake Django admin login screen to notify admins of attempted unauthorized access. This app was inspired by discussion in and around Paul McMillan's security talk at DjangoCon 2011. |travis-ci|_ .. |travis-ci| image:: https://secure.travis-ci.org/dmpayton/django-admin-honeypot.png .. _travis-ci: http://travis-ci.org/dmpayton/django-admin-honeypot Basic Usage: * Add ``admin_honeypot`` to ``settings.INSTALLED_APPS`` * Update urls.py:: urlpatterns = patterns('' ... url(r'^admin/', include('admin_honeypot.urls')), url(r'^secret/', include(admin.site.urls)), ) """ import sys from admin_honeypot import __version__, __description__, __license__ try: from setuptools import setup, find_packages except ImportError: from distutils.core import setup, find_packages setup( name='django-admin-honeypot', version=__version__, description=__description__, long_description=__doc__, classifiers=[ 'Development Status :: 4 - Beta', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Topic :: Internet :: WWW/HTTP :: Dynamic Content', ], keywords='django admin honeypot trap', maintainer='Derek Payton', maintainer_email='derek.payton@gmail.com', url='https://github.com/dmpayton/django-admin-honeypot', download_url='https://github.com/dmpayton/django-admin-honeypot/tarball/v%s' % __version__, license=__license__, include_package_data=True, packages=find_packages(), test_suite='setuptest.setuptest.SetupTestSuite', tests_require=( 'django>=1.3', 'django-setuptest', ), zip_safe=False, )
mit
Python
e891e6ba980ad6b082e3b41af6f8b6cf29511026
Make setup.py executable.
lamby/django-force-logout
setup.py
setup.py
#!/usr/bin/env python3 from setuptools import setup, find_packages setup( name='django-force-logout', url="https://chris-lamb.co.uk/projects/django-force-logout", version='3.2.1', description="Framework to be able to forcibly log users out of Django projects", author="Chris Lamb", author_email='chris@chris-lamb.co.uk', license="BSD", packages=find_packages(), install_requires=( 'Django>=1.8', ), )
from setuptools import setup, find_packages setup( name='django-force-logout', url="https://chris-lamb.co.uk/projects/django-force-logout", version='3.2.1', description="Framework to be able to forcibly log users out of Django projects", author="Chris Lamb", author_email='chris@chris-lamb.co.uk', license="BSD", packages=find_packages(), install_requires=( 'Django>=1.8', ), )
bsd-3-clause
Python
c3ea57c01960243d4ef479aaa4ef40d596279a35
update version to 1.1alpha
Abhinav117/pymtl,Abhinav117/pymtl,Abhinav117/pymtl,Abhinav117/pymtl
setup.py
setup.py
# setup.py inspired by the PyPA sample project: # https://github.com/pypa/sampleproject/blob/master/setup.py from setuptools import setup, find_packages from codecs import open # To use a consistent encoding from os import path def get_long_description(): here = path.abspath(path.dirname(__file__)) with open(path.join(here, 'README.rst'), encoding='utf-8') as f: long_description = f.read() setup( name = 'pymtl', version = '1.1alpha', # https://www.python.org/dev/peps/pep-0440/ description = 'Python-based hardware modeling framework', long_description = get_long_description(), url = 'https://github.com/cornell-brg/pymtl', author = 'Derek Lockhart', author_email = 'lockhart@csl.cornell.edu', # BSD 3-Clause License: # - http://choosealicense.com/licenses/bsd-3-clause # - http://opensource.org/licenses/BSD-3-Clause license='BSD', # See https://pypi.python.org/pypi?%3Aaction=list_classifiers classifiers=[ 'Development Status :: 3 - Alpha', 'License :: OSI Approved :: BSD License', 'Programming Language :: Python :: 2.7', 'Operating System :: MacOS :: MacOS X', 'Operating System :: POSIX :: Linux', ], packages = find_packages( exclude=['scripts', 'tests', 'ubmark', 'perf_tests'] ), package_data={ 'pymtl': [ 'tools/translation/verilator_wrapper.templ.c', 'tools/translation/verilator_wrapper.templ.py', 'tools/translation/cpp_wrapper.templ.py', ], }, install_requires = [ 'cffi', 'greenlet', 'pytest', 'pytest-xdist', # Note: leaving out numpy due to pypy incompatibility #'numpy==1.9.0', ], )
# setup.py inspired by the PyPA sample project: # https://github.com/pypa/sampleproject/blob/master/setup.py from setuptools import setup, find_packages from codecs import open # To use a consistent encoding from os import path def get_long_description(): here = path.abspath(path.dirname(__file__)) with open(path.join(here, 'README.rst'), encoding='utf-8') as f: long_description = f.read() setup( name = 'pymtl', version = '1.0alpha', # https://www.python.org/dev/peps/pep-0440/ description = 'Python-based hardware modeling framework', long_description = get_long_description(), url = 'https://github.com/cornell-brg/pymtl', author = 'Derek Lockhart', author_email = 'lockhart@csl.cornell.edu', # BSD 3-Clause License: # - http://choosealicense.com/licenses/bsd-3-clause # - http://opensource.org/licenses/BSD-3-Clause license='BSD', # See https://pypi.python.org/pypi?%3Aaction=list_classifiers classifiers=[ 'Development Status :: 3 - Alpha', 'License :: OSI Approved :: BSD License', 'Programming Language :: Python :: 2.7', 'Operating System :: MacOS :: MacOS X', 'Operating System :: POSIX :: Linux', ], packages = find_packages( exclude=['scripts', 'tests', 'ubmark', 'perf_tests'] ), package_data={ 'pymtl': [ 'tools/translation/verilator_wrapper.templ.c', 'tools/translation/verilator_wrapper.templ.py', 'tools/translation/cpp_wrapper.templ.py', ], }, install_requires = [ 'cffi', 'greenlet', 'pytest', 'pytest-xdist', # Note: leaving out numpy due to pypy incompatibility #'numpy==1.9.0', ], )
bsd-3-clause
Python
06ea126a94f4bfc94dca9aef953179a87232e770
Bump the version
gmr/rejected,gmr/rejected
setup.py
setup.py
from setuptools import setup setup(name='rejected', version='3.18.3', description='Rejected is a Python RabbitMQ Consumer Framework and ' 'Controller Daemon', long_description=open('README.rst').read(), classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: Implementation :: CPython', 'Programming Language :: Python :: Implementation :: PyPy', 'License :: OSI Approved :: BSD License' ], keywords='amqp rabbitmq', author='Gavin M. Roy', author_email='gavinmroy@gmail.com', url='https://github.com/gmr/rejected', license='BSD', packages=['rejected'], package_data={'': ['LICENSE', 'README.rst']}, include_package_data=True, install_requires=[ 'helper', 'pika>=0.10.0', 'psutil', 'pyyaml', 'tornado>=4.2,<4.3' ], extras_require={ 'html': ['beautifulsoup4'], 'influxdb': ['sprockets-influxdb'], 'msgpack': ['u-msgpack-python'], 'sentry': ['raven'] }, tests_require=['mock', 'nose', 'coverage'], entry_points=dict(console_scripts=['rejected=rejected.controller:main']), zip_safe=True)
from setuptools import setup setup(name='rejected', version='3.18.2', description='Rejected is a Python RabbitMQ Consumer Framework and ' 'Controller Daemon', long_description=open('README.rst').read(), classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: Implementation :: CPython', 'Programming Language :: Python :: Implementation :: PyPy', 'License :: OSI Approved :: BSD License' ], keywords='amqp rabbitmq', author='Gavin M. Roy', author_email='gavinmroy@gmail.com', url='https://github.com/gmr/rejected', license='BSD', packages=['rejected'], package_data={'': ['LICENSE', 'README.rst']}, include_package_data=True, install_requires=[ 'helper', 'pika>=0.10.0', 'psutil', 'pyyaml', 'tornado>=4.2,<4.3' ], extras_require={ 'html': ['beautifulsoup4'], 'influxdb': ['sprockets-influxdb'], 'msgpack': ['u-msgpack-python'], 'sentry': ['raven'] }, tests_require=['mock', 'nose', 'coverage'], entry_points=dict(console_scripts=['rejected=rejected.controller:main']), zip_safe=True)
bsd-3-clause
Python
3e13cc71089a459ef9118c3337f7f47bdc920da1
Fix missing req_path in setup.py
chardet/chardet,asdfsx/chardet,barak066/chardet,chardet/chardet,memnonila/chardet,barak066/chardet,ddboline/chardet,ddboline/chardet,memnonila/chardet,asdfsx/chardet
setup.py
setup.py
#!/usr/bin/env python from setuptools import setup from chardet import __version__ def readme(): with open('README.rst') as f: return f.read() def requirements(): with open('requirements.txt') as f: reqs = f.read().splitlines() return reqs setup(name='chardet', version=__version__, description='Universal encoding detector for Python 2 and 3', long_description=readme(), author='Mark Pilgrim', author_email='mark@diveintomark.org', maintainer='Daniel Blanchard', maintainer_email='dblanchard@ets.org', url='https://github.com/chardet/chardet', license="LGPL", keywords=['encoding', 'i18n', 'xml'], classifiers=["Development Status :: 4 - Beta", "Intended Audience :: Developers", ("License :: OSI Approved :: GNU Library or Lesser General" " Public License (LGPL)"), "Operating System :: OS Independent", "Programming Language :: Python", 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.2', 'Programming Language :: Python :: 3.3', ("Topic :: Software Development :: Libraries :: Python " "Modules"), "Topic :: Text Processing :: Linguistic"], packages=['chardet'], install_requires=requirements(), entry_points={'console_scripts': ['chardetect = chardet.chardetect:main']})
#!/usr/bin/env python from setuptools import setup from chardet import __version__ def readme(): with open('README.rst') as f: return f.read() def requirements(): with open(req_path) as f: reqs = f.read().splitlines() return reqs setup(name='chardet', version=__version__, description='Universal encoding detector for Python 2 and 3', long_description=readme(), author='Mark Pilgrim', author_email='mark@diveintomark.org', maintainer='Daniel Blanchard', maintainer_email='dblanchard@ets.org', url='https://github.com/chardet/chardet', license="LGPL", keywords=['encoding', 'i18n', 'xml'], classifiers=["Development Status :: 4 - Beta", "Intended Audience :: Developers", ("License :: OSI Approved :: GNU Library or Lesser General" " Public License (LGPL)"), "Operating System :: OS Independent", "Programming Language :: Python", 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.2', 'Programming Language :: Python :: 3.3', ("Topic :: Software Development :: Libraries :: Python " "Modules"), "Topic :: Text Processing :: Linguistic"], packages=['chardet'], install_requires=requirements(), entry_points={'console_scripts': ['chardetect = chardet.chardetect:main']})
lgpl-2.1
Python
3de4db0446f45d094d529463b692990ebb9cb73b
Rearrange params, no changes
jmoiron/humanize,jmoiron/humanize
setup.py
setup.py
#!/usr/bin/env python # -*- coding: utf-8 -*- """Setup script for humanize.""" import io from setuptools import find_packages, setup with io.open("README.md", encoding="UTF-8") as f: long_description = f.read() version = "0.5.1" setup( name="humanize", version=version, description="Python humanize utilities", long_description=long_description, long_description_content_type="text/markdown", author="Jason Moiron", author_email="jmoiron@jmoiron.net", url="https://github.com/jmoiron/humanize", license="MIT", keywords="humanize time size", packages=find_packages(where="src"), package_dir={"": "src"}, include_package_data=True, entry_points=""" # -*- Entry points: -*- """, zip_safe=False, install_requires=[ # -*- Extra requirements: -*- ], extras_require={ "tests": ["freezegun", "pytest", "pytest-cov"], "tests:python_version < '3.4'": ["mock"], }, # Get strings from https://pypi.org/pypi?%3Aaction=list_classifiers classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "License :: OSI Approved :: MIT License", "Operating System :: POSIX", "Programming Language :: Python", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", "Programming Language :: Python :: Implementation :: CPython", "Programming Language :: Python :: Implementation :: PyPy", ], )
#!/usr/bin/env python # -*- coding: utf-8 -*- """Setup script for humanize.""" import io from setuptools import find_packages, setup with io.open("README.md", encoding="UTF-8") as f: long_description = f.read() version = "0.5.1" setup( name="humanize", version=version, description="Python humanize utilities", long_description=long_description, long_description_content_type="text/markdown", packages=find_packages(where="src"), package_dir={"": "src"}, extras_require={ "tests": ["freezegun", "pytest", "pytest-cov"], "tests:python_version < '3.4'": ["mock"], }, # Get strings from https://pypi.org/pypi?%3Aaction=list_classifiers classifiers=[ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "License :: OSI Approved :: MIT License", "Operating System :: POSIX", "Programming Language :: Python", "Programming Language :: Python :: 2", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", "Programming Language :: Python :: Implementation :: CPython", "Programming Language :: Python :: Implementation :: PyPy", ], keywords="humanize time size", author="Jason Moiron", author_email="jmoiron@jmoiron.net", url="https://github.com/jmoiron/humanize", license="MIT", include_package_data=True, zip_safe=False, install_requires=[ # -*- Extra requirements: -*- ], entry_points=""" # -*- Entry points: -*- """, )
mit
Python
98afc6e164526b7c5ac2fb5417a4616ad3f33646
Update major version (challenge #3)
stanfordnmbl/osim-rl
setup.py
setup.py
#!/usr/bin/env python import os from setuptools import setup, find_packages # This provides the variable `__version__`. # execfile('opensim/version.py') __version__ = "3.0.0" setup(name='osim-rl', version=__version__, description='OpenSim Reinforcement Learning Framework', author='Lukasz Kidzinski', author_email='lukasz.kidzinski@stanford.edu', url='http://opensim.stanford.edu/', license='Apache 2.0', packages=find_packages(), package_data={'osim': ['models/Geometry/*.vtp', 'models/*.osim']}, include_package_data=True, install_requires=['numpy>=1.14.2','gym>=0.10.4', 'redis>=2.10.6', 'timeout-decorator>=0.4.0', 'matplotlib>=3.0.3'], classifiers=[ 'Intended Audience :: Science/Research', 'Operating System :: OS Independent', 'Programming Language :: Python :: 3.5', 'Topic :: Scientific/Engineering :: Artificial Intelligence', ], )
#!/usr/bin/env python import os from setuptools import setup, find_packages # This provides the variable `__version__`. # execfile('opensim/version.py') __version__ = "2.1.5" setup(name='osim-rl', version=__version__, description='OpenSim Reinforcement Learning Framework', author='Lukasz Kidzinski', author_email='lukasz.kidzinski@stanford.edu', url='http://opensim.stanford.edu/', license='Apache 2.0', packages=find_packages(), package_data={'osim': ['models/Geometry/*.vtp', 'models/*.osim']}, include_package_data=True, install_requires=['numpy>=1.14.2','gym>=0.10.4', 'redis>=2.10.6', 'timeout-decorator>=0.4.0', 'matplotlib>=3.0.3'], classifiers=[ 'Intended Audience :: Science/Research', 'Operating System :: OS Independent', 'Programming Language :: Python :: 3.5', 'Topic :: Scientific/Engineering :: Artificial Intelligence', ], )
mit
Python
62459962985b4c9f257e103ef3959aeb8ae80786
Update to beta
scrappleapp/scrapple,AlexMathew/scrapple,AlexMathew/scrapple,scrappleapp/scrapple,AlexMathew/scrapple
setup.py
setup.py
#!/usr/bin/env python # -*- coding: utf-8 -*- from __future__ import print_function try: from setuptools import setup, find_packages except ImportError: from distutils.core import setup, find_packages readme = open('README.rst').read() history = open('HISTORY.rst').read().replace('.. :changelog:', '') requirements = open('requirements.txt').read().split('\n') test_requirements = open('test_requirements.txt').read().split('\n') setup( name='scrapple', version='0.3.0', description='A framework for creating web content extractors', long_description=readme + '\n\n' + history, author='Alex Mathew', author_email='alexmathew003@gmail.com', url='https://alexmathew.github.io/scrapple', packages=find_packages(exclude=('tests',)), package_dir={'scrapple': 'scrapple'}, include_package_data=True, install_requires=requirements, license="MIT", zip_safe=False, keywords=['scrapple', 'web', 'content', 'scraper', 'crawler', 'scraping', 'crawling', 'website', 'data', 'scrapy'], entry_points={ 'console_scripts': ['scrapple = scrapple.cmd:runCLI'] }, classifiers=[ 'Development Status :: 4 - Beta', 'Intended Audience :: Developers', 'Intended Audience :: Science/Research', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Topic :: Internet :: WWW/HTTP', 'Topic :: Software Development :: Libraries :: Python Modules', 'Topic :: Software Development :: Code Generators' ], test_suite='tests', tests_require=test_requirements ) from subprocess import call print("Setting up argument completion") x = call(["bash", "scrapple.sh"]) print("\nScrapple has been installed. Use ```scrapple --help``` for instructions\n")
#!/usr/bin/env python # -*- coding: utf-8 -*- from __future__ import print_function try: from setuptools import setup, find_packages except ImportError: from distutils.core import setup, find_packages readme = open('README.rst').read() history = open('HISTORY.rst').read().replace('.. :changelog:', '') requirements = open('requirements.txt').read().split('\n') test_requirements = open('test_requirements.txt').read().split('\n') setup( name='scrapple', version='0.3.0', description='A framework for creating web content extractors', long_description=readme + '\n\n' + history, author='Alex Mathew', author_email='alexmathew003@gmail.com', url='https://alexmathew.github.io/scrapple', packages=find_packages(exclude=('tests',)), package_dir={'scrapple': 'scrapple'}, include_package_data=True, install_requires=requirements, license="MIT", zip_safe=False, keywords=['scrapple', 'web', 'content', 'scraper', 'crawler', 'scraping', 'crawling', 'website', 'data', 'scrapy'], entry_points={ 'console_scripts': ['scrapple = scrapple.cmd:runCLI'] }, classifiers=[ 'Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'Intended Audience :: Science/Research', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Topic :: Internet :: WWW/HTTP', 'Topic :: Software Development :: Libraries :: Python Modules', 'Topic :: Software Development :: Code Generators' ], test_suite='tests', tests_require=test_requirements ) from subprocess import call print("Setting up argument completion") x = call(["bash", "scrapple.sh"]) print("\nScrapple has been installed. Use ```scrapple --help``` for instructions\n")
mit
Python
8b3ba32804d4e8e3ede86eebb606e2d86e689405
Add python_requires to setup.py
hammerlab/cohorts,hammerlab/cohorts
setup.py
setup.py
# Copyright (c) 2016. Mount Sinai School of Medicine # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. from __future__ import print_function import os from os import path from codecs import open from setuptools import setup import versioneer current_directory = os.path.dirname(__file__) readme_filename = "README.md" readme_path = os.path.join(current_directory, readme_filename) readme = "" try: with open(readme_path, "r") as f: readme = f.read() except IOError as e: print(e) print("Failed to open %s" % readme_path) try: import pypandoc readme = pypandoc.convert(readme, to="rst", format="md") except ImportError as e: print(e) print("Failed to convert %s to reStructuredText", readme_filename) pass # get the dependencies and installs with open(path.join(current_directory, "requirements.txt"), encoding='utf-8') as f: all_reqs = f.read().split('\n') install_requires = [req.strip() for req in all_reqs if 'git+' not in req] dependency_links = [req.strip().replace('git+','') for req in all_reqs if 'git+' in req] if __name__ == "__main__": setup( name="cohorts", version=versioneer.get_version(), cmdclass=versioneer.get_cmdclass(), description="Utilities for analyzing mutations and neoepitopes in patient cohorts", author="Tavi Nathanson", author_email="tavi {dot} nathanson {at} gmail {dot} com", url="https://github.com/tavinathanson/cohorts", license="http://www.apache.org/licenses/LICENSE-2.0.html", classifiers=[ "Development Status :: 3 - Alpha", "Environment :: Console", "Operating System :: OS Independent", "Intended Audience :: Science/Research", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python", "Topic :: Scientific/Engineering :: Bio-Informatics", ], install_requires=install_requires, dependency_links=dependency_links, python_requires=">=3", long_description=readme, packages=["cohorts"], )
# Copyright (c) 2016. Mount Sinai School of Medicine # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. from __future__ import print_function import os from os import path from codecs import open from setuptools import setup import versioneer current_directory = os.path.dirname(__file__) readme_filename = "README.md" readme_path = os.path.join(current_directory, readme_filename) readme = "" try: with open(readme_path, "r") as f: readme = f.read() except IOError as e: print(e) print("Failed to open %s" % readme_path) try: import pypandoc readme = pypandoc.convert(readme, to="rst", format="md") except ImportError as e: print(e) print("Failed to convert %s to reStructuredText", readme_filename) pass # get the dependencies and installs with open(path.join(current_directory, "requirements.txt"), encoding='utf-8') as f: all_reqs = f.read().split('\n') install_requires = [req.strip() for req in all_reqs if 'git+' not in req] dependency_links = [req.strip().replace('git+','') for req in all_reqs if 'git+' in req] if __name__ == "__main__": setup( name="cohorts", version=versioneer.get_version(), cmdclass=versioneer.get_cmdclass(), description="Utilities for analyzing mutations and neoepitopes in patient cohorts", author="Tavi Nathanson", author_email="tavi {dot} nathanson {at} gmail {dot} com", url="https://github.com/tavinathanson/cohorts", license="http://www.apache.org/licenses/LICENSE-2.0.html", classifiers=[ "Development Status :: 3 - Alpha", "Environment :: Console", "Operating System :: OS Independent", "Intended Audience :: Science/Research", "License :: OSI Approved :: Apache Software License", "Programming Language :: Python", "Topic :: Scientific/Engineering :: Bio-Informatics", ], install_requires=install_requires, dependency_links=dependency_links, long_description=readme, packages=["cohorts"], )
apache-2.0
Python
15919bd285ef94232996243f9c4de105690163a4
update version
amirasaran/request_validator
setup.py
setup.py
""" See: https://github.com/amirasaran/request_validator """ # Always prefer setuptools over distutils from setuptools import setup, find_packages # To use a consistent encoding from codecs import open from os import path here = path.abspath(path.dirname(__file__)) # Get the long description from the README file with open(path.join(here, 'README.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='request-validator', version='1.3.0', description='Python request validator', long_description=long_description, url='https://github.com/amirasaran/request_validator', author='Amir Mohsen Asaran', author_email='admin@mihanmail.com', license='MIT', classifiers=[ # How mature is this project? Common values are # 3 - Alpha # 4 - Beta # 5 - Production/Stable 'Development Status :: 3 - Alpha', # Indicate who your project is intended for 'Intended Audience :: Developers', 'Topic :: Software Development :: Build Tools', # Pick your license as you wish (should match "license" above) 'License :: OSI Approved :: MIT License', # Specify the Python versions you support here. In particular, ensure # that you indicate whether you support Python 2, Python 3 or both. 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], packages=['request_validator'], # What does your project relate to? keywords='request validator', )
""" See: https://github.com/amirasaran/request_validator """ # Always prefer setuptools over distutils from setuptools import setup, find_packages # To use a consistent encoding from codecs import open from os import path here = path.abspath(path.dirname(__file__)) # Get the long description from the README file with open(path.join(here, 'README.rst'), encoding='utf-8') as f: long_description = f.read() setup( name='request-validator', version='1.2.0', description='Python request validator', long_description=long_description, url='https://github.com/amirasaran/request_validator', author='Amir Mohsen Asaran', author_email='admin@mihanmail.com', license='MIT', classifiers=[ # How mature is this project? Common values are # 3 - Alpha # 4 - Beta # 5 - Production/Stable 'Development Status :: 3 - Alpha', # Indicate who your project is intended for 'Intended Audience :: Developers', 'Topic :: Software Development :: Build Tools', # Pick your license as you wish (should match "license" above) 'License :: OSI Approved :: MIT License', # Specify the Python versions you support here. In particular, ensure # that you indicate whether you support Python 2, Python 3 or both. 'Programming Language :: Python :: 2', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], packages=['request_validator'], # What does your project relate to? keywords='request validator', )
mit
Python
171b0676bd6382d761c233ed11360180ed362671
Bump version 0.4
henriquebastos/django-aggregate-if
setup.py
setup.py
# coding: utf-8 from setuptools import setup import os setup(name='django-aggregate-if', version='0.4', description='Conditional aggregates for Django, just like the famous SumIf in Excel.', long_description=open(os.path.join(os.path.dirname(__file__), "README.rst")).read(), author="Henrique Bastos", author_email="henrique@bastos.net", license="MIT", py_modules=['aggregate_if'], install_requires=[ 'six>=1.6.1', ], zip_safe=False, platforms='any', include_package_data=True, classifiers=[ 'Development Status :: 5 - Production/Stable', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Topic :: Database', 'Topic :: Software Development :: Libraries', ], url='http://github.com/henriquebastos/django-aggregate-if/', )
# coding: utf-8 from setuptools import setup import os setup(name='django-aggregate-if', version='0.3.1', description='Conditional aggregates for Django, just like the famous SumIf in Excel.', long_description=open(os.path.join(os.path.dirname(__file__), "README.rst")).read(), author="Henrique Bastos", author_email="henrique@bastos.net", license="MIT", py_modules=['aggregate_if'], install_requires=[ 'six>=1.6.1', ], zip_safe=False, platforms='any', include_package_data=True, classifiers=[ 'Development Status :: 5 - Production/Stable', 'Framework :: Django', 'Intended Audience :: Developers', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Operating System :: OS Independent', 'Programming Language :: Python', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Topic :: Database', 'Topic :: Software Development :: Libraries', ], url='http://github.com/henriquebastos/django-aggregate-if/', )
mit
Python
2a7589e6bf050b3e28b6e9206e6b78f8ee61c64b
Fix license in setup.py
sh4wn/vispy,QuLogic/vispy,drufat/vispy,RebeccaWPerry/vispy,jay3sh/vispy,srinathv/vispy,sbtlaarzc/vispy,kkuunnddaannkk/vispy,sh4wn/vispy,jay3sh/vispy,dchilds7/Deysha-Star-Formation,RebeccaWPerry/vispy,QuLogic/vispy,inclement/vispy,jay3sh/vispy,julienr/vispy,RebeccaWPerry/vispy,dchilds7/Deysha-Star-Formation,kkuunnddaannkk/vispy,inclement/vispy,sbtlaarzc/vispy,julienr/vispy,jdreaver/vispy,drufat/vispy,ghisvail/vispy,bollu/vispy,julienr/vispy,michaelaye/vispy,hronoses/vispy,bollu/vispy,kkuunnddaannkk/vispy,QuLogic/vispy,sbtlaarzc/vispy,hronoses/vispy,dchilds7/Deysha-Star-Formation,jdreaver/vispy,sh4wn/vispy,ghisvail/vispy,michaelaye/vispy,Eric89GXL/vispy,drufat/vispy,hronoses/vispy,jdreaver/vispy,srinathv/vispy,michaelaye/vispy,inclement/vispy,srinathv/vispy,bollu/vispy,Eric89GXL/vispy,ghisvail/vispy,Eric89GXL/vispy
setup.py
setup.py
#!/usr/bin/env python from distutils.core import setup setup( name = 'PyGLy', version = '20120506', description = 'Pyglet based 3D Framework', long_description = """An OpenGL framework designed for flexbility and power. PyGLy provides a number of tools to let you do what you want, how you want.""", license = 'BSD', author = 'Adam Griffiths', author_email = 'adam.lw.griffiths@gmail.com', url = 'https://github.com/adamlwgriffiths/PyGLy', platforms = [ 'any' ], packages = [ 'pygly', 'pygly.cocos2d', 'pygly.common', 'pygly.helpers', 'pygly.input', 'pygly.mesh', 'pygly.mesh.uv_generators', 'pygly.renderer' 'pygly.scene', ], classifiers = [ 'Intended Audience :: Developers', 'Operating System :: MacOS :: MacOS X', 'Operating System :: Microsoft :: Windows', 'Operating System :: POSIX', 'Programming Language :: Python', 'Topic :: Multimedia :: Graphics :: 3D Rendering', 'License :: OSI Approved :: MIT License', 'Topic :: Software Development :: Libraries', 'Topic :: Software Development :: Libraries :: Python Modules', ] )
#!/usr/bin/env python from distutils.core import setup setup( name = 'PyGLy', version = '20120506', description = 'Pyglet based 3D Framework', long_description = """An OpenGL framework designed for flexbility and power. PyGLy provides a number of tools to let you do what you want, how you want.""", license = 'MIT', author = 'Adam Griffiths', author_email = 'adam.lw.griffiths@gmail.com', url = 'https://github.com/adamlwgriffiths/PyGLy', platforms = [ 'any' ], packages = [ 'pygly', 'pygly.cocos2d', 'pygly.common', 'pygly.helpers', 'pygly.input', 'pygly.mesh', 'pygly.mesh.uv_generators', 'pygly.renderer' 'pygly.scene', ], classifiers = [ 'Intended Audience :: Developers', 'Operating System :: MacOS :: MacOS X', 'Operating System :: Microsoft :: Windows', 'Operating System :: POSIX', 'Programming Language :: Python', 'Topic :: Multimedia :: Graphics :: 3D Rendering', 'License :: OSI Approved :: MIT License', 'Topic :: Software Development :: Libraries', 'Topic :: Software Development :: Libraries :: Python Modules', ] )
bsd-3-clause
Python
fd1e1ed5ce446497ed29dc88e6e61647eb28a1a0
add markdown type to setup call
bmockler/MOSFiT,mnicholl/MOSFiT,guillochon/MOSFiT,villrv/MOSFiT,guillochon/FriendlyFit,mnicholl/MOSFiT,guillochon/MOSFiT,mnicholl/MOSFiT,villrv/MOSFiT,bmockler/MOSFiT,guillochon/MOSFiT
setup.py
setup.py
"""Setup script for MOSFiT.""" import fnmatch import os import re from setuptools import find_packages, setup with open(os.path.join('mosfit', 'requirements.txt')) as f: required = f.read().splitlines() with open(os.path.join('mosfit', 'dependencies.txt')) as f: dependencies = f.read().splitlines() dir_path = os.path.dirname(os.path.realpath(__file__)) init_string = open(os.path.join(dir_path, 'mosfit', '__init__.py')).read() VERS = r"^__version__ = ['\"]([^'\"]*)['\"]" mo = re.search(VERS, init_string, re.M) __version__ = mo.group(1) AUTH = r"^__author__ = ['\"]([^'\"]*)['\"]" mo = re.search(AUTH, init_string, re.M) __author__ = mo.group(1) LICE = r"^__license__ = ['\"]([^'\"]*)['\"]" mo = re.search(LICE, init_string, re.M) __license__ = mo.group(1) matches = [] for root, dirnames, filenames in os.walk('mosfit'): for filename in fnmatch.filter(filenames, '*.pyx'): matches.append(os.path.join(root, filename)) try: import pypandoc with open('README.md', 'r') as f: txt = f.read() txt = re.sub('<[^<]+>', '', txt) long_description = pypandoc.convert(txt, 'rst', 'md') except ImportError: long_description = open('README.md').read() setup( name='mosfit', packages=find_packages(), entry_points={'console_scripts': [ 'mosfit = mosfit.main:main' ]}, include_package_data=True, version=__version__, # noqa description=('Modular software for fitting ' 'semi-analytical model predictions to observed ' 'astronomical transient data.'), license=__license__, # noqa author=__author__, # noqa author_email='guillochon@gmail.com', install_requires=required, dependency_links=dependencies, url='https://github.com/guillochon/mosfit', download_url=( 'https://github.com/guillochon/mosfit/tarball/' + __version__), # noqa keywords=['astronomy', 'fitting', 'monte carlo', 'modeling'], long_description=long_description, long_description_content_type='text/markdown', classifiers=[ 'Development Status :: 5 - Production/Stable', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Topic :: Scientific/Engineering :: Astronomy', 'Topic :: Scientific/Engineering :: Physics' ])
"""Setup script for MOSFiT.""" import fnmatch import os import re from setuptools import find_packages, setup with open(os.path.join('mosfit', 'requirements.txt')) as f: required = f.read().splitlines() with open(os.path.join('mosfit', 'dependencies.txt')) as f: dependencies = f.read().splitlines() dir_path = os.path.dirname(os.path.realpath(__file__)) init_string = open(os.path.join(dir_path, 'mosfit', '__init__.py')).read() VERS = r"^__version__ = ['\"]([^'\"]*)['\"]" mo = re.search(VERS, init_string, re.M) __version__ = mo.group(1) AUTH = r"^__author__ = ['\"]([^'\"]*)['\"]" mo = re.search(AUTH, init_string, re.M) __author__ = mo.group(1) LICE = r"^__license__ = ['\"]([^'\"]*)['\"]" mo = re.search(LICE, init_string, re.M) __license__ = mo.group(1) matches = [] for root, dirnames, filenames in os.walk('mosfit'): for filename in fnmatch.filter(filenames, '*.pyx'): matches.append(os.path.join(root, filename)) try: import pypandoc with open('README.md', 'r') as f: txt = f.read() txt = re.sub('<[^<]+>', '', txt) long_description = pypandoc.convert(txt, 'rst', 'md') except ImportError: long_description = open('README.md').read() setup( name='mosfit', packages=find_packages(), entry_points={'console_scripts': [ 'mosfit = mosfit.main:main' ]}, include_package_data=True, version=__version__, # noqa description=('Modular software for fitting ' 'semi-analytical model predictions to observed ' 'astronomical transient data.'), license=__license__, # noqa author=__author__, # noqa author_email='guillochon@gmail.com', install_requires=required, dependency_links=dependencies, url='https://github.com/guillochon/mosfit', download_url=( 'https://github.com/guillochon/mosfit/tarball/' + __version__), # noqa keywords=['astronomy', 'fitting', 'monte carlo', 'modeling'], long_description=long_description, classifiers=[ 'Development Status :: 5 - Production/Stable', 'License :: OSI Approved :: MIT License', 'Natural Language :: English', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Topic :: Scientific/Engineering :: Astronomy', 'Topic :: Scientific/Engineering :: Physics' ])
mit
Python
ae290af846848a63b85e3832d694de6c5c25a4dc
Increase python compatibility version and bump to v1.2.0
Visgean/urljects
setup.py
setup.py
#!/usr/bin/env python # -*- coding: utf-8 -*- try: from setuptools import setup except ImportError: from distutils.core import setup long_description = """ Django URL routing system DRYed. """ requirements = [ 'django>=1.9', 'six', ] test_requirements = [ 'mock', 'coveralls' ] setup( name='urljects', version='1.10.4', description="Django URLS DRYed.", long_description=long_description, author="Visgean Skeloru", author_email='visgean@gmail.com', url='https://github.com/visgean/urljects', packages=[ 'urljects', ], package_dir={'urljects': 'urljects'}, include_package_data=True, install_requires=requirements, license="BSD", zip_safe=False, keywords='urljects', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Natural Language :: English', "Programming Language :: Python :: 2", 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', 'Programming Language :: Python :: 3.5', ], test_suite='tests', tests_require=test_requirements )
#!/usr/bin/env python # -*- coding: utf-8 -*- try: from setuptools import setup except ImportError: from distutils.core import setup long_description = """ Django URL routing system DRYed. """ requirements = [ 'django>=1.8', 'six', ] test_requirements = [ 'mock', 'coveralls' ] setup( name='urljects', version='1.10.4', description="Django URLS DRYed.", long_description=long_description, author="Visgean Skeloru", author_email='visgean@gmail.com', url='https://github.com/visgean/urljects', packages=[ 'urljects', ], package_dir={'urljects': 'urljects'}, include_package_data=True, install_requires=requirements, license="BSD", zip_safe=False, keywords='urljects', classifiers=[ 'Development Status :: 5 - Production/Stable', 'Intended Audience :: Developers', 'License :: OSI Approved :: BSD License', 'Natural Language :: English', "Programming Language :: Python :: 2", 'Programming Language :: Python :: 2.6', 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.4', ], test_suite='tests', tests_require=test_requirements )
bsd-3-clause
Python
974ae06a90b52d58e51ec5636fb8ee048a7f26b3
add license property
tamentis/cartman,tamentis/cartman
setup.py
setup.py
#!/usr/bin/env python import os.path #from distutils.core import setup from setuptools import setup, find_packages from cartman import __version__ here = os.path.abspath(os.path.dirname(__file__)) try: README = open(os.path.join(here, 'README.rst')).read() CHANGES = open(os.path.join(here, 'CHANGES.txt')).read() except IOError: README = CHANGES = '' setup( name="cartman", version=__version__, description="trac command-line tools", long_description=README + "\n\n" + CHANGES, author="Bertrand Janin", author_email="tamentis@neopulsar.org", url="http://github.com/tamentis/cartman/", scripts=["cm"], license="ISC License (ISCL, BSD/MIT compatible)", packages=find_packages(), classifiers=[ "Development Status :: 2 - Pre-Alpha", "Environment :: Console", "Intended Audience :: End Users/Desktop", "Intended Audience :: Developers", "License :: OSI Approved :: ISC License (ISCL)", "Operating System :: MacOS :: MacOS X", "Operating System :: Microsoft :: Windows", "Operating System :: POSIX", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Topic :: Home Automation", "Framework :: Trac", "Topic :: Software Development :: Bug Tracking", "Topic :: System :: Monitoring", ], install_requires=[ "requests>=0.6.0", ], setup_requires=[ "nose>=1.0", "coverage>=3.5", ], )
#!/usr/bin/env python import os.path #from distutils.core import setup from setuptools import setup, find_packages from cartman import __version__ here = os.path.abspath(os.path.dirname(__file__)) try: README = open(os.path.join(here, 'README.rst')).read() CHANGES = open(os.path.join(here, 'CHANGES.txt')).read() except IOError: README = CHANGES = '' setup( name="cartman", version=__version__, description="trac command-line tools", long_description=README + "\n\n" + CHANGES, author="Bertrand Janin", author_email="tamentis@neopulsar.org", url="http://github.com/tamentis/cartman/", scripts=["cm"], packages=find_packages(), classifiers=[ "Development Status :: 2 - Pre-Alpha", "Environment :: Console", "Intended Audience :: End Users/Desktop", "Intended Audience :: Developers", "License :: OSI Approved :: ISC License (ISCL)", "Operating System :: MacOS :: MacOS X", "Operating System :: Microsoft :: Windows", "Operating System :: POSIX", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Topic :: Home Automation", "Framework :: Trac", "Topic :: Software Development :: Bug Tracking", "Topic :: System :: Monitoring", ], install_requires=[ "requests>=0.6.0", ], setup_requires=[ "nose>=1.0", "coverage>=3.5", ], )
isc
Python