commit
stringlengths
40
40
old_file
stringlengths
4
118
new_file
stringlengths
4
118
old_contents
stringlengths
0
2.94k
new_contents
stringlengths
1
4.43k
subject
stringlengths
15
444
message
stringlengths
16
3.45k
lang
stringclasses
1 value
license
stringclasses
13 values
repos
stringlengths
5
43.2k
prompt
stringlengths
17
4.58k
response
stringlengths
1
4.43k
prompt_tagged
stringlengths
58
4.62k
response_tagged
stringlengths
1
4.43k
text
stringlengths
132
7.29k
text_tagged
stringlengths
173
7.33k
2b58318ad7134a8c894b70918520a89b51a2d6dd
cla_backend/apps/reports/tests/test_utils.py
cla_backend/apps/reports/tests/test_utils.py
import mock import os from boto.s3.connection import S3Connection from django.test import TestCase, override_settings from reports.utils import get_s3_connection class UtilsTestCase(TestCase): @override_settings(AWS_ACCESS_KEY_ID="000000000001", AWS_SECRET_ACCESS_KEY="000000000002") def test_get_s3_connectio...
import mock import os from boto.s3.connection import S3Connection from django.test import TestCase, override_settings from reports.utils import get_s3_connection class UtilsTestCase(TestCase): @override_settings(AWS_ACCESS_KEY_ID="000000000001", AWS_SECRET_ACCESS_KEY="000000000002", AWS_S3_HOST="s3.eu-west-2.ama...
Modify s3 connection test for new AWS_S3_HOST setting
Modify s3 connection test for new AWS_S3_HOST setting The value is now calculated from the env var at load time, so mocking the env var value is not effective (cherry picked from commit 044219df7123e3a03a38cc06c9e8e8e9e80b0cbe)
Python
mit
ministryofjustice/cla_backend,ministryofjustice/cla_backend,ministryofjustice/cla_backend,ministryofjustice/cla_backend
import mock import os from boto.s3.connection import S3Connection from django.test import TestCase, override_settings from reports.utils import get_s3_connection class UtilsTestCase(TestCase): @override_settings(AWS_ACCESS_KEY_ID="000000000001", AWS_SECRET_ACCESS_KEY="000000000002") def test_get_s3_connectio...
import mock import os from boto.s3.connection import S3Connection from django.test import TestCase, override_settings from reports.utils import get_s3_connection class UtilsTestCase(TestCase): @override_settings(AWS_ACCESS_KEY_ID="000000000001", AWS_SECRET_ACCESS_KEY="000000000002", AWS_S3_HOST="s3.eu-west-2.ama...
<commit_before>import mock import os from boto.s3.connection import S3Connection from django.test import TestCase, override_settings from reports.utils import get_s3_connection class UtilsTestCase(TestCase): @override_settings(AWS_ACCESS_KEY_ID="000000000001", AWS_SECRET_ACCESS_KEY="000000000002") def test_g...
import mock import os from boto.s3.connection import S3Connection from django.test import TestCase, override_settings from reports.utils import get_s3_connection class UtilsTestCase(TestCase): @override_settings(AWS_ACCESS_KEY_ID="000000000001", AWS_SECRET_ACCESS_KEY="000000000002", AWS_S3_HOST="s3.eu-west-2.ama...
import mock import os from boto.s3.connection import S3Connection from django.test import TestCase, override_settings from reports.utils import get_s3_connection class UtilsTestCase(TestCase): @override_settings(AWS_ACCESS_KEY_ID="000000000001", AWS_SECRET_ACCESS_KEY="000000000002") def test_get_s3_connectio...
<commit_before>import mock import os from boto.s3.connection import S3Connection from django.test import TestCase, override_settings from reports.utils import get_s3_connection class UtilsTestCase(TestCase): @override_settings(AWS_ACCESS_KEY_ID="000000000001", AWS_SECRET_ACCESS_KEY="000000000002") def test_g...
dfd9d6c010083893814cfbc9cc4953ac8f785ecf
forge/setup.py
forge/setup.py
from setuptools import setup setup( name='mdf_forge', version='0.5.0', packages=['mdf_forge'], description='Materials Data Facility python package', long_description="Forge is the Materials Data Facility Python package to interface and leverage the MDF Data Discovery service. Forge allows users to ...
from setuptools import setup setup( name='mdf_forge', version='0.4.1', packages=['mdf_forge'], description='Materials Data Facility python package', long_description="Forge is the Materials Data Facility Python package to interface and leverage the MDF Data Discovery service. Forge allows users to ...
Change version number for release
Change version number for release
Python
apache-2.0
materials-data-facility/forge
from setuptools import setup setup( name='mdf_forge', version='0.5.0', packages=['mdf_forge'], description='Materials Data Facility python package', long_description="Forge is the Materials Data Facility Python package to interface and leverage the MDF Data Discovery service. Forge allows users to ...
from setuptools import setup setup( name='mdf_forge', version='0.4.1', packages=['mdf_forge'], description='Materials Data Facility python package', long_description="Forge is the Materials Data Facility Python package to interface and leverage the MDF Data Discovery service. Forge allows users to ...
<commit_before>from setuptools import setup setup( name='mdf_forge', version='0.5.0', packages=['mdf_forge'], description='Materials Data Facility python package', long_description="Forge is the Materials Data Facility Python package to interface and leverage the MDF Data Discovery service. Forge a...
from setuptools import setup setup( name='mdf_forge', version='0.4.1', packages=['mdf_forge'], description='Materials Data Facility python package', long_description="Forge is the Materials Data Facility Python package to interface and leverage the MDF Data Discovery service. Forge allows users to ...
from setuptools import setup setup( name='mdf_forge', version='0.5.0', packages=['mdf_forge'], description='Materials Data Facility python package', long_description="Forge is the Materials Data Facility Python package to interface and leverage the MDF Data Discovery service. Forge allows users to ...
<commit_before>from setuptools import setup setup( name='mdf_forge', version='0.5.0', packages=['mdf_forge'], description='Materials Data Facility python package', long_description="Forge is the Materials Data Facility Python package to interface and leverage the MDF Data Discovery service. Forge a...
9477478f81315edcc0e5859b2325ea70694ea2be
lemon/sitemaps/views.py
lemon/sitemaps/views.py
from django.shortcuts import render from django.utils.translation import get_language from lemon.sitemaps.models import Item def sitemap_xml(request): qs = Item.objects.filter(sites=request.site, enabled=True, language=get_language()) return render(request, 'sitemaps/sitemap.xml', {'object_...
from django.shortcuts import render from lemon.sitemaps.models import Item def sitemap_xml(request): qs = Item.objects.filter(sites=request.site, enabled=True) return render(request, 'sitemaps/sitemap.xml', {'object_list': qs}, content_type='application/xml')
Remove language filtration in sitemap.xml
Remove language filtration in sitemap.xml
Python
bsd-3-clause
trilan/lemon,trilan/lemon,trilan/lemon
from django.shortcuts import render from django.utils.translation import get_language from lemon.sitemaps.models import Item def sitemap_xml(request): qs = Item.objects.filter(sites=request.site, enabled=True, language=get_language()) return render(request, 'sitemaps/sitemap.xml', {'object_...
from django.shortcuts import render from lemon.sitemaps.models import Item def sitemap_xml(request): qs = Item.objects.filter(sites=request.site, enabled=True) return render(request, 'sitemaps/sitemap.xml', {'object_list': qs}, content_type='application/xml')
<commit_before>from django.shortcuts import render from django.utils.translation import get_language from lemon.sitemaps.models import Item def sitemap_xml(request): qs = Item.objects.filter(sites=request.site, enabled=True, language=get_language()) return render(request, 'sitemaps/sitemap.xml', ...
from django.shortcuts import render from lemon.sitemaps.models import Item def sitemap_xml(request): qs = Item.objects.filter(sites=request.site, enabled=True) return render(request, 'sitemaps/sitemap.xml', {'object_list': qs}, content_type='application/xml')
from django.shortcuts import render from django.utils.translation import get_language from lemon.sitemaps.models import Item def sitemap_xml(request): qs = Item.objects.filter(sites=request.site, enabled=True, language=get_language()) return render(request, 'sitemaps/sitemap.xml', {'object_...
<commit_before>from django.shortcuts import render from django.utils.translation import get_language from lemon.sitemaps.models import Item def sitemap_xml(request): qs = Item.objects.filter(sites=request.site, enabled=True, language=get_language()) return render(request, 'sitemaps/sitemap.xml', ...
6bf26f15855ee6e13e11a2b026ee90b9302a68a7
PyFVCOM/__init__.py
PyFVCOM/__init__.py
""" The FVCOM Python toolbox (PyFVCOM) """ __version__ = '1.6.1' __author__ = 'Pierre Cazenave' __credits__ = ['Pierre Cazenave'] __license__ = 'MIT' __maintainer__ = 'Pierre Cazenave' __email__ = '[email protected]' import inspect from warnings import warn # Import everything! from PyFVCOM import buoy_tools from PyFV...
""" The FVCOM Python toolbox (PyFVCOM) """ __version__ = '1.6.1' __author__ = 'Pierre Cazenave' __credits__ = ['Pierre Cazenave'] __license__ = 'MIT' __maintainer__ = 'Pierre Cazenave' __email__ = '[email protected]' import inspect from warnings import warn # Import everything! from PyFVCOM import buoy_tools from PyFV...
Add a better name for the coordinate functions. Eventually, ll2utm will be deprecated.
Add a better name for the coordinate functions. Eventually, ll2utm will be deprecated.
Python
mit
pwcazenave/PyFVCOM
""" The FVCOM Python toolbox (PyFVCOM) """ __version__ = '1.6.1' __author__ = 'Pierre Cazenave' __credits__ = ['Pierre Cazenave'] __license__ = 'MIT' __maintainer__ = 'Pierre Cazenave' __email__ = '[email protected]' import inspect from warnings import warn # Import everything! from PyFVCOM import buoy_tools from PyFV...
""" The FVCOM Python toolbox (PyFVCOM) """ __version__ = '1.6.1' __author__ = 'Pierre Cazenave' __credits__ = ['Pierre Cazenave'] __license__ = 'MIT' __maintainer__ = 'Pierre Cazenave' __email__ = '[email protected]' import inspect from warnings import warn # Import everything! from PyFVCOM import buoy_tools from PyFV...
<commit_before>""" The FVCOM Python toolbox (PyFVCOM) """ __version__ = '1.6.1' __author__ = 'Pierre Cazenave' __credits__ = ['Pierre Cazenave'] __license__ = 'MIT' __maintainer__ = 'Pierre Cazenave' __email__ = '[email protected]' import inspect from warnings import warn # Import everything! from PyFVCOM import buoy_...
""" The FVCOM Python toolbox (PyFVCOM) """ __version__ = '1.6.1' __author__ = 'Pierre Cazenave' __credits__ = ['Pierre Cazenave'] __license__ = 'MIT' __maintainer__ = 'Pierre Cazenave' __email__ = '[email protected]' import inspect from warnings import warn # Import everything! from PyFVCOM import buoy_tools from PyFV...
""" The FVCOM Python toolbox (PyFVCOM) """ __version__ = '1.6.1' __author__ = 'Pierre Cazenave' __credits__ = ['Pierre Cazenave'] __license__ = 'MIT' __maintainer__ = 'Pierre Cazenave' __email__ = '[email protected]' import inspect from warnings import warn # Import everything! from PyFVCOM import buoy_tools from PyFV...
<commit_before>""" The FVCOM Python toolbox (PyFVCOM) """ __version__ = '1.6.1' __author__ = 'Pierre Cazenave' __credits__ = ['Pierre Cazenave'] __license__ = 'MIT' __maintainer__ = 'Pierre Cazenave' __email__ = '[email protected]' import inspect from warnings import warn # Import everything! from PyFVCOM import buoy_...
751c38ebe052a689b7962491ffd5f54b593da397
harvesting/datahub.io/fix-urls.py
harvesting/datahub.io/fix-urls.py
import sys fix_url = sys.argv[1] for line in sys.stdin: e = line.strip().split(" ") if e[0].startswith("_:"): e[0] = "<%s>" % e[0].replace("_:",fix_url) if e[2].startswith("_:"): e[2] = "<%s>" % e[2].replace("_:",fix_url) print(" ".join(e))
import sys fix_url = sys.argv[1] dct = "<http://purl.org/dc/terms/" dcelems = ["contributor", "coverage>", "creator>", "date>", "description>", "format>", "identifier>", "language>", "publisher>", "relation>", "rights>", "source>", "subject>", "title>", "type>"] for line in sys.stdin: e = ...
Fix datathub DCT uris to DC
Fix datathub DCT uris to DC
Python
apache-2.0
liderproject/linghub,liderproject/linghub,liderproject/linghub,liderproject/linghub
import sys fix_url = sys.argv[1] for line in sys.stdin: e = line.strip().split(" ") if e[0].startswith("_:"): e[0] = "<%s>" % e[0].replace("_:",fix_url) if e[2].startswith("_:"): e[2] = "<%s>" % e[2].replace("_:",fix_url) print(" ".join(e)) Fix datathub DCT uris to DC
import sys fix_url = sys.argv[1] dct = "<http://purl.org/dc/terms/" dcelems = ["contributor", "coverage>", "creator>", "date>", "description>", "format>", "identifier>", "language>", "publisher>", "relation>", "rights>", "source>", "subject>", "title>", "type>"] for line in sys.stdin: e = ...
<commit_before>import sys fix_url = sys.argv[1] for line in sys.stdin: e = line.strip().split(" ") if e[0].startswith("_:"): e[0] = "<%s>" % e[0].replace("_:",fix_url) if e[2].startswith("_:"): e[2] = "<%s>" % e[2].replace("_:",fix_url) print(" ".join(e)) <commit_msg>Fix datathub DCT ...
import sys fix_url = sys.argv[1] dct = "<http://purl.org/dc/terms/" dcelems = ["contributor", "coverage>", "creator>", "date>", "description>", "format>", "identifier>", "language>", "publisher>", "relation>", "rights>", "source>", "subject>", "title>", "type>"] for line in sys.stdin: e = ...
import sys fix_url = sys.argv[1] for line in sys.stdin: e = line.strip().split(" ") if e[0].startswith("_:"): e[0] = "<%s>" % e[0].replace("_:",fix_url) if e[2].startswith("_:"): e[2] = "<%s>" % e[2].replace("_:",fix_url) print(" ".join(e)) Fix datathub DCT uris to DCimport sys fix_u...
<commit_before>import sys fix_url = sys.argv[1] for line in sys.stdin: e = line.strip().split(" ") if e[0].startswith("_:"): e[0] = "<%s>" % e[0].replace("_:",fix_url) if e[2].startswith("_:"): e[2] = "<%s>" % e[2].replace("_:",fix_url) print(" ".join(e)) <commit_msg>Fix datathub DCT ...
e8d321c35d6e0a8294e0766c3836efe192ae2df0
print_items_needing_requeue.py
print_items_needing_requeue.py
""" Walks through your greader-logs directory (or directory containing them) and prints every item_name that has been finished but has no valid .warc.gz (as determined by greader-warc-checker's .verification logs) """ import os import sys try: import simplejson as json except ImportError: import json basename = os....
""" Walks through your greader-logs directory (or directory containing them) and prints every item_name that has been finished but has no valid .warc.gz (as determined by greader-warc-checker's .verification logs) """ import os import sys try: import simplejson as json except ImportError: import json basename = os....
Print items that are bad *or* missing
Print items that are bad *or* missing
Python
mit
ludios/greader-warc-checker
""" Walks through your greader-logs directory (or directory containing them) and prints every item_name that has been finished but has no valid .warc.gz (as determined by greader-warc-checker's .verification logs) """ import os import sys try: import simplejson as json except ImportError: import json basename = os....
""" Walks through your greader-logs directory (or directory containing them) and prints every item_name that has been finished but has no valid .warc.gz (as determined by greader-warc-checker's .verification logs) """ import os import sys try: import simplejson as json except ImportError: import json basename = os....
<commit_before>""" Walks through your greader-logs directory (or directory containing them) and prints every item_name that has been finished but has no valid .warc.gz (as determined by greader-warc-checker's .verification logs) """ import os import sys try: import simplejson as json except ImportError: import json ...
""" Walks through your greader-logs directory (or directory containing them) and prints every item_name that has been finished but has no valid .warc.gz (as determined by greader-warc-checker's .verification logs) """ import os import sys try: import simplejson as json except ImportError: import json basename = os....
""" Walks through your greader-logs directory (or directory containing them) and prints every item_name that has been finished but has no valid .warc.gz (as determined by greader-warc-checker's .verification logs) """ import os import sys try: import simplejson as json except ImportError: import json basename = os....
<commit_before>""" Walks through your greader-logs directory (or directory containing them) and prints every item_name that has been finished but has no valid .warc.gz (as determined by greader-warc-checker's .verification logs) """ import os import sys try: import simplejson as json except ImportError: import json ...
400c8de8a3a714da21c0e2b175c6e4adad3677b9
syft/__init__.py
syft/__init__.py
import importlib import pkgutil ignore_packages = set(['test']) def import_submodules(package, recursive=True): """ Import all submodules of a module, recursively, including subpackages :param package: package (name or actual module) :type package: str | module :rtype: dict[str, types.ModuleType] ...
import importlib import pkgutil ignore_packages = set(['test']) def import_submodules(package, recursive=True): """ Import all submodules of a module, recursively, including subpackages :param package: package (name or actual module) :type package: str | module :rtype: dict[str, types.ModuleType] ...
Check for the name of the submodule we'd like to ignore in a more general way.
Check for the name of the submodule we'd like to ignore in a more general way.
Python
apache-2.0
aradhyamathur/PySyft,sajalsubodh22/PySyft,OpenMined/PySyft,dipanshunagar/PySyft,sajalsubodh22/PySyft,dipanshunagar/PySyft,joewie/PySyft,cypherai/PySyft,cypherai/PySyft,joewie/PySyft,aradhyamathur/PySyft,OpenMined/PySyft,OpenMined/PySyft,OpenMined/PySyft
import importlib import pkgutil ignore_packages = set(['test']) def import_submodules(package, recursive=True): """ Import all submodules of a module, recursively, including subpackages :param package: package (name or actual module) :type package: str | module :rtype: dict[str, types.ModuleType] ...
import importlib import pkgutil ignore_packages = set(['test']) def import_submodules(package, recursive=True): """ Import all submodules of a module, recursively, including subpackages :param package: package (name or actual module) :type package: str | module :rtype: dict[str, types.ModuleType] ...
<commit_before>import importlib import pkgutil ignore_packages = set(['test']) def import_submodules(package, recursive=True): """ Import all submodules of a module, recursively, including subpackages :param package: package (name or actual module) :type package: str | module :rtype: dict[str, types....
import importlib import pkgutil ignore_packages = set(['test']) def import_submodules(package, recursive=True): """ Import all submodules of a module, recursively, including subpackages :param package: package (name or actual module) :type package: str | module :rtype: dict[str, types.ModuleType] ...
import importlib import pkgutil ignore_packages = set(['test']) def import_submodules(package, recursive=True): """ Import all submodules of a module, recursively, including subpackages :param package: package (name or actual module) :type package: str | module :rtype: dict[str, types.ModuleType] ...
<commit_before>import importlib import pkgutil ignore_packages = set(['test']) def import_submodules(package, recursive=True): """ Import all submodules of a module, recursively, including subpackages :param package: package (name or actual module) :type package: str | module :rtype: dict[str, types....
108fa65760ed6334181d7ed5b129a2e8e24c38d2
dsub/_dsub_version.py
dsub/_dsub_version.py
# Copyright 2017 Google Inc. All Rights Reserved. # # 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 a...
# Copyright 2017 Google Inc. All Rights Reserved. # # 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 a...
Update dsub version to 0.3.3
Update dsub version to 0.3.3 PiperOrigin-RevId: 266979768
Python
apache-2.0
DataBiosphere/dsub,DataBiosphere/dsub
# Copyright 2017 Google Inc. All Rights Reserved. # # 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 a...
# Copyright 2017 Google Inc. All Rights Reserved. # # 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 a...
<commit_before># Copyright 2017 Google Inc. All Rights Reserved. # # 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 appl...
# Copyright 2017 Google Inc. All Rights Reserved. # # 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 a...
# Copyright 2017 Google Inc. All Rights Reserved. # # 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 a...
<commit_before># Copyright 2017 Google Inc. All Rights Reserved. # # 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 appl...
849b9eb93220af324343facb5f83d112de952fa0
mpltools/util.py
mpltools/util.py
import matplotlib.pyplot as plt __all__ = ['figure', 'figsize'] def figure(aspect_ratio=1.3, scale=1, width=None, *args, **kwargs): """Return matplotlib figure window. Parameters ---------- aspect_ratio : float Aspect ratio, width / height, of figure. scale : float Scale default...
import matplotlib.pyplot as plt __all__ = ['figure', 'figsize'] def figure(aspect_ratio=1.3, scale=1, width=None, *args, **kwargs): """Return matplotlib figure window. Calculate figure height using `aspect_ratio` and *default* figure width. Parameters ---------- aspect_ratio : float As...
Add note to docstring of `figure` and `figsize`.
ENH: Add note to docstring of `figure` and `figsize`.
Python
bsd-3-clause
tonysyu/mpltools,matteoicardi/mpltools
import matplotlib.pyplot as plt __all__ = ['figure', 'figsize'] def figure(aspect_ratio=1.3, scale=1, width=None, *args, **kwargs): """Return matplotlib figure window. Parameters ---------- aspect_ratio : float Aspect ratio, width / height, of figure. scale : float Scale default...
import matplotlib.pyplot as plt __all__ = ['figure', 'figsize'] def figure(aspect_ratio=1.3, scale=1, width=None, *args, **kwargs): """Return matplotlib figure window. Calculate figure height using `aspect_ratio` and *default* figure width. Parameters ---------- aspect_ratio : float As...
<commit_before>import matplotlib.pyplot as plt __all__ = ['figure', 'figsize'] def figure(aspect_ratio=1.3, scale=1, width=None, *args, **kwargs): """Return matplotlib figure window. Parameters ---------- aspect_ratio : float Aspect ratio, width / height, of figure. scale : float ...
import matplotlib.pyplot as plt __all__ = ['figure', 'figsize'] def figure(aspect_ratio=1.3, scale=1, width=None, *args, **kwargs): """Return matplotlib figure window. Calculate figure height using `aspect_ratio` and *default* figure width. Parameters ---------- aspect_ratio : float As...
import matplotlib.pyplot as plt __all__ = ['figure', 'figsize'] def figure(aspect_ratio=1.3, scale=1, width=None, *args, **kwargs): """Return matplotlib figure window. Parameters ---------- aspect_ratio : float Aspect ratio, width / height, of figure. scale : float Scale default...
<commit_before>import matplotlib.pyplot as plt __all__ = ['figure', 'figsize'] def figure(aspect_ratio=1.3, scale=1, width=None, *args, **kwargs): """Return matplotlib figure window. Parameters ---------- aspect_ratio : float Aspect ratio, width / height, of figure. scale : float ...
fef12d2a5cce5c1db488a4bb11b9c21b83a66cab
avocado/export/_json.py
avocado/export/_json.py
import json import inspect from _base import BaseExporter class JSONGeneratorEncoder(json.JSONEncoder): "Handle generator objects and expressions." def default(self, obj): if inspect.isgenerator(obj): return list(obj) return super(JSONGeneratorEncoder, self).default(obj) class JS...
import inspect from django.core.serializers.json import DjangoJSONEncoder from _base import BaseExporter class JSONGeneratorEncoder(DjangoJSONEncoder): "Handle generator objects and expressions." def default(self, obj): if inspect.isgenerator(obj): return list(obj) return super(JSO...
Update JSONGeneratorEncoder to subclass DjangoJSONEncoder This handles Decimals and datetimes
Update JSONGeneratorEncoder to subclass DjangoJSONEncoder This handles Decimals and datetimes
Python
bsd-2-clause
murphyke/avocado,murphyke/avocado,murphyke/avocado,murphyke/avocado
import json import inspect from _base import BaseExporter class JSONGeneratorEncoder(json.JSONEncoder): "Handle generator objects and expressions." def default(self, obj): if inspect.isgenerator(obj): return list(obj) return super(JSONGeneratorEncoder, self).default(obj) class JS...
import inspect from django.core.serializers.json import DjangoJSONEncoder from _base import BaseExporter class JSONGeneratorEncoder(DjangoJSONEncoder): "Handle generator objects and expressions." def default(self, obj): if inspect.isgenerator(obj): return list(obj) return super(JSO...
<commit_before>import json import inspect from _base import BaseExporter class JSONGeneratorEncoder(json.JSONEncoder): "Handle generator objects and expressions." def default(self, obj): if inspect.isgenerator(obj): return list(obj) return super(JSONGeneratorEncoder, self).default(...
import inspect from django.core.serializers.json import DjangoJSONEncoder from _base import BaseExporter class JSONGeneratorEncoder(DjangoJSONEncoder): "Handle generator objects and expressions." def default(self, obj): if inspect.isgenerator(obj): return list(obj) return super(JSO...
import json import inspect from _base import BaseExporter class JSONGeneratorEncoder(json.JSONEncoder): "Handle generator objects and expressions." def default(self, obj): if inspect.isgenerator(obj): return list(obj) return super(JSONGeneratorEncoder, self).default(obj) class JS...
<commit_before>import json import inspect from _base import BaseExporter class JSONGeneratorEncoder(json.JSONEncoder): "Handle generator objects and expressions." def default(self, obj): if inspect.isgenerator(obj): return list(obj) return super(JSONGeneratorEncoder, self).default(...
f7fac123bf72af01272bc27a1dfabb788f611908
bandit/backends/smtp.py
bandit/backends/smtp.py
from __future__ import unicode_literals from django.core.mail.backends.smtp import EmailBackend as SMTPBackend from bandit.backends.base import HijackBackendMixin, LogOnlyBackendMixin class HijackSMTPBackend(HijackBackendMixin, SMTPBackend): """ This backend intercepts outgoing messages drops them to a sing...
from __future__ import unicode_literals from django.core.mail.backends.smtp import EmailBackend as SMTPBackend from bandit.backends.base import HijackBackendMixin, LogOnlyBackendMixin class HijackSMTPBackend(HijackBackendMixin, SMTPBackend): """ This backend intercepts outgoing messages drops them to a sing...
Update LogOnlySMTPBackend docstring. Not only admin emails are allowed, all approved emails are still sent.
Update LogOnlySMTPBackend docstring. Not only admin emails are allowed, all approved emails are still sent.
Python
bsd-3-clause
caktus/django-email-bandit,caktus/django-email-bandit
from __future__ import unicode_literals from django.core.mail.backends.smtp import EmailBackend as SMTPBackend from bandit.backends.base import HijackBackendMixin, LogOnlyBackendMixin class HijackSMTPBackend(HijackBackendMixin, SMTPBackend): """ This backend intercepts outgoing messages drops them to a sing...
from __future__ import unicode_literals from django.core.mail.backends.smtp import EmailBackend as SMTPBackend from bandit.backends.base import HijackBackendMixin, LogOnlyBackendMixin class HijackSMTPBackend(HijackBackendMixin, SMTPBackend): """ This backend intercepts outgoing messages drops them to a sing...
<commit_before>from __future__ import unicode_literals from django.core.mail.backends.smtp import EmailBackend as SMTPBackend from bandit.backends.base import HijackBackendMixin, LogOnlyBackendMixin class HijackSMTPBackend(HijackBackendMixin, SMTPBackend): """ This backend intercepts outgoing messages drops...
from __future__ import unicode_literals from django.core.mail.backends.smtp import EmailBackend as SMTPBackend from bandit.backends.base import HijackBackendMixin, LogOnlyBackendMixin class HijackSMTPBackend(HijackBackendMixin, SMTPBackend): """ This backend intercepts outgoing messages drops them to a sing...
from __future__ import unicode_literals from django.core.mail.backends.smtp import EmailBackend as SMTPBackend from bandit.backends.base import HijackBackendMixin, LogOnlyBackendMixin class HijackSMTPBackend(HijackBackendMixin, SMTPBackend): """ This backend intercepts outgoing messages drops them to a sing...
<commit_before>from __future__ import unicode_literals from django.core.mail.backends.smtp import EmailBackend as SMTPBackend from bandit.backends.base import HijackBackendMixin, LogOnlyBackendMixin class HijackSMTPBackend(HijackBackendMixin, SMTPBackend): """ This backend intercepts outgoing messages drops...
527593c5f183054e330894e6b7161e24cca265a5
lily/notes/factories.py
lily/notes/factories.py
import random import factory from factory.declarations import SubFactory, SelfAttribute, LazyAttribute from factory.django import DjangoModelFactory from faker.factory import Factory from lily.accounts.factories import AccountFactory from lily.contacts.factories import ContactFactory from lily.users.factories import ...
import random from datetime import datetime import pytz import factory from factory.declarations import SubFactory, SelfAttribute, LazyAttribute from factory.django import DjangoModelFactory from faker.factory import Factory from lily.accounts.factories import AccountFactory from lily.contacts.factories import Contac...
Fix so testdata can be loaded when setting up local environment
Fix so testdata can be loaded when setting up local environment
Python
agpl-3.0
HelloLily/hellolily,HelloLily/hellolily,HelloLily/hellolily,HelloLily/hellolily
import random import factory from factory.declarations import SubFactory, SelfAttribute, LazyAttribute from factory.django import DjangoModelFactory from faker.factory import Factory from lily.accounts.factories import AccountFactory from lily.contacts.factories import ContactFactory from lily.users.factories import ...
import random from datetime import datetime import pytz import factory from factory.declarations import SubFactory, SelfAttribute, LazyAttribute from factory.django import DjangoModelFactory from faker.factory import Factory from lily.accounts.factories import AccountFactory from lily.contacts.factories import Contac...
<commit_before>import random import factory from factory.declarations import SubFactory, SelfAttribute, LazyAttribute from factory.django import DjangoModelFactory from faker.factory import Factory from lily.accounts.factories import AccountFactory from lily.contacts.factories import ContactFactory from lily.users.fa...
import random from datetime import datetime import pytz import factory from factory.declarations import SubFactory, SelfAttribute, LazyAttribute from factory.django import DjangoModelFactory from faker.factory import Factory from lily.accounts.factories import AccountFactory from lily.contacts.factories import Contac...
import random import factory from factory.declarations import SubFactory, SelfAttribute, LazyAttribute from factory.django import DjangoModelFactory from faker.factory import Factory from lily.accounts.factories import AccountFactory from lily.contacts.factories import ContactFactory from lily.users.factories import ...
<commit_before>import random import factory from factory.declarations import SubFactory, SelfAttribute, LazyAttribute from factory.django import DjangoModelFactory from faker.factory import Factory from lily.accounts.factories import AccountFactory from lily.contacts.factories import ContactFactory from lily.users.fa...
245dd2ef403cd88aebf5dd8923585a9e0489dd97
mongoalchemy/util.py
mongoalchemy/util.py
# The MIT License # # Copyright (c) 2010 Jeffrey Jenkins # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify,...
# The MIT License # # Copyright (c) 2010 Jeffrey Jenkins # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify,...
Change UNSET to so bool(UNSET) is False.
Change UNSET to so bool(UNSET) is False.
Python
mit
shakefu/MongoAlchemy,shakefu/MongoAlchemy,shakefu/MongoAlchemy
# The MIT License # # Copyright (c) 2010 Jeffrey Jenkins # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify,...
# The MIT License # # Copyright (c) 2010 Jeffrey Jenkins # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify,...
<commit_before># The MIT License # # Copyright (c) 2010 Jeffrey Jenkins # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use...
# The MIT License # # Copyright (c) 2010 Jeffrey Jenkins # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify,...
# The MIT License # # Copyright (c) 2010 Jeffrey Jenkins # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify,...
<commit_before># The MIT License # # Copyright (c) 2010 Jeffrey Jenkins # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use...
3b50b38ff71c2a35376eccfffbba700815868e68
massa/default_config.py
massa/default_config.py
# -*- coding: utf-8 -*- DEBUG = True SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:secret@localhost/massa' SQLALCHEMY_ECHO = False
# -*- coding: utf-8 -*- DEBUG = False SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:secret@localhost/massa' SQLALCHEMY_ECHO = False
Disable debug mode in default configuration.
Disable debug mode in default configuration.
Python
mit
jaapverloop/massa
# -*- coding: utf-8 -*- DEBUG = True SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:secret@localhost/massa' SQLALCHEMY_ECHO = False Disable debug mode in default configuration.
# -*- coding: utf-8 -*- DEBUG = False SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:secret@localhost/massa' SQLALCHEMY_ECHO = False
<commit_before># -*- coding: utf-8 -*- DEBUG = True SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:secret@localhost/massa' SQLALCHEMY_ECHO = False <commit_msg>Disable debug mode in default configuration.<commit_after>
# -*- coding: utf-8 -*- DEBUG = False SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:secret@localhost/massa' SQLALCHEMY_ECHO = False
# -*- coding: utf-8 -*- DEBUG = True SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:secret@localhost/massa' SQLALCHEMY_ECHO = False Disable debug mode in default configuration.# -*- coding: utf-8 -*- DEBUG = False SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:sec...
<commit_before># -*- coding: utf-8 -*- DEBUG = True SECRET_KEY = '##CHANGEME##' SQLALCHEMY_DATABASE_URI = 'postgresql://massa:secret@localhost/massa' SQLALCHEMY_ECHO = False <commit_msg>Disable debug mode in default configuration.<commit_after># -*- coding: utf-8 -*- DEBUG = False SECRET_KEY = '##CHANGEME##' SQLALCHE...
ba98874be9370ec49c2c04e89d456f723b5d083c
monitoring/test/test_data/exceptions.py
monitoring/test/test_data/exceptions.py
# # 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 # ...
# # 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 # ...
Adjust tests for python-monascaclient >= 1.3.0
Adjust tests for python-monascaclient >= 1.3.0 the exceptions module was moved out of the openstack.common namespace, so try to import the new location first and fall back to the old one if it doesn't exist. Change-Id: I3305775baaab15dca8d5e7e5cfc0932f94d4d153
Python
apache-2.0
openstack/monasca-ui,openstack/monasca-ui,openstack/monasca-ui,stackforge/monasca-ui,stackforge/monasca-ui,stackforge/monasca-ui,stackforge/monasca-ui,openstack/monasca-ui
# # 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 # ...
# # 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 # ...
<commit_before># # 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...
# # 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 # ...
# # 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 # ...
<commit_before># # 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...
8ef41f9ac8ec8a7b7fc9e63b2ff6453782c41d62
demo/__init__.py
demo/__init__.py
"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__
"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__ PYTHON_VERSION = 3, 4 import sys if not sys.version_info >= PYTHON_VERSION: # pragma: no cover (manual test) exit("Python {}.{}+ is required.".format(*PYTHON_VERSION))
Deploy Travis CI build 381 to GitHub
Deploy Travis CI build 381 to GitHub
Python
mit
jacebrowning/template-python-demo
"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__ Deploy Travis CI build 381 to GitHub
"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__ PYTHON_VERSION = 3, 4 import sys if not sys.version_info >= PYTHON_VERSION: # pragma: no cover (manual test) exit("Python {}.{}+ is required.".format(*PYTHON_VERSION))
<commit_before>"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__ <commit_msg>Deploy Travis CI build 381 to GitHub<commit_after>
"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__ PYTHON_VERSION = 3, 4 import sys if not sys.version_info >= PYTHON_VERSION: # pragma: no cover (manual test) exit("Python {}.{}+ is required.".format(*PYTHON_VERSION))
"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__ Deploy Travis CI build 381 to GitHub"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__ PYTHO...
<commit_before>"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION = __project__ + '-' + __version__ <commit_msg>Deploy Travis CI build 381 to GitHub<commit_after>"""Package for PythonTemplateDemo.""" __project__ = 'PythonTemplateDemo' __version__ = '0.0.0' VERSION...
db1aaa7f7e28c901b2b427236f9942aa78d5ae34
taemin/plugins/cafe/plugin.py
taemin/plugins/cafe/plugin.py
#!/usr/bin/env python2 # -*- coding: utf8 -*- from taemin import plugin class TaeminCafe(plugin.TaeminPlugin): helper = {"all": "Envoie un message à tout le monde", "cafe": "Appelle tout le monde pour prendre un café ;)"} def on_pubmsg(self, msg): if msg.key not in ("all", "cafe"): ...
#!/usr/bin/env python2 # -*- coding: utf8 -*- from taemin import plugin class TaeminCafe(plugin.TaeminPlugin): helper = {"all": "Envoie un message à tout le monde", "cafe": "Appelle tout le monde pour prendre un café ;)"} def on_pubmsg(self, msg): if msg.key not in ("all", 'tous', "caf...
Add an alias !tous for !all
Add an alias !tous for !all
Python
mit
ningirsu/taemin,ningirsu/taemin
#!/usr/bin/env python2 # -*- coding: utf8 -*- from taemin import plugin class TaeminCafe(plugin.TaeminPlugin): helper = {"all": "Envoie un message à tout le monde", "cafe": "Appelle tout le monde pour prendre un café ;)"} def on_pubmsg(self, msg): if msg.key not in ("all", "cafe"): ...
#!/usr/bin/env python2 # -*- coding: utf8 -*- from taemin import plugin class TaeminCafe(plugin.TaeminPlugin): helper = {"all": "Envoie un message à tout le monde", "cafe": "Appelle tout le monde pour prendre un café ;)"} def on_pubmsg(self, msg): if msg.key not in ("all", 'tous', "caf...
<commit_before>#!/usr/bin/env python2 # -*- coding: utf8 -*- from taemin import plugin class TaeminCafe(plugin.TaeminPlugin): helper = {"all": "Envoie un message à tout le monde", "cafe": "Appelle tout le monde pour prendre un café ;)"} def on_pubmsg(self, msg): if msg.key not in ("all...
#!/usr/bin/env python2 # -*- coding: utf8 -*- from taemin import plugin class TaeminCafe(plugin.TaeminPlugin): helper = {"all": "Envoie un message à tout le monde", "cafe": "Appelle tout le monde pour prendre un café ;)"} def on_pubmsg(self, msg): if msg.key not in ("all", 'tous', "caf...
#!/usr/bin/env python2 # -*- coding: utf8 -*- from taemin import plugin class TaeminCafe(plugin.TaeminPlugin): helper = {"all": "Envoie un message à tout le monde", "cafe": "Appelle tout le monde pour prendre un café ;)"} def on_pubmsg(self, msg): if msg.key not in ("all", "cafe"): ...
<commit_before>#!/usr/bin/env python2 # -*- coding: utf8 -*- from taemin import plugin class TaeminCafe(plugin.TaeminPlugin): helper = {"all": "Envoie un message à tout le monde", "cafe": "Appelle tout le monde pour prendre un café ;)"} def on_pubmsg(self, msg): if msg.key not in ("all...
edf151feea948ebf4a9f00a0248ab1f363cacfac
scaffolder/commands/install.py
scaffolder/commands/install.py
#!/usr/bin/env python # -*- coding: utf-8 -*- from optparse import make_option from optparse import OptionParser from scaffolder import get_minion_path from scaffolder.core.template import TemplateManager from scaffolder.core.commands import BaseCommand class InstallCommand(BaseCommand): option_list = BaseCommand...
#!/usr/bin/env python # -*- coding: utf-8 -*- from optparse import make_option from optparse import OptionParser from scaffolder import get_minion_path from scaffolder.core.template import TemplateManager from scaffolder.core.commands import BaseCommand class InstallCommand(BaseCommand): option_list = BaseCommand...
Remove __init__ method, not needed.
InstallCommand: Remove __init__ method, not needed.
Python
mit
goliatone/minions
#!/usr/bin/env python # -*- coding: utf-8 -*- from optparse import make_option from optparse import OptionParser from scaffolder import get_minion_path from scaffolder.core.template import TemplateManager from scaffolder.core.commands import BaseCommand class InstallCommand(BaseCommand): option_list = BaseCommand...
#!/usr/bin/env python # -*- coding: utf-8 -*- from optparse import make_option from optparse import OptionParser from scaffolder import get_minion_path from scaffolder.core.template import TemplateManager from scaffolder.core.commands import BaseCommand class InstallCommand(BaseCommand): option_list = BaseCommand...
<commit_before>#!/usr/bin/env python # -*- coding: utf-8 -*- from optparse import make_option from optparse import OptionParser from scaffolder import get_minion_path from scaffolder.core.template import TemplateManager from scaffolder.core.commands import BaseCommand class InstallCommand(BaseCommand): option_lis...
#!/usr/bin/env python # -*- coding: utf-8 -*- from optparse import make_option from optparse import OptionParser from scaffolder import get_minion_path from scaffolder.core.template import TemplateManager from scaffolder.core.commands import BaseCommand class InstallCommand(BaseCommand): option_list = BaseCommand...
#!/usr/bin/env python # -*- coding: utf-8 -*- from optparse import make_option from optparse import OptionParser from scaffolder import get_minion_path from scaffolder.core.template import TemplateManager from scaffolder.core.commands import BaseCommand class InstallCommand(BaseCommand): option_list = BaseCommand...
<commit_before>#!/usr/bin/env python # -*- coding: utf-8 -*- from optparse import make_option from optparse import OptionParser from scaffolder import get_minion_path from scaffolder.core.template import TemplateManager from scaffolder.core.commands import BaseCommand class InstallCommand(BaseCommand): option_lis...
378b820bd2a474640974ccefc7b224caebc9400f
saleor/graphql/order/resolvers.py
saleor/graphql/order/resolvers.py
from django.core.exceptions import PermissionDenied from ...order import models from ..utils import get_node from .types import Order def resolve_orders(info): user = info.context.user if user.is_anonymous: raise PermissionDenied('You have no permission to see this') if user.get_all_permissions()...
from django.core.exceptions import PermissionDenied from ...order import models from ..utils import get_node from .types import Order def resolve_orders(info): user = info.context.user if user.is_anonymous: raise PermissionDenied('You have no permission to see this order.') if user.get_all_permis...
Add more info to the permission denied exception
Add more info to the permission denied exception
Python
bsd-3-clause
mociepka/saleor,UITools/saleor,mociepka/saleor,UITools/saleor,UITools/saleor,maferelo/saleor,UITools/saleor,UITools/saleor,maferelo/saleor,maferelo/saleor,mociepka/saleor
from django.core.exceptions import PermissionDenied from ...order import models from ..utils import get_node from .types import Order def resolve_orders(info): user = info.context.user if user.is_anonymous: raise PermissionDenied('You have no permission to see this') if user.get_all_permissions()...
from django.core.exceptions import PermissionDenied from ...order import models from ..utils import get_node from .types import Order def resolve_orders(info): user = info.context.user if user.is_anonymous: raise PermissionDenied('You have no permission to see this order.') if user.get_all_permis...
<commit_before>from django.core.exceptions import PermissionDenied from ...order import models from ..utils import get_node from .types import Order def resolve_orders(info): user = info.context.user if user.is_anonymous: raise PermissionDenied('You have no permission to see this') if user.get_al...
from django.core.exceptions import PermissionDenied from ...order import models from ..utils import get_node from .types import Order def resolve_orders(info): user = info.context.user if user.is_anonymous: raise PermissionDenied('You have no permission to see this order.') if user.get_all_permis...
from django.core.exceptions import PermissionDenied from ...order import models from ..utils import get_node from .types import Order def resolve_orders(info): user = info.context.user if user.is_anonymous: raise PermissionDenied('You have no permission to see this') if user.get_all_permissions()...
<commit_before>from django.core.exceptions import PermissionDenied from ...order import models from ..utils import get_node from .types import Order def resolve_orders(info): user = info.context.user if user.is_anonymous: raise PermissionDenied('You have no permission to see this') if user.get_al...
bc47862e89f73ec152a57bf43126653a981cd411
suggestions/tests.py
suggestions/tests.py
from django.test import TestCase from django.contrib.auth.models import User from mks.models import Member from .models import Suggestion class SuggestionsTests(TestCase): def setUp(self): self.member = Member.objects.create(name='mk_1') self.regular_user = User.objects.create_user('reg_user') ...
from django.test import TestCase from django.contrib.auth.models import User from mks.models import Member from .models import Suggestion class SuggestionsTests(TestCase): def setUp(self): self.member = Member.objects.create(name='mk_1') self.regular_user = User.objects.create_user('reg_user') ...
Undo member changes in test
Undo member changes in test
Python
bsd-3-clause
MeirKriheli/Open-Knesset,jspan/Open-Knesset,navotsil/Open-Knesset,navotsil/Open-Knesset,DanaOshri/Open-Knesset,alonisser/Open-Knesset,jspan/Open-Knesset,noamelf/Open-Knesset,daonb/Open-Knesset,habeanf/Open-Knesset,noamelf/Open-Knesset,DanaOshri/Open-Knesset,OriHoch/Open-Knesset,otadmor/Open-Knesset,alonisser/Open-Kness...
from django.test import TestCase from django.contrib.auth.models import User from mks.models import Member from .models import Suggestion class SuggestionsTests(TestCase): def setUp(self): self.member = Member.objects.create(name='mk_1') self.regular_user = User.objects.create_user('reg_user') ...
from django.test import TestCase from django.contrib.auth.models import User from mks.models import Member from .models import Suggestion class SuggestionsTests(TestCase): def setUp(self): self.member = Member.objects.create(name='mk_1') self.regular_user = User.objects.create_user('reg_user') ...
<commit_before>from django.test import TestCase from django.contrib.auth.models import User from mks.models import Member from .models import Suggestion class SuggestionsTests(TestCase): def setUp(self): self.member = Member.objects.create(name='mk_1') self.regular_user = User.objects.create_use...
from django.test import TestCase from django.contrib.auth.models import User from mks.models import Member from .models import Suggestion class SuggestionsTests(TestCase): def setUp(self): self.member = Member.objects.create(name='mk_1') self.regular_user = User.objects.create_user('reg_user') ...
from django.test import TestCase from django.contrib.auth.models import User from mks.models import Member from .models import Suggestion class SuggestionsTests(TestCase): def setUp(self): self.member = Member.objects.create(name='mk_1') self.regular_user = User.objects.create_user('reg_user') ...
<commit_before>from django.test import TestCase from django.contrib.auth.models import User from mks.models import Member from .models import Suggestion class SuggestionsTests(TestCase): def setUp(self): self.member = Member.objects.create(name='mk_1') self.regular_user = User.objects.create_use...
f69bc50985a644f90c3f59d06cb7b99a6aeb3b53
migrations/versions/0209_email_branding_update.py
migrations/versions/0209_email_branding_update.py
""" Revision ID: 0209_email_branding_update Revises: 84c3b6eb16b3 Create Date: 2018-07-25 16:08:15.713656 """ from alembic import op import sqlalchemy as sa revision = '0209_email_branding_update' down_revision = '84c3b6eb16b3' def upgrade(): # ### commands auto generated by Alembic - please adjust! ### o...
""" Revision ID: 0209_email_branding_update Revises: 84c3b6eb16b3 Create Date: 2018-07-25 16:08:15.713656 """ from alembic import op import sqlalchemy as sa revision = '0209_email_branding_update' down_revision = '84c3b6eb16b3' def upgrade(): # ### commands auto generated by Alembic - please adjust! ### o...
Move data back before dropping the column for downgrade
Move data back before dropping the column for downgrade
Python
mit
alphagov/notifications-api,alphagov/notifications-api
""" Revision ID: 0209_email_branding_update Revises: 84c3b6eb16b3 Create Date: 2018-07-25 16:08:15.713656 """ from alembic import op import sqlalchemy as sa revision = '0209_email_branding_update' down_revision = '84c3b6eb16b3' def upgrade(): # ### commands auto generated by Alembic - please adjust! ### o...
""" Revision ID: 0209_email_branding_update Revises: 84c3b6eb16b3 Create Date: 2018-07-25 16:08:15.713656 """ from alembic import op import sqlalchemy as sa revision = '0209_email_branding_update' down_revision = '84c3b6eb16b3' def upgrade(): # ### commands auto generated by Alembic - please adjust! ### o...
<commit_before>""" Revision ID: 0209_email_branding_update Revises: 84c3b6eb16b3 Create Date: 2018-07-25 16:08:15.713656 """ from alembic import op import sqlalchemy as sa revision = '0209_email_branding_update' down_revision = '84c3b6eb16b3' def upgrade(): # ### commands auto generated by Alembic - please ad...
""" Revision ID: 0209_email_branding_update Revises: 84c3b6eb16b3 Create Date: 2018-07-25 16:08:15.713656 """ from alembic import op import sqlalchemy as sa revision = '0209_email_branding_update' down_revision = '84c3b6eb16b3' def upgrade(): # ### commands auto generated by Alembic - please adjust! ### o...
""" Revision ID: 0209_email_branding_update Revises: 84c3b6eb16b3 Create Date: 2018-07-25 16:08:15.713656 """ from alembic import op import sqlalchemy as sa revision = '0209_email_branding_update' down_revision = '84c3b6eb16b3' def upgrade(): # ### commands auto generated by Alembic - please adjust! ### o...
<commit_before>""" Revision ID: 0209_email_branding_update Revises: 84c3b6eb16b3 Create Date: 2018-07-25 16:08:15.713656 """ from alembic import op import sqlalchemy as sa revision = '0209_email_branding_update' down_revision = '84c3b6eb16b3' def upgrade(): # ### commands auto generated by Alembic - please ad...
a97c6ebda62762501fdf5f18326c8c518d73635f
securedrop/source_app/forms.py
securedrop/source_app/forms.py
from flask_babel import gettext from flask_wtf import FlaskForm from wtforms import PasswordField from wtforms.validators import InputRequired, Regexp, Length from db import Source class LoginForm(FlaskForm): codename = PasswordField('codename', validators=[ InputRequired(message=gettext('This field is r...
from flask_babel import gettext from flask_wtf import FlaskForm from wtforms import PasswordField from wtforms.validators import InputRequired, Regexp, Length from db import Source class LoginForm(FlaskForm): codename = PasswordField('codename', validators=[ InputRequired(message=gettext('This field is r...
Use @dachary's much clearer regex to validate codenames
Use @dachary's much clearer regex to validate codenames
Python
agpl-3.0
micahflee/securedrop,conorsch/securedrop,garrettr/securedrop,heartsucker/securedrop,conorsch/securedrop,heartsucker/securedrop,conorsch/securedrop,ehartsuyker/securedrop,micahflee/securedrop,garrettr/securedrop,ehartsuyker/securedrop,garrettr/securedrop,garrettr/securedrop,micahflee/securedrop,ehartsuyker/securedrop,co...
from flask_babel import gettext from flask_wtf import FlaskForm from wtforms import PasswordField from wtforms.validators import InputRequired, Regexp, Length from db import Source class LoginForm(FlaskForm): codename = PasswordField('codename', validators=[ InputRequired(message=gettext('This field is r...
from flask_babel import gettext from flask_wtf import FlaskForm from wtforms import PasswordField from wtforms.validators import InputRequired, Regexp, Length from db import Source class LoginForm(FlaskForm): codename = PasswordField('codename', validators=[ InputRequired(message=gettext('This field is r...
<commit_before>from flask_babel import gettext from flask_wtf import FlaskForm from wtforms import PasswordField from wtforms.validators import InputRequired, Regexp, Length from db import Source class LoginForm(FlaskForm): codename = PasswordField('codename', validators=[ InputRequired(message=gettext('...
from flask_babel import gettext from flask_wtf import FlaskForm from wtforms import PasswordField from wtforms.validators import InputRequired, Regexp, Length from db import Source class LoginForm(FlaskForm): codename = PasswordField('codename', validators=[ InputRequired(message=gettext('This field is r...
from flask_babel import gettext from flask_wtf import FlaskForm from wtforms import PasswordField from wtforms.validators import InputRequired, Regexp, Length from db import Source class LoginForm(FlaskForm): codename = PasswordField('codename', validators=[ InputRequired(message=gettext('This field is r...
<commit_before>from flask_babel import gettext from flask_wtf import FlaskForm from wtforms import PasswordField from wtforms.validators import InputRequired, Regexp, Length from db import Source class LoginForm(FlaskForm): codename = PasswordField('codename', validators=[ InputRequired(message=gettext('...
52a3ab97f888734db3c602ac69a33660e6026bb6
linked-list/remove-k-from-list.py
linked-list/remove-k-from-list.py
# Given a singly linked list of integers l and an integer k, remove all elements from list l that have a value equal to k class Node(object): # define constructor def __init__(self, value): self.value = value self.next = None class LinkedList(object): def __init__(self, head=None): self.head = head def add(...
# Given a singly linked list of integers l and an integer k, remove all elements from list l that have a value equal to k class Node(object): def __init__(self, value): self.value = value self.next = None def remove_k_from_list(l, k): fake_head = Node(None) fake_head.next = l current_node = fake_head while ...
Remove linked list class and implement algorithm just using single method
Remove linked list class and implement algorithm just using single method
Python
mit
derekmpham/interview-prep,derekmpham/interview-prep
# Given a singly linked list of integers l and an integer k, remove all elements from list l that have a value equal to k class Node(object): # define constructor def __init__(self, value): self.value = value self.next = None class LinkedList(object): def __init__(self, head=None): self.head = head def add(...
# Given a singly linked list of integers l and an integer k, remove all elements from list l that have a value equal to k class Node(object): def __init__(self, value): self.value = value self.next = None def remove_k_from_list(l, k): fake_head = Node(None) fake_head.next = l current_node = fake_head while ...
<commit_before># Given a singly linked list of integers l and an integer k, remove all elements from list l that have a value equal to k class Node(object): # define constructor def __init__(self, value): self.value = value self.next = None class LinkedList(object): def __init__(self, head=None): self.head = ...
# Given a singly linked list of integers l and an integer k, remove all elements from list l that have a value equal to k class Node(object): def __init__(self, value): self.value = value self.next = None def remove_k_from_list(l, k): fake_head = Node(None) fake_head.next = l current_node = fake_head while ...
# Given a singly linked list of integers l and an integer k, remove all elements from list l that have a value equal to k class Node(object): # define constructor def __init__(self, value): self.value = value self.next = None class LinkedList(object): def __init__(self, head=None): self.head = head def add(...
<commit_before># Given a singly linked list of integers l and an integer k, remove all elements from list l that have a value equal to k class Node(object): # define constructor def __init__(self, value): self.value = value self.next = None class LinkedList(object): def __init__(self, head=None): self.head = ...
bdfa468b4d60f326d6744b9a4766c228e8b1d692
python/tak/alphazero/config.py
python/tak/alphazero/config.py
from attrs import define, field from tak import mcts import torch from typing import Optional @define(slots=False) class Config: device: str = "cuda" server_port: int = 5001 lr: float = 1e-3 size: int = 3 rollout_config: mcts.Config = field( factory=lambda: mcts.Config( simu...
from attrs import define, field from tak import mcts import torch from typing import Optional @define(slots=False) class Config: device: str = "cuda" server_port: int = 5432 lr: float = 1e-3 size: int = 3 rollout_config: mcts.Config = field( factory=lambda: mcts.Config( simu...
Use a different default port
Use a different default port
Python
mit
nelhage/taktician,nelhage/taktician,nelhage/taktician,nelhage/taktician
from attrs import define, field from tak import mcts import torch from typing import Optional @define(slots=False) class Config: device: str = "cuda" server_port: int = 5001 lr: float = 1e-3 size: int = 3 rollout_config: mcts.Config = field( factory=lambda: mcts.Config( simu...
from attrs import define, field from tak import mcts import torch from typing import Optional @define(slots=False) class Config: device: str = "cuda" server_port: int = 5432 lr: float = 1e-3 size: int = 3 rollout_config: mcts.Config = field( factory=lambda: mcts.Config( simu...
<commit_before>from attrs import define, field from tak import mcts import torch from typing import Optional @define(slots=False) class Config: device: str = "cuda" server_port: int = 5001 lr: float = 1e-3 size: int = 3 rollout_config: mcts.Config = field( factory=lambda: mcts.Config( ...
from attrs import define, field from tak import mcts import torch from typing import Optional @define(slots=False) class Config: device: str = "cuda" server_port: int = 5432 lr: float = 1e-3 size: int = 3 rollout_config: mcts.Config = field( factory=lambda: mcts.Config( simu...
from attrs import define, field from tak import mcts import torch from typing import Optional @define(slots=False) class Config: device: str = "cuda" server_port: int = 5001 lr: float = 1e-3 size: int = 3 rollout_config: mcts.Config = field( factory=lambda: mcts.Config( simu...
<commit_before>from attrs import define, field from tak import mcts import torch from typing import Optional @define(slots=False) class Config: device: str = "cuda" server_port: int = 5001 lr: float = 1e-3 size: int = 3 rollout_config: mcts.Config = field( factory=lambda: mcts.Config( ...
03d07a20928997ecc136884110311453217443c3
reportlab/platypus/__init__.py
reportlab/platypus/__init__.py
#copyright ReportLab Inc. 2000 #see license.txt for license details #history http://cvs.sourceforge.net/cgi-bin/cvsweb.cgi/reportlab/platypus/__init__.py?cvsroot=reportlab #$Header: /tmp/reportlab/reportlab/platypus/__init__.py,v 1.12 2000/11/29 17:28:50 rgbecker Exp $ __version__=''' $Id: __init__.py,v 1.12 2000/11/29...
#copyright ReportLab Inc. 2000 #see license.txt for license details #history http://cvs.sourceforge.net/cgi-bin/cvsweb.cgi/reportlab/platypus/__init__.py?cvsroot=reportlab #$Header: /tmp/reportlab/reportlab/platypus/__init__.py,v 1.13 2002/03/15 09:03:37 rgbecker Exp $ __version__=''' $Id: __init__.py,v 1.13 2002/03/15...
Add PageBegin to pkg exports
Add PageBegin to pkg exports
Python
bsd-3-clause
makinacorpus/reportlab-ecomobile,makinacorpus/reportlab-ecomobile,makinacorpus/reportlab-ecomobile,makinacorpus/reportlab-ecomobile,makinacorpus/reportlab-ecomobile
#copyright ReportLab Inc. 2000 #see license.txt for license details #history http://cvs.sourceforge.net/cgi-bin/cvsweb.cgi/reportlab/platypus/__init__.py?cvsroot=reportlab #$Header: /tmp/reportlab/reportlab/platypus/__init__.py,v 1.12 2000/11/29 17:28:50 rgbecker Exp $ __version__=''' $Id: __init__.py,v 1.12 2000/11/29...
#copyright ReportLab Inc. 2000 #see license.txt for license details #history http://cvs.sourceforge.net/cgi-bin/cvsweb.cgi/reportlab/platypus/__init__.py?cvsroot=reportlab #$Header: /tmp/reportlab/reportlab/platypus/__init__.py,v 1.13 2002/03/15 09:03:37 rgbecker Exp $ __version__=''' $Id: __init__.py,v 1.13 2002/03/15...
<commit_before>#copyright ReportLab Inc. 2000 #see license.txt for license details #history http://cvs.sourceforge.net/cgi-bin/cvsweb.cgi/reportlab/platypus/__init__.py?cvsroot=reportlab #$Header: /tmp/reportlab/reportlab/platypus/__init__.py,v 1.12 2000/11/29 17:28:50 rgbecker Exp $ __version__=''' $Id: __init__.py,v ...
#copyright ReportLab Inc. 2000 #see license.txt for license details #history http://cvs.sourceforge.net/cgi-bin/cvsweb.cgi/reportlab/platypus/__init__.py?cvsroot=reportlab #$Header: /tmp/reportlab/reportlab/platypus/__init__.py,v 1.13 2002/03/15 09:03:37 rgbecker Exp $ __version__=''' $Id: __init__.py,v 1.13 2002/03/15...
#copyright ReportLab Inc. 2000 #see license.txt for license details #history http://cvs.sourceforge.net/cgi-bin/cvsweb.cgi/reportlab/platypus/__init__.py?cvsroot=reportlab #$Header: /tmp/reportlab/reportlab/platypus/__init__.py,v 1.12 2000/11/29 17:28:50 rgbecker Exp $ __version__=''' $Id: __init__.py,v 1.12 2000/11/29...
<commit_before>#copyright ReportLab Inc. 2000 #see license.txt for license details #history http://cvs.sourceforge.net/cgi-bin/cvsweb.cgi/reportlab/platypus/__init__.py?cvsroot=reportlab #$Header: /tmp/reportlab/reportlab/platypus/__init__.py,v 1.12 2000/11/29 17:28:50 rgbecker Exp $ __version__=''' $Id: __init__.py,v ...
f678f5c1a197c504ae6703f3b4e5658f9e2db1f6
setuptools/tests/py26compat.py
setuptools/tests/py26compat.py
import sys import unittest import tarfile try: # provide skipIf for Python 2.4-2.6 skipIf = unittest.skipIf except AttributeError: def skipIf(condition, reason): def skipper(func): def skip(*args, **kwargs): return if condition: return skip return func return skipper def _tarfile_open_ex(*args...
import sys import unittest import tarfile try: # provide skipIf for Python 2.4-2.6 skipIf = unittest.skipIf except AttributeError: def skipIf(condition, reason): def skipper(func): def skip(*args, **kwargs): return if condition: return skip return func return skipper def _tarfile_open_ex(*args...
Remove spurious reference to self. Remove debugging code.
Remove spurious reference to self. Remove debugging code.
Python
mit
pypa/setuptools,pypa/setuptools,pypa/setuptools
import sys import unittest import tarfile try: # provide skipIf for Python 2.4-2.6 skipIf = unittest.skipIf except AttributeError: def skipIf(condition, reason): def skipper(func): def skip(*args, **kwargs): return if condition: return skip return func return skipper def _tarfile_open_ex(*args...
import sys import unittest import tarfile try: # provide skipIf for Python 2.4-2.6 skipIf = unittest.skipIf except AttributeError: def skipIf(condition, reason): def skipper(func): def skip(*args, **kwargs): return if condition: return skip return func return skipper def _tarfile_open_ex(*args...
<commit_before>import sys import unittest import tarfile try: # provide skipIf for Python 2.4-2.6 skipIf = unittest.skipIf except AttributeError: def skipIf(condition, reason): def skipper(func): def skip(*args, **kwargs): return if condition: return skip return func return skipper def _tarfil...
import sys import unittest import tarfile try: # provide skipIf for Python 2.4-2.6 skipIf = unittest.skipIf except AttributeError: def skipIf(condition, reason): def skipper(func): def skip(*args, **kwargs): return if condition: return skip return func return skipper def _tarfile_open_ex(*args...
import sys import unittest import tarfile try: # provide skipIf for Python 2.4-2.6 skipIf = unittest.skipIf except AttributeError: def skipIf(condition, reason): def skipper(func): def skip(*args, **kwargs): return if condition: return skip return func return skipper def _tarfile_open_ex(*args...
<commit_before>import sys import unittest import tarfile try: # provide skipIf for Python 2.4-2.6 skipIf = unittest.skipIf except AttributeError: def skipIf(condition, reason): def skipper(func): def skip(*args, **kwargs): return if condition: return skip return func return skipper def _tarfil...
427dab842e2d8aea1610c3e23d792119dc60c94b
moksha/widgets/jquery_ui_theme.py
moksha/widgets/jquery_ui_theme.py
from tw.api import Widget, CSSLink class JQueryUITheme(Widget): css = [CSSLink(link='/css/jquery-ui/ui.theme.css', modname=__name__)] template = ''
""" :mod:`moksha.widgets.jquery_ui_theme` - jQuery UI Theme ======================================================= .. moduleauthor:: Luke Macken <[email protected]> """ from tw.api import Widget, CSSLink, CSSLink ui_theme_css = CSSLink(link='/css/jquery-ui/ui.theme.css', modname=__name__) ui_base_css = CSSLink(lin...
Update our customized jQuery ui widgets
Update our customized jQuery ui widgets
Python
apache-2.0
pombredanne/moksha,lmacken/moksha,mokshaproject/moksha,mokshaproject/moksha,lmacken/moksha,pombredanne/moksha,lmacken/moksha,mokshaproject/moksha,ralphbean/moksha,ralphbean/moksha,mokshaproject/moksha,ralphbean/moksha,pombredanne/moksha,pombredanne/moksha
from tw.api import Widget, CSSLink class JQueryUITheme(Widget): css = [CSSLink(link='/css/jquery-ui/ui.theme.css', modname=__name__)] template = '' Update our customized jQuery ui widgets
""" :mod:`moksha.widgets.jquery_ui_theme` - jQuery UI Theme ======================================================= .. moduleauthor:: Luke Macken <[email protected]> """ from tw.api import Widget, CSSLink, CSSLink ui_theme_css = CSSLink(link='/css/jquery-ui/ui.theme.css', modname=__name__) ui_base_css = CSSLink(lin...
<commit_before>from tw.api import Widget, CSSLink class JQueryUITheme(Widget): css = [CSSLink(link='/css/jquery-ui/ui.theme.css', modname=__name__)] template = '' <commit_msg>Update our customized jQuery ui widgets<commit_after>
""" :mod:`moksha.widgets.jquery_ui_theme` - jQuery UI Theme ======================================================= .. moduleauthor:: Luke Macken <[email protected]> """ from tw.api import Widget, CSSLink, CSSLink ui_theme_css = CSSLink(link='/css/jquery-ui/ui.theme.css', modname=__name__) ui_base_css = CSSLink(lin...
from tw.api import Widget, CSSLink class JQueryUITheme(Widget): css = [CSSLink(link='/css/jquery-ui/ui.theme.css', modname=__name__)] template = '' Update our customized jQuery ui widgets""" :mod:`moksha.widgets.jquery_ui_theme` - jQuery UI Theme ======================================================= .. modu...
<commit_before>from tw.api import Widget, CSSLink class JQueryUITheme(Widget): css = [CSSLink(link='/css/jquery-ui/ui.theme.css', modname=__name__)] template = '' <commit_msg>Update our customized jQuery ui widgets<commit_after>""" :mod:`moksha.widgets.jquery_ui_theme` - jQuery UI Theme =======================...
79d8c1e95f3c876e600e1637253c7afcf3f36763
nn_patterns/explainer/__init__.py
nn_patterns/explainer/__init__.py
from .base import * from .gradient_based import * from .misc import * from .pattern_based import * from .relevance_based import * def create_explainer(name, output_layer, patterns=None, to_layer=None, **kwargs): return { # Gradient based "gradient": GradientExplainer, ...
from .base import * from .gradient_based import * from .misc import * from .pattern_based import * from .relevance_based import * def create_explainer(name, output_layer, patterns=None, to_layer=None, **kwargs): return { # Utility. "input": InputExplainer, "random": ...
Add input and random explainer to utility function.
Add input and random explainer to utility function.
Python
mit
pikinder/nn-patterns
from .base import * from .gradient_based import * from .misc import * from .pattern_based import * from .relevance_based import * def create_explainer(name, output_layer, patterns=None, to_layer=None, **kwargs): return { # Gradient based "gradient": GradientExplainer, ...
from .base import * from .gradient_based import * from .misc import * from .pattern_based import * from .relevance_based import * def create_explainer(name, output_layer, patterns=None, to_layer=None, **kwargs): return { # Utility. "input": InputExplainer, "random": ...
<commit_before> from .base import * from .gradient_based import * from .misc import * from .pattern_based import * from .relevance_based import * def create_explainer(name, output_layer, patterns=None, to_layer=None, **kwargs): return { # Gradient based "gradient": GradientEx...
from .base import * from .gradient_based import * from .misc import * from .pattern_based import * from .relevance_based import * def create_explainer(name, output_layer, patterns=None, to_layer=None, **kwargs): return { # Utility. "input": InputExplainer, "random": ...
from .base import * from .gradient_based import * from .misc import * from .pattern_based import * from .relevance_based import * def create_explainer(name, output_layer, patterns=None, to_layer=None, **kwargs): return { # Gradient based "gradient": GradientExplainer, ...
<commit_before> from .base import * from .gradient_based import * from .misc import * from .pattern_based import * from .relevance_based import * def create_explainer(name, output_layer, patterns=None, to_layer=None, **kwargs): return { # Gradient based "gradient": GradientEx...
689417cef23297e54b5f082e31539bd2381798bf
Persistence/RedisPersist.py
Persistence/RedisPersist.py
import redis class RedisPersist: _redis_connection = None def __init__(self, host="localhost", port=6379, db=0): self._redis_connection = redis.StrictRedis( host=host, port=port, db=db ) self._redis_connection.set('tmp_validate', 'tmp_validate') ...
import redis class RedisPersist: _redis_connection = None def __init__(self, host="localhost", port=6379, db=0): self._redis_connection = redis.StrictRedis( host=host, port=port, db=db ) self._redis_connection.set('tmp_validate', 'tmp_validate') ...
Remove debugging statements and provide support for Python 2.7
Remove debugging statements and provide support for Python 2.7
Python
apache-2.0
dsandersAzure/python_cowbull_server,dsandersAzure/python_cowbull_server
import redis class RedisPersist: _redis_connection = None def __init__(self, host="localhost", port=6379, db=0): self._redis_connection = redis.StrictRedis( host=host, port=port, db=db ) self._redis_connection.set('tmp_validate', 'tmp_validate') ...
import redis class RedisPersist: _redis_connection = None def __init__(self, host="localhost", port=6379, db=0): self._redis_connection = redis.StrictRedis( host=host, port=port, db=db ) self._redis_connection.set('tmp_validate', 'tmp_validate') ...
<commit_before>import redis class RedisPersist: _redis_connection = None def __init__(self, host="localhost", port=6379, db=0): self._redis_connection = redis.StrictRedis( host=host, port=port, db=db ) self._redis_connection.set('tmp_validate', 'tmp...
import redis class RedisPersist: _redis_connection = None def __init__(self, host="localhost", port=6379, db=0): self._redis_connection = redis.StrictRedis( host=host, port=port, db=db ) self._redis_connection.set('tmp_validate', 'tmp_validate') ...
import redis class RedisPersist: _redis_connection = None def __init__(self, host="localhost", port=6379, db=0): self._redis_connection = redis.StrictRedis( host=host, port=port, db=db ) self._redis_connection.set('tmp_validate', 'tmp_validate') ...
<commit_before>import redis class RedisPersist: _redis_connection = None def __init__(self, host="localhost", port=6379, db=0): self._redis_connection = redis.StrictRedis( host=host, port=port, db=db ) self._redis_connection.set('tmp_validate', 'tmp...
5f430b076ad70c23c430017a6aa7a7893530e995
deflect/management/commands/checkurls.py
deflect/management/commands/checkurls.py
from django.contrib.sites.models import Site from django.core.mail import mail_managers from django.core.management.base import NoArgsCommand from django.core.urlresolvers import reverse import requests from deflect.models import ShortURL class Command(NoArgsCommand): help = "Validate short URL redirect targets...
from django.contrib.sites.models import Site from django.core.mail import mail_managers from django.core.management.base import NoArgsCommand from django.core.urlresolvers import reverse import requests from deflect.models import ShortURL class Command(NoArgsCommand): help = "Validate short URL redirect targets...
Improve subject and text of URL report email
Improve subject and text of URL report email
Python
bsd-3-clause
jbittel/django-deflect
from django.contrib.sites.models import Site from django.core.mail import mail_managers from django.core.management.base import NoArgsCommand from django.core.urlresolvers import reverse import requests from deflect.models import ShortURL class Command(NoArgsCommand): help = "Validate short URL redirect targets...
from django.contrib.sites.models import Site from django.core.mail import mail_managers from django.core.management.base import NoArgsCommand from django.core.urlresolvers import reverse import requests from deflect.models import ShortURL class Command(NoArgsCommand): help = "Validate short URL redirect targets...
<commit_before>from django.contrib.sites.models import Site from django.core.mail import mail_managers from django.core.management.base import NoArgsCommand from django.core.urlresolvers import reverse import requests from deflect.models import ShortURL class Command(NoArgsCommand): help = "Validate short URL r...
from django.contrib.sites.models import Site from django.core.mail import mail_managers from django.core.management.base import NoArgsCommand from django.core.urlresolvers import reverse import requests from deflect.models import ShortURL class Command(NoArgsCommand): help = "Validate short URL redirect targets...
from django.contrib.sites.models import Site from django.core.mail import mail_managers from django.core.management.base import NoArgsCommand from django.core.urlresolvers import reverse import requests from deflect.models import ShortURL class Command(NoArgsCommand): help = "Validate short URL redirect targets...
<commit_before>from django.contrib.sites.models import Site from django.core.mail import mail_managers from django.core.management.base import NoArgsCommand from django.core.urlresolvers import reverse import requests from deflect.models import ShortURL class Command(NoArgsCommand): help = "Validate short URL r...
a28b2bc45b69503a8133b0df98ffa96d9aa4e229
helusers/migrations/0002_add_oidcbackchannellogoutevent.py
helusers/migrations/0002_add_oidcbackchannellogoutevent.py
# Generated by Django 3.2.4 on 2021-06-21 05:46 from django.db import migrations, models import django.utils.timezone class Migration(migrations.Migration): dependencies = [ ("helusers", "0001_add_ad_groups"), ] operations = [ migrations.CreateModel( name="OIDCBackChannelLog...
from django.db import migrations, models import django.utils.timezone class Migration(migrations.Migration): dependencies = [ ("helusers", "0001_add_ad_groups"), ] operations = [ migrations.CreateModel( name="OIDCBackChannelLogoutEvent", fields=[ (...
Modify migration file to include meta data changes
Modify migration file to include meta data changes The OIDCBackChannelLogoutEvent model's meta data was changed in commit f62a72b29f. Although this has no effect on the database, Django still wants to include the meta data in migrations. Since this migration file isn't yet included in any release, it can be modified, ...
Python
bsd-2-clause
City-of-Helsinki/django-helusers,City-of-Helsinki/django-helusers
# Generated by Django 3.2.4 on 2021-06-21 05:46 from django.db import migrations, models import django.utils.timezone class Migration(migrations.Migration): dependencies = [ ("helusers", "0001_add_ad_groups"), ] operations = [ migrations.CreateModel( name="OIDCBackChannelLog...
from django.db import migrations, models import django.utils.timezone class Migration(migrations.Migration): dependencies = [ ("helusers", "0001_add_ad_groups"), ] operations = [ migrations.CreateModel( name="OIDCBackChannelLogoutEvent", fields=[ (...
<commit_before># Generated by Django 3.2.4 on 2021-06-21 05:46 from django.db import migrations, models import django.utils.timezone class Migration(migrations.Migration): dependencies = [ ("helusers", "0001_add_ad_groups"), ] operations = [ migrations.CreateModel( name="OID...
from django.db import migrations, models import django.utils.timezone class Migration(migrations.Migration): dependencies = [ ("helusers", "0001_add_ad_groups"), ] operations = [ migrations.CreateModel( name="OIDCBackChannelLogoutEvent", fields=[ (...
# Generated by Django 3.2.4 on 2021-06-21 05:46 from django.db import migrations, models import django.utils.timezone class Migration(migrations.Migration): dependencies = [ ("helusers", "0001_add_ad_groups"), ] operations = [ migrations.CreateModel( name="OIDCBackChannelLog...
<commit_before># Generated by Django 3.2.4 on 2021-06-21 05:46 from django.db import migrations, models import django.utils.timezone class Migration(migrations.Migration): dependencies = [ ("helusers", "0001_add_ad_groups"), ] operations = [ migrations.CreateModel( name="OID...
83cd6a78a61a81bb2e431ee493dbe9b443e05927
fireplace/cards/wog/neutral_legendary.py
fireplace/cards/wog/neutral_legendary.py
from ..utils import * ## # Minions class OG_151: "Tentacle of N'Zoth" deathrattle = Hit(ALL_MINIONS, 1)
from ..utils import * ## # Minions
Fix copypaste error in card definitions
Fix copypaste error in card definitions
Python
agpl-3.0
NightKev/fireplace,beheh/fireplace,jleclanche/fireplace
from ..utils import * ## # Minions class OG_151: "Tentacle of N'Zoth" deathrattle = Hit(ALL_MINIONS, 1) Fix copypaste error in card definitions
from ..utils import * ## # Minions
<commit_before>from ..utils import * ## # Minions class OG_151: "Tentacle of N'Zoth" deathrattle = Hit(ALL_MINIONS, 1) <commit_msg>Fix copypaste error in card definitions<commit_after>
from ..utils import * ## # Minions
from ..utils import * ## # Minions class OG_151: "Tentacle of N'Zoth" deathrattle = Hit(ALL_MINIONS, 1) Fix copypaste error in card definitionsfrom ..utils import * ## # Minions
<commit_before>from ..utils import * ## # Minions class OG_151: "Tentacle of N'Zoth" deathrattle = Hit(ALL_MINIONS, 1) <commit_msg>Fix copypaste error in card definitions<commit_after>from ..utils import * ## # Minions
e8f2f1c9db328dd8116a44d9d934ecef3bc7fb5e
enum34_custom.py
enum34_custom.py
from enum import Enum, EnumMeta from functools import total_ordering class _MultiValueMeta(EnumMeta): def __init__(self, cls, bases, classdict): # make sure we only have tuple values, not single values for member in self.__members__.values(): if not isinstance(member.value, tuple): ...
from enum import Enum, EnumMeta from functools import total_ordering class _MultiValueMeta(EnumMeta): def __init__(self, cls, bases, classdict): # make sure we only have tuple values, not single values for member in self.__members__.values(): if not isinstance(member.value, tuple): ...
Raise ValueError explicitly from __call__ rather than with super()
Raise ValueError explicitly from __call__ rather than with super() because super() would make another lookup, but we already know the value isn't there.
Python
mit
kissgyorgy/enum34-custom
from enum import Enum, EnumMeta from functools import total_ordering class _MultiValueMeta(EnumMeta): def __init__(self, cls, bases, classdict): # make sure we only have tuple values, not single values for member in self.__members__.values(): if not isinstance(member.value, tuple): ...
from enum import Enum, EnumMeta from functools import total_ordering class _MultiValueMeta(EnumMeta): def __init__(self, cls, bases, classdict): # make sure we only have tuple values, not single values for member in self.__members__.values(): if not isinstance(member.value, tuple): ...
<commit_before>from enum import Enum, EnumMeta from functools import total_ordering class _MultiValueMeta(EnumMeta): def __init__(self, cls, bases, classdict): # make sure we only have tuple values, not single values for member in self.__members__.values(): if not isinstance(member.v...
from enum import Enum, EnumMeta from functools import total_ordering class _MultiValueMeta(EnumMeta): def __init__(self, cls, bases, classdict): # make sure we only have tuple values, not single values for member in self.__members__.values(): if not isinstance(member.value, tuple): ...
from enum import Enum, EnumMeta from functools import total_ordering class _MultiValueMeta(EnumMeta): def __init__(self, cls, bases, classdict): # make sure we only have tuple values, not single values for member in self.__members__.values(): if not isinstance(member.value, tuple): ...
<commit_before>from enum import Enum, EnumMeta from functools import total_ordering class _MultiValueMeta(EnumMeta): def __init__(self, cls, bases, classdict): # make sure we only have tuple values, not single values for member in self.__members__.values(): if not isinstance(member.v...
739a5a85a455105f01013b20762b1b493c4d5027
deflect/views.py
deflect/views.py
from __future__ import unicode_literals import base32_crockford import logging from django.db.models import F from django.http import Http404 from django.http import HttpResponsePermanentRedirect from django.shortcuts import get_object_or_404 from django.utils.timezone import now from .models import ShortURL from .m...
from __future__ import unicode_literals import base32_crockford import logging from django.db.models import F from django.http import Http404 from django.http import HttpResponsePermanentRedirect from django.shortcuts import get_object_or_404 from django.utils.timezone import now from .models import ShortURL from .m...
Simplify invalid decode warning text
Simplify invalid decode warning text The string is already displayed in the error text, so there's no reason to duplicate it.
Python
bsd-3-clause
jbittel/django-deflect
from __future__ import unicode_literals import base32_crockford import logging from django.db.models import F from django.http import Http404 from django.http import HttpResponsePermanentRedirect from django.shortcuts import get_object_or_404 from django.utils.timezone import now from .models import ShortURL from .m...
from __future__ import unicode_literals import base32_crockford import logging from django.db.models import F from django.http import Http404 from django.http import HttpResponsePermanentRedirect from django.shortcuts import get_object_or_404 from django.utils.timezone import now from .models import ShortURL from .m...
<commit_before>from __future__ import unicode_literals import base32_crockford import logging from django.db.models import F from django.http import Http404 from django.http import HttpResponsePermanentRedirect from django.shortcuts import get_object_or_404 from django.utils.timezone import now from .models import S...
from __future__ import unicode_literals import base32_crockford import logging from django.db.models import F from django.http import Http404 from django.http import HttpResponsePermanentRedirect from django.shortcuts import get_object_or_404 from django.utils.timezone import now from .models import ShortURL from .m...
from __future__ import unicode_literals import base32_crockford import logging from django.db.models import F from django.http import Http404 from django.http import HttpResponsePermanentRedirect from django.shortcuts import get_object_or_404 from django.utils.timezone import now from .models import ShortURL from .m...
<commit_before>from __future__ import unicode_literals import base32_crockford import logging from django.db.models import F from django.http import Http404 from django.http import HttpResponsePermanentRedirect from django.shortcuts import get_object_or_404 from django.utils.timezone import now from .models import S...
53ba55615fbd02e83212aecaa0c37d1887adfc73
tests/test_tracer.py
tests/test_tracer.py
import unittest import sys from tests.utils import requires_python_version class TestTreeTrace(unittest.TestCase): maxDiff = None @requires_python_version(3.5) def test_async_forbidden(self): def check(body): with self.assertRaises(ValueError): exec(""" from birdseye...
import sys import unittest from tests.utils import requires_python_version class TestTreeTrace(unittest.TestCase): maxDiff = None @requires_python_version(3.5) def test_async_forbidden(self): from birdseye.tracer import TreeTracerBase tracer = TreeTracerBase() with self.assertRai...
Fix inner exec syntax error in python 2.7
Fix inner exec syntax error in python 2.7
Python
mit
alexmojaki/birdseye,alexmojaki/birdseye,alexmojaki/birdseye,alexmojaki/birdseye
import unittest import sys from tests.utils import requires_python_version class TestTreeTrace(unittest.TestCase): maxDiff = None @requires_python_version(3.5) def test_async_forbidden(self): def check(body): with self.assertRaises(ValueError): exec(""" from birdseye...
import sys import unittest from tests.utils import requires_python_version class TestTreeTrace(unittest.TestCase): maxDiff = None @requires_python_version(3.5) def test_async_forbidden(self): from birdseye.tracer import TreeTracerBase tracer = TreeTracerBase() with self.assertRai...
<commit_before>import unittest import sys from tests.utils import requires_python_version class TestTreeTrace(unittest.TestCase): maxDiff = None @requires_python_version(3.5) def test_async_forbidden(self): def check(body): with self.assertRaises(ValueError): exec(""...
import sys import unittest from tests.utils import requires_python_version class TestTreeTrace(unittest.TestCase): maxDiff = None @requires_python_version(3.5) def test_async_forbidden(self): from birdseye.tracer import TreeTracerBase tracer = TreeTracerBase() with self.assertRai...
import unittest import sys from tests.utils import requires_python_version class TestTreeTrace(unittest.TestCase): maxDiff = None @requires_python_version(3.5) def test_async_forbidden(self): def check(body): with self.assertRaises(ValueError): exec(""" from birdseye...
<commit_before>import unittest import sys from tests.utils import requires_python_version class TestTreeTrace(unittest.TestCase): maxDiff = None @requires_python_version(3.5) def test_async_forbidden(self): def check(body): with self.assertRaises(ValueError): exec(""...
31d1e9a991923dcd748f26b3533f2736f04f6454
tests/test_typing.py
tests/test_typing.py
import typing from trafaretrecord import TrafaretRecord def test_initialization(): class A(TrafaretRecord): a: int b: str c: typing.List[int] tmp = A(a=1, b='1', c=[1, 2, 3]) assert repr(tmp) == "A(a=1, b='1', c=[1, 2, 3])" assert tmp._field_types == {'a': int, 'b': str, 'c':...
import typing from trafaretrecord import TrafaretRecord def test_initialization(): class A(TrafaretRecord): a: int b: str c: typing.List[int] tmp = A(a=1, b='1', c=[1, 2, 3]) assert repr(tmp) == "A(a=1, b='1', c=[1, 2, 3])" assert tmp._field_types == {'a': int, 'b': str, 'c':...
Add test for property setter
Add test for property setter
Python
mit
vovanbo/trafaretrecord,vovanbo/trafaretrecord
import typing from trafaretrecord import TrafaretRecord def test_initialization(): class A(TrafaretRecord): a: int b: str c: typing.List[int] tmp = A(a=1, b='1', c=[1, 2, 3]) assert repr(tmp) == "A(a=1, b='1', c=[1, 2, 3])" assert tmp._field_types == {'a': int, 'b': str, 'c':...
import typing from trafaretrecord import TrafaretRecord def test_initialization(): class A(TrafaretRecord): a: int b: str c: typing.List[int] tmp = A(a=1, b='1', c=[1, 2, 3]) assert repr(tmp) == "A(a=1, b='1', c=[1, 2, 3])" assert tmp._field_types == {'a': int, 'b': str, 'c':...
<commit_before>import typing from trafaretrecord import TrafaretRecord def test_initialization(): class A(TrafaretRecord): a: int b: str c: typing.List[int] tmp = A(a=1, b='1', c=[1, 2, 3]) assert repr(tmp) == "A(a=1, b='1', c=[1, 2, 3])" assert tmp._field_types == {'a': int,...
import typing from trafaretrecord import TrafaretRecord def test_initialization(): class A(TrafaretRecord): a: int b: str c: typing.List[int] tmp = A(a=1, b='1', c=[1, 2, 3]) assert repr(tmp) == "A(a=1, b='1', c=[1, 2, 3])" assert tmp._field_types == {'a': int, 'b': str, 'c':...
import typing from trafaretrecord import TrafaretRecord def test_initialization(): class A(TrafaretRecord): a: int b: str c: typing.List[int] tmp = A(a=1, b='1', c=[1, 2, 3]) assert repr(tmp) == "A(a=1, b='1', c=[1, 2, 3])" assert tmp._field_types == {'a': int, 'b': str, 'c':...
<commit_before>import typing from trafaretrecord import TrafaretRecord def test_initialization(): class A(TrafaretRecord): a: int b: str c: typing.List[int] tmp = A(a=1, b='1', c=[1, 2, 3]) assert repr(tmp) == "A(a=1, b='1', c=[1, 2, 3])" assert tmp._field_types == {'a': int,...
57ead9af05c95cee2354c55bb73f5fe26be3a256
rasterio/rio/main.py
rasterio/rio/main.py
# main: loader of all the command entry points. from pkg_resources import iter_entry_points from rasterio.rio.cli import cli # Find and load all entry points in the rasterio.rio_commands group. # This includes the standard commands included with Rasterio as well # as commands provided by other packages. # # At a mi...
# main: loader of all the command entry points. import sys import traceback from pkg_resources import iter_entry_points from rasterio.rio.cli import cli # Find and load all entry points in the rasterio.rio_commands group. # This includes the standard commands included with Rasterio as well # as commands provided b...
Handle plugin load errors in a helpful way.
Handle plugin load errors in a helpful way. On catching an ImportError, we make a dummy/stub subcommand that sits in the list of subcommands as expected and reports the error there.
Python
bsd-3-clause
youngpm/rasterio,johanvdw/rasterio,clembou/rasterio,youngpm/rasterio,njwilson23/rasterio,perrygeo/rasterio,johanvdw/rasterio,njwilson23/rasterio,kapadia/rasterio,perrygeo/rasterio,youngpm/rasterio,kapadia/rasterio,brendan-ward/rasterio,njwilson23/rasterio,kapadia/rasterio,brendan-ward/rasterio,johanvdw/rasterio,clembou...
# main: loader of all the command entry points. from pkg_resources import iter_entry_points from rasterio.rio.cli import cli # Find and load all entry points in the rasterio.rio_commands group. # This includes the standard commands included with Rasterio as well # as commands provided by other packages. # # At a mi...
# main: loader of all the command entry points. import sys import traceback from pkg_resources import iter_entry_points from rasterio.rio.cli import cli # Find and load all entry points in the rasterio.rio_commands group. # This includes the standard commands included with Rasterio as well # as commands provided b...
<commit_before># main: loader of all the command entry points. from pkg_resources import iter_entry_points from rasterio.rio.cli import cli # Find and load all entry points in the rasterio.rio_commands group. # This includes the standard commands included with Rasterio as well # as commands provided by other packag...
# main: loader of all the command entry points. import sys import traceback from pkg_resources import iter_entry_points from rasterio.rio.cli import cli # Find and load all entry points in the rasterio.rio_commands group. # This includes the standard commands included with Rasterio as well # as commands provided b...
# main: loader of all the command entry points. from pkg_resources import iter_entry_points from rasterio.rio.cli import cli # Find and load all entry points in the rasterio.rio_commands group. # This includes the standard commands included with Rasterio as well # as commands provided by other packages. # # At a mi...
<commit_before># main: loader of all the command entry points. from pkg_resources import iter_entry_points from rasterio.rio.cli import cli # Find and load all entry points in the rasterio.rio_commands group. # This includes the standard commands included with Rasterio as well # as commands provided by other packag...
69a339c792e2545cbd12c126a5b0865e4cf1e7e5
paystackapi/tests/test_product.py
paystackapi/tests/test_product.py
import httpretty from paystackapi.tests.base_test_case import BaseTestCase from paystackapi.product import Product # class TestProduct(BaseTestCase): # @httpretty.activate # def test_valid_create(self): # pass
import httpretty from paystackapi.tests.base_test_case import BaseTestCase from paystackapi.product import Product class TestProduct(BaseTestCase): @httpretty.activate def test_product_create(self): """Method defined to test product creation.""" httpretty.register_uri( httpretty....
Add test cases for product.
Add test cases for product.
Python
mit
andela-sjames/paystack-python
import httpretty from paystackapi.tests.base_test_case import BaseTestCase from paystackapi.product import Product # class TestProduct(BaseTestCase): # @httpretty.activate # def test_valid_create(self): # pass Add test cases for product.
import httpretty from paystackapi.tests.base_test_case import BaseTestCase from paystackapi.product import Product class TestProduct(BaseTestCase): @httpretty.activate def test_product_create(self): """Method defined to test product creation.""" httpretty.register_uri( httpretty....
<commit_before>import httpretty from paystackapi.tests.base_test_case import BaseTestCase from paystackapi.product import Product # class TestProduct(BaseTestCase): # @httpretty.activate # def test_valid_create(self): # pass <commit_msg>Add test cases for product.<commit_after>
import httpretty from paystackapi.tests.base_test_case import BaseTestCase from paystackapi.product import Product class TestProduct(BaseTestCase): @httpretty.activate def test_product_create(self): """Method defined to test product creation.""" httpretty.register_uri( httpretty....
import httpretty from paystackapi.tests.base_test_case import BaseTestCase from paystackapi.product import Product # class TestProduct(BaseTestCase): # @httpretty.activate # def test_valid_create(self): # pass Add test cases for product.import httpretty from paystackapi.tests.base_test_case import BaseTe...
<commit_before>import httpretty from paystackapi.tests.base_test_case import BaseTestCase from paystackapi.product import Product # class TestProduct(BaseTestCase): # @httpretty.activate # def test_valid_create(self): # pass <commit_msg>Add test cases for product.<commit_after>import httpretty from payst...
71e64dea686a57e358f87c926bf8c22313e99266
django_project/localities/tests/test_model_AttributeArchive.py
django_project/localities/tests/test_model_AttributeArchive.py
# -*- coding: utf-8 -*- from django.test import TestCase from .model_factories import AttributeF from ..models import AttributeArchive class TestModelAttributeArchive(TestCase): def test_archiving_attrbute(self): attribute = AttributeF.create(key='A key') attribute.description = 'a new descritp...
# -*- coding: utf-8 -*- from django.test import TestCase from .model_factories import AttributeF from ..models import AttributeArchive class TestModelAttributeArchive(TestCase): def test_archiving_attribute(self): attribute = AttributeF.create(key='A key') attribute.description = 'a new descrit...
Fix spelling test name spelling error
Fix spelling test name spelling error
Python
bsd-2-clause
ismailsunni/healthsites,ismailsunni/healthsites,ismailsunni/healthsites,ismailsunni/healthsites
# -*- coding: utf-8 -*- from django.test import TestCase from .model_factories import AttributeF from ..models import AttributeArchive class TestModelAttributeArchive(TestCase): def test_archiving_attrbute(self): attribute = AttributeF.create(key='A key') attribute.description = 'a new descritp...
# -*- coding: utf-8 -*- from django.test import TestCase from .model_factories import AttributeF from ..models import AttributeArchive class TestModelAttributeArchive(TestCase): def test_archiving_attribute(self): attribute = AttributeF.create(key='A key') attribute.description = 'a new descrit...
<commit_before># -*- coding: utf-8 -*- from django.test import TestCase from .model_factories import AttributeF from ..models import AttributeArchive class TestModelAttributeArchive(TestCase): def test_archiving_attrbute(self): attribute = AttributeF.create(key='A key') attribute.description = ...
# -*- coding: utf-8 -*- from django.test import TestCase from .model_factories import AttributeF from ..models import AttributeArchive class TestModelAttributeArchive(TestCase): def test_archiving_attribute(self): attribute = AttributeF.create(key='A key') attribute.description = 'a new descrit...
# -*- coding: utf-8 -*- from django.test import TestCase from .model_factories import AttributeF from ..models import AttributeArchive class TestModelAttributeArchive(TestCase): def test_archiving_attrbute(self): attribute = AttributeF.create(key='A key') attribute.description = 'a new descritp...
<commit_before># -*- coding: utf-8 -*- from django.test import TestCase from .model_factories import AttributeF from ..models import AttributeArchive class TestModelAttributeArchive(TestCase): def test_archiving_attrbute(self): attribute = AttributeF.create(key='A key') attribute.description = ...
096564c95371510769a7dec31cd5d90bf2c56955
scripts/migration/migrate_confirmed_user_emails.py
scripts/migration/migrate_confirmed_user_emails.py
"""Ensure that users with User.emails == [] have User.username inserted. """ import logging import sys from modularodm import Q from nose.tools import * from website import models from website.app import init_app from scripts import utils as scripts_utils logger = logging.getLogger(__name__) def main(): # S...
"""Ensure that confirmed users' usernames are included in their emails field. """ import logging import sys from modularodm import Q from website import models from website.app import init_app from scripts import utils as scripts_utils logger = logging.getLogger(__name__) def main(): # Set up storage backend...
Update migration script for users whose usernames aren't in emails field
Update migration script for users whose usernames aren't in emails field OSF-5462 Previously the script only migrated users who had an empty emails field. This updates the script to also handle users whose username isn't in the emails field, even when the emails field isn't empty
Python
apache-2.0
wearpants/osf.io,chrisseto/osf.io,felliott/osf.io,samchrisinger/osf.io,saradbowman/osf.io,jnayak1/osf.io,alexschiller/osf.io,Nesiehr/osf.io,asanfilippo7/osf.io,abought/osf.io,icereval/osf.io,caneruguz/osf.io,RomanZWang/osf.io,abought/osf.io,TomBaxter/osf.io,hmoco/osf.io,Nesiehr/osf.io,brandonPurvis/osf.io,cslzchen/osf....
"""Ensure that users with User.emails == [] have User.username inserted. """ import logging import sys from modularodm import Q from nose.tools import * from website import models from website.app import init_app from scripts import utils as scripts_utils logger = logging.getLogger(__name__) def main(): # S...
"""Ensure that confirmed users' usernames are included in their emails field. """ import logging import sys from modularodm import Q from website import models from website.app import init_app from scripts import utils as scripts_utils logger = logging.getLogger(__name__) def main(): # Set up storage backend...
<commit_before>"""Ensure that users with User.emails == [] have User.username inserted. """ import logging import sys from modularodm import Q from nose.tools import * from website import models from website.app import init_app from scripts import utils as scripts_utils logger = logging.getLogger(__name__) def ...
"""Ensure that confirmed users' usernames are included in their emails field. """ import logging import sys from modularodm import Q from website import models from website.app import init_app from scripts import utils as scripts_utils logger = logging.getLogger(__name__) def main(): # Set up storage backend...
"""Ensure that users with User.emails == [] have User.username inserted. """ import logging import sys from modularodm import Q from nose.tools import * from website import models from website.app import init_app from scripts import utils as scripts_utils logger = logging.getLogger(__name__) def main(): # S...
<commit_before>"""Ensure that users with User.emails == [] have User.username inserted. """ import logging import sys from modularodm import Q from nose.tools import * from website import models from website.app import init_app from scripts import utils as scripts_utils logger = logging.getLogger(__name__) def ...
4053e98a8d337628760233c40915fde43f22d1e2
events/models.py
events/models.py
from django.db import models from django.conf import settings # Create your models here. #Events : # Des users peuvent participer à un event # Les gens peuvnet être "intéressés" # Utiliser https://github.com/thoas/django-sequere ? # API hackeragenda class Event(models.Model): STATUS_CHOICES = ( ...
from django.db import models from django.conf import settings # Create your models here. #Events : # Des users peuvent participer à un event # Les gens peuvnet être "intéressés" # Utiliser https://github.com/thoas/django-sequere ? # API hackeragenda class Event(models.Model): STATUS_CHOICES = ( ...
Use ForeignKey instead of OneToOneField for event organizer
[fix] Use ForeignKey instead of OneToOneField for event organizer
Python
agpl-3.0
UrLab/incubator,UrLab/incubator,UrLab/incubator,UrLab/incubator
from django.db import models from django.conf import settings # Create your models here. #Events : # Des users peuvent participer à un event # Les gens peuvnet être "intéressés" # Utiliser https://github.com/thoas/django-sequere ? # API hackeragenda class Event(models.Model): STATUS_CHOICES = ( ...
from django.db import models from django.conf import settings # Create your models here. #Events : # Des users peuvent participer à un event # Les gens peuvnet être "intéressés" # Utiliser https://github.com/thoas/django-sequere ? # API hackeragenda class Event(models.Model): STATUS_CHOICES = ( ...
<commit_before>from django.db import models from django.conf import settings # Create your models here. #Events : # Des users peuvent participer à un event # Les gens peuvnet être "intéressés" # Utiliser https://github.com/thoas/django-sequere ? # API hackeragenda class Event(models.Model): STATUS_CHO...
from django.db import models from django.conf import settings # Create your models here. #Events : # Des users peuvent participer à un event # Les gens peuvnet être "intéressés" # Utiliser https://github.com/thoas/django-sequere ? # API hackeragenda class Event(models.Model): STATUS_CHOICES = ( ...
from django.db import models from django.conf import settings # Create your models here. #Events : # Des users peuvent participer à un event # Les gens peuvnet être "intéressés" # Utiliser https://github.com/thoas/django-sequere ? # API hackeragenda class Event(models.Model): STATUS_CHOICES = ( ...
<commit_before>from django.db import models from django.conf import settings # Create your models here. #Events : # Des users peuvent participer à un event # Les gens peuvnet être "intéressés" # Utiliser https://github.com/thoas/django-sequere ? # API hackeragenda class Event(models.Model): STATUS_CHO...
352aeadf68c102b03dc7fcc243e46c3442132c1d
pychecker/test_input/test70.py
pychecker/test_input/test70.py
'test checking constant conditions' # __pychecker__ = '' def func1(x): 'should not produce a warning' if 1: pass while 1: print x break assert x, 'test' return 0 def func2(x): 'should produce a warning' __pychecker__ = 'constant1' if 1: pass while 1...
'test checking constant conditions' # __pychecker__ = '' def func1(x): 'should not produce a warning' if 1: pass while 1: print x break assert x, 'test' return 0 def func2(x): 'should produce a warning' __pychecker__ = 'constant1' if 1: pass while 1...
Fix a problem reported by Greg Ward and pointed out by John Machin when doing:
Fix a problem reported by Greg Ward and pointed out by John Machin when doing: return (need_quotes) and ('"%s"' % text) or (text) The following warning was generated: Using a conditional statement with a constant value ("%s") This was because even the stack wasn't modified after a BINARY_MODULO to s...
Python
bsd-3-clause
smspillaz/pychecker,smspillaz/pychecker,smspillaz/pychecker
'test checking constant conditions' # __pychecker__ = '' def func1(x): 'should not produce a warning' if 1: pass while 1: print x break assert x, 'test' return 0 def func2(x): 'should produce a warning' __pychecker__ = 'constant1' if 1: pass while 1...
'test checking constant conditions' # __pychecker__ = '' def func1(x): 'should not produce a warning' if 1: pass while 1: print x break assert x, 'test' return 0 def func2(x): 'should produce a warning' __pychecker__ = 'constant1' if 1: pass while 1...
<commit_before>'test checking constant conditions' # __pychecker__ = '' def func1(x): 'should not produce a warning' if 1: pass while 1: print x break assert x, 'test' return 0 def func2(x): 'should produce a warning' __pychecker__ = 'constant1' if 1: p...
'test checking constant conditions' # __pychecker__ = '' def func1(x): 'should not produce a warning' if 1: pass while 1: print x break assert x, 'test' return 0 def func2(x): 'should produce a warning' __pychecker__ = 'constant1' if 1: pass while 1...
'test checking constant conditions' # __pychecker__ = '' def func1(x): 'should not produce a warning' if 1: pass while 1: print x break assert x, 'test' return 0 def func2(x): 'should produce a warning' __pychecker__ = 'constant1' if 1: pass while 1...
<commit_before>'test checking constant conditions' # __pychecker__ = '' def func1(x): 'should not produce a warning' if 1: pass while 1: print x break assert x, 'test' return 0 def func2(x): 'should produce a warning' __pychecker__ = 'constant1' if 1: p...
69c2921f308ef1bd102ba95152ebdeccf72b8f6e
source/seedsource/tasks/cleanup_tifs.py
source/seedsource/tasks/cleanup_tifs.py
from django.conf import settings import os import os.path import time import re from celery.task import task @task def cleanup_temp_tif_files(age=7200): temp_dir = settings.DATASET_DOWNLOAD_DIR cutoff = time.time() - age t_files = os.listdir(temp_dir) for t_file in t_files: if re.search('.tif$'...
from django.conf import settings import os import os.path import time import re from celery.task import task @task def cleanup_temp_tif_files(age=7200): temp_dir = settings.DATASET_DOWNLOAD_DIR cutoff = time.time() - age t_files = os.listdir(temp_dir) for t_file in t_files: if re.search('.zip$'...
Update GeoTIFF cleanup to cleanup .zip
Update GeoTIFF cleanup to cleanup .zip
Python
bsd-3-clause
consbio/seedsource,consbio/seedsource,consbio/seedsource
from django.conf import settings import os import os.path import time import re from celery.task import task @task def cleanup_temp_tif_files(age=7200): temp_dir = settings.DATASET_DOWNLOAD_DIR cutoff = time.time() - age t_files = os.listdir(temp_dir) for t_file in t_files: if re.search('.tif$'...
from django.conf import settings import os import os.path import time import re from celery.task import task @task def cleanup_temp_tif_files(age=7200): temp_dir = settings.DATASET_DOWNLOAD_DIR cutoff = time.time() - age t_files = os.listdir(temp_dir) for t_file in t_files: if re.search('.zip$'...
<commit_before>from django.conf import settings import os import os.path import time import re from celery.task import task @task def cleanup_temp_tif_files(age=7200): temp_dir = settings.DATASET_DOWNLOAD_DIR cutoff = time.time() - age t_files = os.listdir(temp_dir) for t_file in t_files: if re...
from django.conf import settings import os import os.path import time import re from celery.task import task @task def cleanup_temp_tif_files(age=7200): temp_dir = settings.DATASET_DOWNLOAD_DIR cutoff = time.time() - age t_files = os.listdir(temp_dir) for t_file in t_files: if re.search('.zip$'...
from django.conf import settings import os import os.path import time import re from celery.task import task @task def cleanup_temp_tif_files(age=7200): temp_dir = settings.DATASET_DOWNLOAD_DIR cutoff = time.time() - age t_files = os.listdir(temp_dir) for t_file in t_files: if re.search('.tif$'...
<commit_before>from django.conf import settings import os import os.path import time import re from celery.task import task @task def cleanup_temp_tif_files(age=7200): temp_dir = settings.DATASET_DOWNLOAD_DIR cutoff = time.time() - age t_files = os.listdir(temp_dir) for t_file in t_files: if re...
55646644c18fe5e10669743025cc00b8225f9908
south/introspection_plugins/__init__.py
south/introspection_plugins/__init__.py
# This module contains built-in introspector plugins for various common # Django apps. # These imports trigger the lower-down files import south.introspection_plugins.geodjango import south.introspection_plugins.django_tagging import south.introspection_plugins.django_taggit import south.introspection_plugins.django_o...
# This module contains built-in introspector plugins for various common # Django apps. # These imports trigger the lower-down files import south.introspection_plugins.geodjango import south.introspection_plugins.django_tagging import south.introspection_plugins.django_taggit import south.introspection_plugins.django_o...
Add import of django-annoying patch
Add import of django-annoying patch
Python
apache-2.0
philipn/django-south,philipn/django-south,nimnull/django-south,RaD/django-south,RaD/django-south,RaD/django-south,nimnull/django-south
# This module contains built-in introspector plugins for various common # Django apps. # These imports trigger the lower-down files import south.introspection_plugins.geodjango import south.introspection_plugins.django_tagging import south.introspection_plugins.django_taggit import south.introspection_plugins.django_o...
# This module contains built-in introspector plugins for various common # Django apps. # These imports trigger the lower-down files import south.introspection_plugins.geodjango import south.introspection_plugins.django_tagging import south.introspection_plugins.django_taggit import south.introspection_plugins.django_o...
<commit_before># This module contains built-in introspector plugins for various common # Django apps. # These imports trigger the lower-down files import south.introspection_plugins.geodjango import south.introspection_plugins.django_tagging import south.introspection_plugins.django_taggit import south.introspection_p...
# This module contains built-in introspector plugins for various common # Django apps. # These imports trigger the lower-down files import south.introspection_plugins.geodjango import south.introspection_plugins.django_tagging import south.introspection_plugins.django_taggit import south.introspection_plugins.django_o...
# This module contains built-in introspector plugins for various common # Django apps. # These imports trigger the lower-down files import south.introspection_plugins.geodjango import south.introspection_plugins.django_tagging import south.introspection_plugins.django_taggit import south.introspection_plugins.django_o...
<commit_before># This module contains built-in introspector plugins for various common # Django apps. # These imports trigger the lower-down files import south.introspection_plugins.geodjango import south.introspection_plugins.django_tagging import south.introspection_plugins.django_taggit import south.introspection_p...
65a78d5aafdbba03812995f38e31fba0621e350e
setup_utils.py
setup_utils.py
import os import re def update_pins(setup_args): # Use requirements and constraints to set version pins packages = set() with open('./requirements.txt') as requirements: for r in requirements: if r.lower().strip() == 'dallinger': continue if not r.startswith...
import os import re REQUIREMENT_RE = re.compile(r'^(([^=]+)[=<>]+[^#]+)(#.*)?$') def update_pins(setup_args): # Use requirements and constraints to set version pins packages = set() install_dir = os.path.dirname(__file__) with open(os.path.join(install_dir, 'requirements.txt')) as requirements: ...
Address review concerns: allow range requirements, specify requirments file path explicitly, ...
Address review concerns: allow range requirements, specify requirments file path explicitly, ...
Python
mit
Dallinger/Dallinger,Dallinger/Dallinger,Dallinger/Dallinger,Dallinger/Dallinger,Dallinger/Dallinger
import os import re def update_pins(setup_args): # Use requirements and constraints to set version pins packages = set() with open('./requirements.txt') as requirements: for r in requirements: if r.lower().strip() == 'dallinger': continue if not r.startswith...
import os import re REQUIREMENT_RE = re.compile(r'^(([^=]+)[=<>]+[^#]+)(#.*)?$') def update_pins(setup_args): # Use requirements and constraints to set version pins packages = set() install_dir = os.path.dirname(__file__) with open(os.path.join(install_dir, 'requirements.txt')) as requirements: ...
<commit_before>import os import re def update_pins(setup_args): # Use requirements and constraints to set version pins packages = set() with open('./requirements.txt') as requirements: for r in requirements: if r.lower().strip() == 'dallinger': continue if n...
import os import re REQUIREMENT_RE = re.compile(r'^(([^=]+)[=<>]+[^#]+)(#.*)?$') def update_pins(setup_args): # Use requirements and constraints to set version pins packages = set() install_dir = os.path.dirname(__file__) with open(os.path.join(install_dir, 'requirements.txt')) as requirements: ...
import os import re def update_pins(setup_args): # Use requirements and constraints to set version pins packages = set() with open('./requirements.txt') as requirements: for r in requirements: if r.lower().strip() == 'dallinger': continue if not r.startswith...
<commit_before>import os import re def update_pins(setup_args): # Use requirements and constraints to set version pins packages = set() with open('./requirements.txt') as requirements: for r in requirements: if r.lower().strip() == 'dallinger': continue if n...
14edc2e547f3dbad0777c8fccc23a0d0b6a0019f
plugins/star.py
plugins/star.py
import urllib.request import urllib.error import json import plugin import command import message import os def onInit(plugin): star_command = command.command(plugin, 'star', shortdesc='Post a random picture of Star Butterfly to the channel') return plugin.plugin.plugin(plugin, 'star', [star_command]) def onC...
import urllib.request import urllib.error import json import plugin import command import message import caching import os def onInit(plugin): star_command = command.command(plugin, 'star', shortdesc='Post a random picture of Star Butterfly to the channel') return plugin.plugin.plugin(plugin, 'star', [star_com...
Update Star plugin to use new caching API
Update Star plugin to use new caching API
Python
apache-2.0
dhinakg/BitSTAR,dhinakg/BitSTAR,StarbotDiscord/Starbot,StarbotDiscord/Starbot
import urllib.request import urllib.error import json import plugin import command import message import os def onInit(plugin): star_command = command.command(plugin, 'star', shortdesc='Post a random picture of Star Butterfly to the channel') return plugin.plugin.plugin(plugin, 'star', [star_command]) def onC...
import urllib.request import urllib.error import json import plugin import command import message import caching import os def onInit(plugin): star_command = command.command(plugin, 'star', shortdesc='Post a random picture of Star Butterfly to the channel') return plugin.plugin.plugin(plugin, 'star', [star_com...
<commit_before>import urllib.request import urllib.error import json import plugin import command import message import os def onInit(plugin): star_command = command.command(plugin, 'star', shortdesc='Post a random picture of Star Butterfly to the channel') return plugin.plugin.plugin(plugin, 'star', [star_com...
import urllib.request import urllib.error import json import plugin import command import message import caching import os def onInit(plugin): star_command = command.command(plugin, 'star', shortdesc='Post a random picture of Star Butterfly to the channel') return plugin.plugin.plugin(plugin, 'star', [star_com...
import urllib.request import urllib.error import json import plugin import command import message import os def onInit(plugin): star_command = command.command(plugin, 'star', shortdesc='Post a random picture of Star Butterfly to the channel') return plugin.plugin.plugin(plugin, 'star', [star_command]) def onC...
<commit_before>import urllib.request import urllib.error import json import plugin import command import message import os def onInit(plugin): star_command = command.command(plugin, 'star', shortdesc='Post a random picture of Star Butterfly to the channel') return plugin.plugin.plugin(plugin, 'star', [star_com...
1afa686eafbaa4392e81cad881db55e1fafb112f
src/armet/connectors/bottle/__init__.py
src/armet/connectors/bottle/__init__.py
# -*- coding: utf-8 -*- from __future__ import print_function, unicode_literals, division def is_available(*capacities): """ Detects if the environment is available for use in the (optionally) specified capacities. """ try: # Attempted import import bottle # flake8: noqa ...
Add detection support for bottle.
Add detection support for bottle.
Python
mit
armet/python-armet
Add detection support for bottle.
# -*- coding: utf-8 -*- from __future__ import print_function, unicode_literals, division def is_available(*capacities): """ Detects if the environment is available for use in the (optionally) specified capacities. """ try: # Attempted import import bottle # flake8: noqa ...
<commit_before><commit_msg>Add detection support for bottle.<commit_after>
# -*- coding: utf-8 -*- from __future__ import print_function, unicode_literals, division def is_available(*capacities): """ Detects if the environment is available for use in the (optionally) specified capacities. """ try: # Attempted import import bottle # flake8: noqa ...
Add detection support for bottle.# -*- coding: utf-8 -*- from __future__ import print_function, unicode_literals, division def is_available(*capacities): """ Detects if the environment is available for use in the (optionally) specified capacities. """ try: # Attempted import import...
<commit_before><commit_msg>Add detection support for bottle.<commit_after># -*- coding: utf-8 -*- from __future__ import print_function, unicode_literals, division def is_available(*capacities): """ Detects if the environment is available for use in the (optionally) specified capacities. """ try: ...
0433623b8e15559fe304e6406e58b1cd2639493f
apps/polls/tests.py
apps/polls/tests.py
""" This file demonstrates writing tests using the unittest module. These will pass when you run "manage.py test". Replace this with more appropriate tests for your application. """ from django.test import TestCase class SimpleTest(TestCase): def test_basic_addition(self): """ Tests that 1 + 1 a...
import datetime from django.utils import timezone from django.test import TestCase from apps.polls.models import Poll class PollMethodTests(TestCase): def test_was_published_recently_with_future_poll(self): """ was_published_recently() should return False for polls whose pub_date is in t...
Create a test to expose the bug
Create a test to expose the bug
Python
bsd-3-clause
datphan/teracy-tutorial
""" This file demonstrates writing tests using the unittest module. These will pass when you run "manage.py test". Replace this with more appropriate tests for your application. """ from django.test import TestCase class SimpleTest(TestCase): def test_basic_addition(self): """ Tests that 1 + 1 a...
import datetime from django.utils import timezone from django.test import TestCase from apps.polls.models import Poll class PollMethodTests(TestCase): def test_was_published_recently_with_future_poll(self): """ was_published_recently() should return False for polls whose pub_date is in t...
<commit_before>""" This file demonstrates writing tests using the unittest module. These will pass when you run "manage.py test". Replace this with more appropriate tests for your application. """ from django.test import TestCase class SimpleTest(TestCase): def test_basic_addition(self): """ Tes...
import datetime from django.utils import timezone from django.test import TestCase from apps.polls.models import Poll class PollMethodTests(TestCase): def test_was_published_recently_with_future_poll(self): """ was_published_recently() should return False for polls whose pub_date is in t...
""" This file demonstrates writing tests using the unittest module. These will pass when you run "manage.py test". Replace this with more appropriate tests for your application. """ from django.test import TestCase class SimpleTest(TestCase): def test_basic_addition(self): """ Tests that 1 + 1 a...
<commit_before>""" This file demonstrates writing tests using the unittest module. These will pass when you run "manage.py test". Replace this with more appropriate tests for your application. """ from django.test import TestCase class SimpleTest(TestCase): def test_basic_addition(self): """ Tes...
da952803636a0701331008a025b6789de89ce152
modloader/modclass.py
modloader/modclass.py
import modinfo class Mod(): """The Mod class This is supposed to act like a superclass for mods. Execution order is as follows: mod_load -> mod_complete """ def mod_info(self): """Get the mod info Returns: A tuple with the name, version, and author """ ...
import modinfo import sys class Mod(): """The Mod class This is supposed to act like a superclass for mods. Execution order is as follows: mod_load -> mod_complete """ def mod_info(self): """Get the mod info Returns: A tuple with the name, version, and author ...
Store more data about a mod in the registry
Store more data about a mod in the registry
Python
mit
AWSW-Modding/AWSW-Modtools
import modinfo class Mod(): """The Mod class This is supposed to act like a superclass for mods. Execution order is as follows: mod_load -> mod_complete """ def mod_info(self): """Get the mod info Returns: A tuple with the name, version, and author """ ...
import modinfo import sys class Mod(): """The Mod class This is supposed to act like a superclass for mods. Execution order is as follows: mod_load -> mod_complete """ def mod_info(self): """Get the mod info Returns: A tuple with the name, version, and author ...
<commit_before>import modinfo class Mod(): """The Mod class This is supposed to act like a superclass for mods. Execution order is as follows: mod_load -> mod_complete """ def mod_info(self): """Get the mod info Returns: A tuple with the name, version, and author ...
import modinfo import sys class Mod(): """The Mod class This is supposed to act like a superclass for mods. Execution order is as follows: mod_load -> mod_complete """ def mod_info(self): """Get the mod info Returns: A tuple with the name, version, and author ...
import modinfo class Mod(): """The Mod class This is supposed to act like a superclass for mods. Execution order is as follows: mod_load -> mod_complete """ def mod_info(self): """Get the mod info Returns: A tuple with the name, version, and author """ ...
<commit_before>import modinfo class Mod(): """The Mod class This is supposed to act like a superclass for mods. Execution order is as follows: mod_load -> mod_complete """ def mod_info(self): """Get the mod info Returns: A tuple with the name, version, and author ...
17655f4b099ac840712dd95ad989f7b41301b83c
case_conversion/__init__.py
case_conversion/__init__.py
from case_conversion import ( camelcase, pascalcase, snakecase, dashcase, kebabcase, spinalcase, constcase, dotcase, separate_words, slashcase, backslashcase)
from __future__ import absolute_import from .case_conversion import ( camelcase, pascalcase, snakecase, dashcase, kebabcase, spinalcase, constcase, dotcase, separate_words, slashcase, backslashcase)
Fix import errors from implicit-relative imports.
Fix import errors from implicit-relative imports.
Python
mit
AlejandroFrias/case-conversion
from case_conversion import ( camelcase, pascalcase, snakecase, dashcase, kebabcase, spinalcase, constcase, dotcase, separate_words, slashcase, backslashcase) Fix import errors from implicit-relative imports.
from __future__ import absolute_import from .case_conversion import ( camelcase, pascalcase, snakecase, dashcase, kebabcase, spinalcase, constcase, dotcase, separate_words, slashcase, backslashcase)
<commit_before>from case_conversion import ( camelcase, pascalcase, snakecase, dashcase, kebabcase, spinalcase, constcase, dotcase, separate_words, slashcase, backslashcase) <commit_msg>Fix import errors from implicit-relative imports.<commit_after>
from __future__ import absolute_import from .case_conversion import ( camelcase, pascalcase, snakecase, dashcase, kebabcase, spinalcase, constcase, dotcase, separate_words, slashcase, backslashcase)
from case_conversion import ( camelcase, pascalcase, snakecase, dashcase, kebabcase, spinalcase, constcase, dotcase, separate_words, slashcase, backslashcase) Fix import errors from implicit-relative imports.from __future__ import absolute_import from .case_conversion import ( camelcase, pascalcase, snakec...
<commit_before>from case_conversion import ( camelcase, pascalcase, snakecase, dashcase, kebabcase, spinalcase, constcase, dotcase, separate_words, slashcase, backslashcase) <commit_msg>Fix import errors from implicit-relative imports.<commit_after>from __future__ import absolute_import from .case_conversion i...
2945ae3bb8dd85bd96546cef4ff1e297774d7190
checker/checker/__init__.py
checker/checker/__init__.py
#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest import ContestChecker as BaseChecker OK = 0 TIMEOUT = 1 NOTWORKING = 2 NOTFOUND = 3
#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest import ContestChecker as BaseChecker OK = 0 TIMEOUT = 1 NOTWORKING = 2 NOTFOUND = 3 _mapping = ["OK", "TIMEOUT", "NOTWORKING", "NOTFOUND"] def string_to_result(strresult): return _mapping.index(strresult) def result_...
Add forward/reverse mapping of checkerstati
Add forward/reverse mapping of checkerstati
Python
isc
fausecteam/ctf-gameserver,fausecteam/ctf-gameserver,fausecteam/ctf-gameserver,fausecteam/ctf-gameserver,fausecteam/ctf-gameserver
#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest import ContestChecker as BaseChecker OK = 0 TIMEOUT = 1 NOTWORKING = 2 NOTFOUND = 3 Add forward/reverse mapping of checkerstati
#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest import ContestChecker as BaseChecker OK = 0 TIMEOUT = 1 NOTWORKING = 2 NOTFOUND = 3 _mapping = ["OK", "TIMEOUT", "NOTWORKING", "NOTFOUND"] def string_to_result(strresult): return _mapping.index(strresult) def result_...
<commit_before>#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest import ContestChecker as BaseChecker OK = 0 TIMEOUT = 1 NOTWORKING = 2 NOTFOUND = 3 <commit_msg>Add forward/reverse mapping of checkerstati<commit_after>
#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest import ContestChecker as BaseChecker OK = 0 TIMEOUT = 1 NOTWORKING = 2 NOTFOUND = 3 _mapping = ["OK", "TIMEOUT", "NOTWORKING", "NOTFOUND"] def string_to_result(strresult): return _mapping.index(strresult) def result_...
#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest import ContestChecker as BaseChecker OK = 0 TIMEOUT = 1 NOTWORKING = 2 NOTFOUND = 3 Add forward/reverse mapping of checkerstati#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest ...
<commit_before>#!/usr/bin/python3 from checker.local import LocalChecker as BaseChecker #from checker.contest import ContestChecker as BaseChecker OK = 0 TIMEOUT = 1 NOTWORKING = 2 NOTFOUND = 3 <commit_msg>Add forward/reverse mapping of checkerstati<commit_after>#!/usr/bin/python3 from checker.local import LocalChec...
1a837e84a129e99f7734fe0ffdc6ff3a239ecc4a
ci/generate_pipeline_yml.py
ci/generate_pipeline_yml.py
#!/usr/bin/env python import os from jinja2 import Template clusters = ['2_3', '2_4', '2_5', '2_6'] # Commenting out this as we only have one example and it breaks tiles = [] # [d for d in os.listdir('../examples') if os.path.isdir(os.path.join('../examples', d))] with open('pipeline.yml.jinja2', 'r') as f: t = Te...
#!/usr/bin/env python import os from jinja2 import Template clusters = ['2_5', '2_6', '2_7'] # Commenting out this as we only have one example and it breaks tiles = [] # [d for d in os.listdir('../examples') if os.path.isdir(os.path.join('../examples', d))] with open('pipeline.yml.jinja2', 'r') as f: t = Template(...
Remove 2.3 and 2.4 from CI pipeline
Remove 2.3 and 2.4 from CI pipeline
Python
apache-2.0
cf-platform-eng/tile-generator,cf-platform-eng/tile-generator,cf-platform-eng/tile-generator,cf-platform-eng/tile-generator
#!/usr/bin/env python import os from jinja2 import Template clusters = ['2_3', '2_4', '2_5', '2_6'] # Commenting out this as we only have one example and it breaks tiles = [] # [d for d in os.listdir('../examples') if os.path.isdir(os.path.join('../examples', d))] with open('pipeline.yml.jinja2', 'r') as f: t = Te...
#!/usr/bin/env python import os from jinja2 import Template clusters = ['2_5', '2_6', '2_7'] # Commenting out this as we only have one example and it breaks tiles = [] # [d for d in os.listdir('../examples') if os.path.isdir(os.path.join('../examples', d))] with open('pipeline.yml.jinja2', 'r') as f: t = Template(...
<commit_before>#!/usr/bin/env python import os from jinja2 import Template clusters = ['2_3', '2_4', '2_5', '2_6'] # Commenting out this as we only have one example and it breaks tiles = [] # [d for d in os.listdir('../examples') if os.path.isdir(os.path.join('../examples', d))] with open('pipeline.yml.jinja2', 'r')...
#!/usr/bin/env python import os from jinja2 import Template clusters = ['2_5', '2_6', '2_7'] # Commenting out this as we only have one example and it breaks tiles = [] # [d for d in os.listdir('../examples') if os.path.isdir(os.path.join('../examples', d))] with open('pipeline.yml.jinja2', 'r') as f: t = Template(...
#!/usr/bin/env python import os from jinja2 import Template clusters = ['2_3', '2_4', '2_5', '2_6'] # Commenting out this as we only have one example and it breaks tiles = [] # [d for d in os.listdir('../examples') if os.path.isdir(os.path.join('../examples', d))] with open('pipeline.yml.jinja2', 'r') as f: t = Te...
<commit_before>#!/usr/bin/env python import os from jinja2 import Template clusters = ['2_3', '2_4', '2_5', '2_6'] # Commenting out this as we only have one example and it breaks tiles = [] # [d for d in os.listdir('../examples') if os.path.isdir(os.path.join('../examples', d))] with open('pipeline.yml.jinja2', 'r')...
60317dda9795391dd6468b573f5e1038ae1fe384
src/apps/utils/db.py
src/apps/utils/db.py
# -*- coding: utf-8 -*- from __future__ import absolute_import def retrieve_in_order_from_db(model, ids): """ Retrieve entities of the given model from the RDBMS in order given their ids. :param model: model of the entities :param ids: ids of the entities :return: a list of entities """ #...
# -*- coding: utf-8 -*- from __future__ import absolute_import def retrieve_in_order_from_db(model, ids, prefetch=True): """ Retrieve entities of the given model from the RDBMS in order given their ids. :param model: model of the entities :param ids: ids of the entities :param prefetch: prefetch ...
Optimize DB access: use of prefetch_related()
Optimize DB access: use of prefetch_related()
Python
apache-2.0
dvalcarce/filmyou-web,dvalcarce/filmyou-web,dvalcarce/filmyou-web
# -*- coding: utf-8 -*- from __future__ import absolute_import def retrieve_in_order_from_db(model, ids): """ Retrieve entities of the given model from the RDBMS in order given their ids. :param model: model of the entities :param ids: ids of the entities :return: a list of entities """ #...
# -*- coding: utf-8 -*- from __future__ import absolute_import def retrieve_in_order_from_db(model, ids, prefetch=True): """ Retrieve entities of the given model from the RDBMS in order given their ids. :param model: model of the entities :param ids: ids of the entities :param prefetch: prefetch ...
<commit_before># -*- coding: utf-8 -*- from __future__ import absolute_import def retrieve_in_order_from_db(model, ids): """ Retrieve entities of the given model from the RDBMS in order given their ids. :param model: model of the entities :param ids: ids of the entities :return: a list of entitie...
# -*- coding: utf-8 -*- from __future__ import absolute_import def retrieve_in_order_from_db(model, ids, prefetch=True): """ Retrieve entities of the given model from the RDBMS in order given their ids. :param model: model of the entities :param ids: ids of the entities :param prefetch: prefetch ...
# -*- coding: utf-8 -*- from __future__ import absolute_import def retrieve_in_order_from_db(model, ids): """ Retrieve entities of the given model from the RDBMS in order given their ids. :param model: model of the entities :param ids: ids of the entities :return: a list of entities """ #...
<commit_before># -*- coding: utf-8 -*- from __future__ import absolute_import def retrieve_in_order_from_db(model, ids): """ Retrieve entities of the given model from the RDBMS in order given their ids. :param model: model of the entities :param ids: ids of the entities :return: a list of entitie...
b76b3cbe0d86bd5037ccfd21086ab50803606ec2
autobuilder/webhooks.py
autobuilder/webhooks.py
from buildbot.status.web.hooks.github import GitHubEventHandler from twisted.python import log import abconfig class AutobuilderGithubEventHandler(GitHubEventHandler): def handle_push(self, payload): # This field is unused: user = None # user = payload['pusher']['name'] repo = payl...
from buildbot.status.web.hooks.github import GitHubEventHandler from twisted.python import log import abconfig def codebasemap(payload): return abconfig.get_project_for_url(payload['repository']['url']) class AutobuilderGithubEventHandler(GitHubEventHandler): def __init__(self, secret, strict codebase=None):...
Add a codebase generator to the Github web hoook handler, to map the URL to the repo name for use as the codebase.
Add a codebase generator to the Github web hoook handler, to map the URL to the repo name for use as the codebase.
Python
mit
madisongh/autobuilder
from buildbot.status.web.hooks.github import GitHubEventHandler from twisted.python import log import abconfig class AutobuilderGithubEventHandler(GitHubEventHandler): def handle_push(self, payload): # This field is unused: user = None # user = payload['pusher']['name'] repo = payl...
from buildbot.status.web.hooks.github import GitHubEventHandler from twisted.python import log import abconfig def codebasemap(payload): return abconfig.get_project_for_url(payload['repository']['url']) class AutobuilderGithubEventHandler(GitHubEventHandler): def __init__(self, secret, strict codebase=None):...
<commit_before>from buildbot.status.web.hooks.github import GitHubEventHandler from twisted.python import log import abconfig class AutobuilderGithubEventHandler(GitHubEventHandler): def handle_push(self, payload): # This field is unused: user = None # user = payload['pusher']['name'] ...
from buildbot.status.web.hooks.github import GitHubEventHandler from twisted.python import log import abconfig def codebasemap(payload): return abconfig.get_project_for_url(payload['repository']['url']) class AutobuilderGithubEventHandler(GitHubEventHandler): def __init__(self, secret, strict codebase=None):...
from buildbot.status.web.hooks.github import GitHubEventHandler from twisted.python import log import abconfig class AutobuilderGithubEventHandler(GitHubEventHandler): def handle_push(self, payload): # This field is unused: user = None # user = payload['pusher']['name'] repo = payl...
<commit_before>from buildbot.status.web.hooks.github import GitHubEventHandler from twisted.python import log import abconfig class AutobuilderGithubEventHandler(GitHubEventHandler): def handle_push(self, payload): # This field is unused: user = None # user = payload['pusher']['name'] ...
fa1a383aa194f028e9aa6eb4ff474281dd7c5bfe
team2/python/rasacalculator.py
team2/python/rasacalculator.py
import sys;s='%s: lines %d, RaSa: %d' def u(z): r=I=0;b=1 for m in open(z): r+=1 for k in m: if '{'==k:b+=1 if ';'==k:I+=b if '}'==k:b-=1 return(r,I) c=D=0 for z in sys.argv[1:]: r,I=u(z);c+=r;D+=I;print s%(z,r,I) print s%('total',c,D)
#!/usr/bin/env python import argparse def calculate_file_rasa(file_path): row_count = 0 multiplier = 1 rasa = 0 for line in open(file_path): row_count += 1 for char in line: if char == '{': multiplier += 1 if char == ';': rasa +=...
Revert to try cleanest solution
Revert to try cleanest solution
Python
mit
jketo/arcusysdevday2015,jketo/arcusysdevday2015,jketo/arcusysdevday2015,jketo/arcusysdevday2015,jketo/arcusysdevday2015,jketo/arcusysdevday2015,jketo/arcusysdevday2015,jketo/arcusysdevday2015,jketo/arcusysdevday2015,jketo/arcusysdevday2015
import sys;s='%s: lines %d, RaSa: %d' def u(z): r=I=0;b=1 for m in open(z): r+=1 for k in m: if '{'==k:b+=1 if ';'==k:I+=b if '}'==k:b-=1 return(r,I) c=D=0 for z in sys.argv[1:]: r,I=u(z);c+=r;D+=I;print s%(z,r,I) print s%('total',c,D)Revert to try cleanest solution
#!/usr/bin/env python import argparse def calculate_file_rasa(file_path): row_count = 0 multiplier = 1 rasa = 0 for line in open(file_path): row_count += 1 for char in line: if char == '{': multiplier += 1 if char == ';': rasa +=...
<commit_before>import sys;s='%s: lines %d, RaSa: %d' def u(z): r=I=0;b=1 for m in open(z): r+=1 for k in m: if '{'==k:b+=1 if ';'==k:I+=b if '}'==k:b-=1 return(r,I) c=D=0 for z in sys.argv[1:]: r,I=u(z);c+=r;D+=I;print s%(z,r,I) print s%('total',c,D)<commit_msg>Revert to try cleanest solution<commit_af...
#!/usr/bin/env python import argparse def calculate_file_rasa(file_path): row_count = 0 multiplier = 1 rasa = 0 for line in open(file_path): row_count += 1 for char in line: if char == '{': multiplier += 1 if char == ';': rasa +=...
import sys;s='%s: lines %d, RaSa: %d' def u(z): r=I=0;b=1 for m in open(z): r+=1 for k in m: if '{'==k:b+=1 if ';'==k:I+=b if '}'==k:b-=1 return(r,I) c=D=0 for z in sys.argv[1:]: r,I=u(z);c+=r;D+=I;print s%(z,r,I) print s%('total',c,D)Revert to try cleanest solution#!/usr/bin/env python import argparse...
<commit_before>import sys;s='%s: lines %d, RaSa: %d' def u(z): r=I=0;b=1 for m in open(z): r+=1 for k in m: if '{'==k:b+=1 if ';'==k:I+=b if '}'==k:b-=1 return(r,I) c=D=0 for z in sys.argv[1:]: r,I=u(z);c+=r;D+=I;print s%(z,r,I) print s%('total',c,D)<commit_msg>Revert to try cleanest solution<commit_af...
c03241320138fe7b545b43514e93615473270b0d
netbox/dcim/fields.py
netbox/dcim/fields.py
from django.core.exceptions import ValidationError from django.core.validators import MinValueValidator, MaxValueValidator from django.db import models from netaddr import AddrFormatError, EUI, mac_unix_expanded import pprint class ASNField(models.BigIntegerField): description = "32-bit ASN field" default_val...
from django.core.exceptions import ValidationError from django.core.validators import MinValueValidator, MaxValueValidator from django.db import models from netaddr import AddrFormatError, EUI, mac_unix_expanded class ASNField(models.BigIntegerField): description = "32-bit ASN field" default_validators = [ ...
Remove unneeded import from testing.
Remove unneeded import from testing.
Python
apache-2.0
lampwins/netbox,digitalocean/netbox,lampwins/netbox,digitalocean/netbox,lampwins/netbox,digitalocean/netbox,lampwins/netbox,digitalocean/netbox
from django.core.exceptions import ValidationError from django.core.validators import MinValueValidator, MaxValueValidator from django.db import models from netaddr import AddrFormatError, EUI, mac_unix_expanded import pprint class ASNField(models.BigIntegerField): description = "32-bit ASN field" default_val...
from django.core.exceptions import ValidationError from django.core.validators import MinValueValidator, MaxValueValidator from django.db import models from netaddr import AddrFormatError, EUI, mac_unix_expanded class ASNField(models.BigIntegerField): description = "32-bit ASN field" default_validators = [ ...
<commit_before>from django.core.exceptions import ValidationError from django.core.validators import MinValueValidator, MaxValueValidator from django.db import models from netaddr import AddrFormatError, EUI, mac_unix_expanded import pprint class ASNField(models.BigIntegerField): description = "32-bit ASN field" ...
from django.core.exceptions import ValidationError from django.core.validators import MinValueValidator, MaxValueValidator from django.db import models from netaddr import AddrFormatError, EUI, mac_unix_expanded class ASNField(models.BigIntegerField): description = "32-bit ASN field" default_validators = [ ...
from django.core.exceptions import ValidationError from django.core.validators import MinValueValidator, MaxValueValidator from django.db import models from netaddr import AddrFormatError, EUI, mac_unix_expanded import pprint class ASNField(models.BigIntegerField): description = "32-bit ASN field" default_val...
<commit_before>from django.core.exceptions import ValidationError from django.core.validators import MinValueValidator, MaxValueValidator from django.db import models from netaddr import AddrFormatError, EUI, mac_unix_expanded import pprint class ASNField(models.BigIntegerField): description = "32-bit ASN field" ...
4a8b1a7633279e3276fceb3e12eca852dc583764
baro.py
baro.py
from datetime import datetime import utils class Baro: """This class contains info about the Void Trader and is initialized with data in JSON format """ def __init__(self, data): self.config = data['Config'] self.start = datetime.fromtimestamp(data['Activation'...
from datetime import datetime import utils class Baro: """This class contains info about the Void Trader and is initialized with data in JSON format """ def __init__(self, data): self.config = data['Config'] self.start = datetime.fromtimestamp(data['Activation'...
Add is_active() method to the Baro class
Add is_active() method to the Baro class
Python
mit
pabletos/Hubot-Warframe,pabletos/Hubot-Warframe
from datetime import datetime import utils class Baro: """This class contains info about the Void Trader and is initialized with data in JSON format """ def __init__(self, data): self.config = data['Config'] self.start = datetime.fromtimestamp(data['Activation'...
from datetime import datetime import utils class Baro: """This class contains info about the Void Trader and is initialized with data in JSON format """ def __init__(self, data): self.config = data['Config'] self.start = datetime.fromtimestamp(data['Activation'...
<commit_before>from datetime import datetime import utils class Baro: """This class contains info about the Void Trader and is initialized with data in JSON format """ def __init__(self, data): self.config = data['Config'] self.start = datetime.fromtimestamp(da...
from datetime import datetime import utils class Baro: """This class contains info about the Void Trader and is initialized with data in JSON format """ def __init__(self, data): self.config = data['Config'] self.start = datetime.fromtimestamp(data['Activation'...
from datetime import datetime import utils class Baro: """This class contains info about the Void Trader and is initialized with data in JSON format """ def __init__(self, data): self.config = data['Config'] self.start = datetime.fromtimestamp(data['Activation'...
<commit_before>from datetime import datetime import utils class Baro: """This class contains info about the Void Trader and is initialized with data in JSON format """ def __init__(self, data): self.config = data['Config'] self.start = datetime.fromtimestamp(da...
3e8921b2edcf8a675b6ed496cf5e282c76cc2070
retrieveData.py
retrieveData.py
#!/usr/bin/env python import json, os, requests from models import db, FoodMenu, FoodServices key = os.environ.get('UWOPENDATA_APIKEY') def getData(service): payload = {'key': key, 'service': service} r = requests.get('http://api.uwaterloo.ca/public/v1/', params=payload) return r foodMenu = getData('FoodMenu').te...
#!/usr/bin/env python import json, os, requests from models import db, FoodMenu, FoodServices key = os.environ.get('UWOPENDATA_APIKEY') def getData(service): payload = {'key': key, 'service': service} r = requests.get('http://api.uwaterloo.ca/public/v1/', params=payload) return r def retrieve(): payload = {'key'...
Update retrieve() for FoodMenu data
Update retrieve() for FoodMenu data
Python
mit
alykhank/FoodMenu,alykhank/FoodMenu,alykhank/FoodMenu
#!/usr/bin/env python import json, os, requests from models import db, FoodMenu, FoodServices key = os.environ.get('UWOPENDATA_APIKEY') def getData(service): payload = {'key': key, 'service': service} r = requests.get('http://api.uwaterloo.ca/public/v1/', params=payload) return r foodMenu = getData('FoodMenu').te...
#!/usr/bin/env python import json, os, requests from models import db, FoodMenu, FoodServices key = os.environ.get('UWOPENDATA_APIKEY') def getData(service): payload = {'key': key, 'service': service} r = requests.get('http://api.uwaterloo.ca/public/v1/', params=payload) return r def retrieve(): payload = {'key'...
<commit_before>#!/usr/bin/env python import json, os, requests from models import db, FoodMenu, FoodServices key = os.environ.get('UWOPENDATA_APIKEY') def getData(service): payload = {'key': key, 'service': service} r = requests.get('http://api.uwaterloo.ca/public/v1/', params=payload) return r foodMenu = getData...
#!/usr/bin/env python import json, os, requests from models import db, FoodMenu, FoodServices key = os.environ.get('UWOPENDATA_APIKEY') def getData(service): payload = {'key': key, 'service': service} r = requests.get('http://api.uwaterloo.ca/public/v1/', params=payload) return r def retrieve(): payload = {'key'...
#!/usr/bin/env python import json, os, requests from models import db, FoodMenu, FoodServices key = os.environ.get('UWOPENDATA_APIKEY') def getData(service): payload = {'key': key, 'service': service} r = requests.get('http://api.uwaterloo.ca/public/v1/', params=payload) return r foodMenu = getData('FoodMenu').te...
<commit_before>#!/usr/bin/env python import json, os, requests from models import db, FoodMenu, FoodServices key = os.environ.get('UWOPENDATA_APIKEY') def getData(service): payload = {'key': key, 'service': service} r = requests.get('http://api.uwaterloo.ca/public/v1/', params=payload) return r foodMenu = getData...
d86e475e0d87399ba7487f7b41b12657de997665
opentreemap/registration_backend/urls.py
opentreemap/registration_backend/urls.py
from django.conf.urls import patterns from django.conf.urls import include from django.conf.urls import url from django.views.generic.base import TemplateView from views import RegistrationView, ActivationView urlpatterns = patterns('', url(r'^activate/complete/$', TemplateView.as_view(template_name='reg...
from django.conf.urls import patterns from django.conf.urls import include from django.conf.urls import url from django.views.generic.base import TemplateView from views import RegistrationView, ActivationView urlpatterns = patterns('', url(r'^activation-complete/$', TemplateView.as_view(template_name='r...
Change user activation complete URL to avoid conflicts
Change user activation complete URL to avoid conflicts Because a separate django app is overriding 'accounts/activate/w+' 'accounts/activate/complete' was never being hit. Fixes #1133
Python
agpl-3.0
recklessromeo/otm-core,clever-crow-consulting/otm-core,clever-crow-consulting/otm-core,RickMohr/otm-core,recklessromeo/otm-core,maurizi/otm-core,maurizi/otm-core,RickMohr/otm-core,recklessromeo/otm-core,clever-crow-consulting/otm-core,recklessromeo/otm-core,RickMohr/otm-core,RickMohr/otm-core,maurizi/otm-core,maurizi/o...
from django.conf.urls import patterns from django.conf.urls import include from django.conf.urls import url from django.views.generic.base import TemplateView from views import RegistrationView, ActivationView urlpatterns = patterns('', url(r'^activate/complete/$', TemplateView.as_view(template_name='reg...
from django.conf.urls import patterns from django.conf.urls import include from django.conf.urls import url from django.views.generic.base import TemplateView from views import RegistrationView, ActivationView urlpatterns = patterns('', url(r'^activation-complete/$', TemplateView.as_view(template_name='r...
<commit_before>from django.conf.urls import patterns from django.conf.urls import include from django.conf.urls import url from django.views.generic.base import TemplateView from views import RegistrationView, ActivationView urlpatterns = patterns('', url(r'^activate/complete/$', TemplateView.as_view(tem...
from django.conf.urls import patterns from django.conf.urls import include from django.conf.urls import url from django.views.generic.base import TemplateView from views import RegistrationView, ActivationView urlpatterns = patterns('', url(r'^activation-complete/$', TemplateView.as_view(template_name='r...
from django.conf.urls import patterns from django.conf.urls import include from django.conf.urls import url from django.views.generic.base import TemplateView from views import RegistrationView, ActivationView urlpatterns = patterns('', url(r'^activate/complete/$', TemplateView.as_view(template_name='reg...
<commit_before>from django.conf.urls import patterns from django.conf.urls import include from django.conf.urls import url from django.views.generic.base import TemplateView from views import RegistrationView, ActivationView urlpatterns = patterns('', url(r'^activate/complete/$', TemplateView.as_view(tem...
553735a857875abf54bc71b7b73569d223b4ccf7
tests/basic/test_union_find.py
tests/basic/test_union_find.py
#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_union_find ---------------------------------- Tests for `python_algorithms.union_find` module. """ import unittest from python_algorithms.basic.union_find import UF class TestUnionFind(unittest.TestCase): def setUp(self): self.N = 10 self...
#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_union_find ---------------------------------- Tests for `python_algorithms.union_find` module. """ import unittest from python_algorithms.basic.union_find import UF class TestUnionFind(unittest.TestCase): def setUp(self): self.N = 10 self...
Fix minor typing issue in union find test.
Fix minor typing issue in union find test.
Python
bsd-3-clause
cjauvin/python_algorithms,ofenerci/python_algorithms,ofenerci/python_algorithms,pombredanne/python_algorithms,pombredanne/python_algorithms,pombredanne/python_algorithms,cjauvin/python_algorithms,cjauvin/python_algorithms,ofenerci/python_algorithms
#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_union_find ---------------------------------- Tests for `python_algorithms.union_find` module. """ import unittest from python_algorithms.basic.union_find import UF class TestUnionFind(unittest.TestCase): def setUp(self): self.N = 10 self...
#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_union_find ---------------------------------- Tests for `python_algorithms.union_find` module. """ import unittest from python_algorithms.basic.union_find import UF class TestUnionFind(unittest.TestCase): def setUp(self): self.N = 10 self...
<commit_before>#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_union_find ---------------------------------- Tests for `python_algorithms.union_find` module. """ import unittest from python_algorithms.basic.union_find import UF class TestUnionFind(unittest.TestCase): def setUp(self): self.N = ...
#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_union_find ---------------------------------- Tests for `python_algorithms.union_find` module. """ import unittest from python_algorithms.basic.union_find import UF class TestUnionFind(unittest.TestCase): def setUp(self): self.N = 10 self...
#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_union_find ---------------------------------- Tests for `python_algorithms.union_find` module. """ import unittest from python_algorithms.basic.union_find import UF class TestUnionFind(unittest.TestCase): def setUp(self): self.N = 10 self...
<commit_before>#!/usr/bin/env python # -*- coding: utf-8 -*- """ test_union_find ---------------------------------- Tests for `python_algorithms.union_find` module. """ import unittest from python_algorithms.basic.union_find import UF class TestUnionFind(unittest.TestCase): def setUp(self): self.N = ...
566fc15f136076db5c421ca18f8b1fcb3d332229
ovp_projects/views.py
ovp_projects/views.py
from ovp_projects import serializers from ovp_projects import models from ovp_users import models as users_models from rest_framework import mixins from rest_framework import viewsets from rest_framework import response from rest_framework import status class ProjectResourceViewSet(mixins.CreateModelMixin, mixins.Re...
from ovp_projects import serializers from ovp_projects import models from ovp_users import models as users_models from rest_framework import mixins from rest_framework import viewsets from rest_framework import response from rest_framework import status class ProjectResourceViewSet(mixins.CreateModelMixin, mixins.Re...
Return ProjectSearchSerializer on ProjectResourceViewSet if action != 'Create'
Return ProjectSearchSerializer on ProjectResourceViewSet if action != 'Create'
Python
agpl-3.0
OpenVolunteeringPlatform/django-ovp-projects,OpenVolunteeringPlatform/django-ovp-projects
from ovp_projects import serializers from ovp_projects import models from ovp_users import models as users_models from rest_framework import mixins from rest_framework import viewsets from rest_framework import response from rest_framework import status class ProjectResourceViewSet(mixins.CreateModelMixin, mixins.Re...
from ovp_projects import serializers from ovp_projects import models from ovp_users import models as users_models from rest_framework import mixins from rest_framework import viewsets from rest_framework import response from rest_framework import status class ProjectResourceViewSet(mixins.CreateModelMixin, mixins.Re...
<commit_before>from ovp_projects import serializers from ovp_projects import models from ovp_users import models as users_models from rest_framework import mixins from rest_framework import viewsets from rest_framework import response from rest_framework import status class ProjectResourceViewSet(mixins.CreateModelM...
from ovp_projects import serializers from ovp_projects import models from ovp_users import models as users_models from rest_framework import mixins from rest_framework import viewsets from rest_framework import response from rest_framework import status class ProjectResourceViewSet(mixins.CreateModelMixin, mixins.Re...
from ovp_projects import serializers from ovp_projects import models from ovp_users import models as users_models from rest_framework import mixins from rest_framework import viewsets from rest_framework import response from rest_framework import status class ProjectResourceViewSet(mixins.CreateModelMixin, mixins.Re...
<commit_before>from ovp_projects import serializers from ovp_projects import models from ovp_users import models as users_models from rest_framework import mixins from rest_framework import viewsets from rest_framework import response from rest_framework import status class ProjectResourceViewSet(mixins.CreateModelM...
9f9441cf43e66780ca7f24197d3cd9ece923dd30
kiva/quartz/__init__.py
kiva/quartz/__init__.py
# :Author: Robert Kern # :Copyright: 2004, Enthought, Inc. # :License: BSD Style from mac_context import get_mac_context def get_macport(dc): """ Returns the Port or the CGContext of a wxDC (or child class) instance. """ if 'GetCGContext' in dir(dc): ptr = dc.GetCGContext() retur...
# :Author: Robert Kern # :Copyright: 2004, Enthought, Inc. # :License: BSD Style try: from mac_context import get_mac_context except ImportError: get_mac_context = None def get_macport(dc): """ Returns the Port or the CGContext of a wxDC (or child class) instance. """ if 'GetCGContext' i...
Allow kiva.quartz to be imported on non-darwin platforms without error.
Allow kiva.quartz to be imported on non-darwin platforms without error.
Python
bsd-3-clause
tommy-u/enable,tommy-u/enable,tommy-u/enable,tommy-u/enable
# :Author: Robert Kern # :Copyright: 2004, Enthought, Inc. # :License: BSD Style from mac_context import get_mac_context def get_macport(dc): """ Returns the Port or the CGContext of a wxDC (or child class) instance. """ if 'GetCGContext' in dir(dc): ptr = dc.GetCGContext() retur...
# :Author: Robert Kern # :Copyright: 2004, Enthought, Inc. # :License: BSD Style try: from mac_context import get_mac_context except ImportError: get_mac_context = None def get_macport(dc): """ Returns the Port or the CGContext of a wxDC (or child class) instance. """ if 'GetCGContext' i...
<commit_before># :Author: Robert Kern # :Copyright: 2004, Enthought, Inc. # :License: BSD Style from mac_context import get_mac_context def get_macport(dc): """ Returns the Port or the CGContext of a wxDC (or child class) instance. """ if 'GetCGContext' in dir(dc): ptr = dc.GetCGContext(...
# :Author: Robert Kern # :Copyright: 2004, Enthought, Inc. # :License: BSD Style try: from mac_context import get_mac_context except ImportError: get_mac_context = None def get_macport(dc): """ Returns the Port or the CGContext of a wxDC (or child class) instance. """ if 'GetCGContext' i...
# :Author: Robert Kern # :Copyright: 2004, Enthought, Inc. # :License: BSD Style from mac_context import get_mac_context def get_macport(dc): """ Returns the Port or the CGContext of a wxDC (or child class) instance. """ if 'GetCGContext' in dir(dc): ptr = dc.GetCGContext() retur...
<commit_before># :Author: Robert Kern # :Copyright: 2004, Enthought, Inc. # :License: BSD Style from mac_context import get_mac_context def get_macport(dc): """ Returns the Port or the CGContext of a wxDC (or child class) instance. """ if 'GetCGContext' in dir(dc): ptr = dc.GetCGContext(...
1d361c8a743868b66bec7bd506aa0e33b19ed59c
opps/__init__.py
opps/__init__.py
#!/usr/bin/env python # -*- coding: utf-8 -*- import pkg_resources pkg_resources.declare_namespace(__name__) VERSION = (0, 2, 1) __version__ = ".".join(map(str, VERSION)) __status__ = "Development" __description__ = u"Open Source Content Management Platform - CMS for the " u"magazines, newspappers websites and porta...
#!/usr/bin/env python # -*- coding: utf-8 -*- import pkg_resources pkg_resources.declare_namespace(__name__) VERSION = (0, 2, 2) __version__ = ".".join(map(str, VERSION)) __status__ = "Development" __description__ = u"Open Source Content Management Platform - CMS for the " u"magazines, newspappers websites and porta...
Set new developer version `0.2.2`
Set new developer version `0.2.2`
Python
mit
YACOWS/opps,YACOWS/opps,williamroot/opps,opps/opps,jeanmask/opps,opps/opps,opps/opps,opps/opps,williamroot/opps,jeanmask/opps,YACOWS/opps,jeanmask/opps,jeanmask/opps,williamroot/opps,williamroot/opps,YACOWS/opps
#!/usr/bin/env python # -*- coding: utf-8 -*- import pkg_resources pkg_resources.declare_namespace(__name__) VERSION = (0, 2, 1) __version__ = ".".join(map(str, VERSION)) __status__ = "Development" __description__ = u"Open Source Content Management Platform - CMS for the " u"magazines, newspappers websites and porta...
#!/usr/bin/env python # -*- coding: utf-8 -*- import pkg_resources pkg_resources.declare_namespace(__name__) VERSION = (0, 2, 2) __version__ = ".".join(map(str, VERSION)) __status__ = "Development" __description__ = u"Open Source Content Management Platform - CMS for the " u"magazines, newspappers websites and porta...
<commit_before>#!/usr/bin/env python # -*- coding: utf-8 -*- import pkg_resources pkg_resources.declare_namespace(__name__) VERSION = (0, 2, 1) __version__ = ".".join(map(str, VERSION)) __status__ = "Development" __description__ = u"Open Source Content Management Platform - CMS for the " u"magazines, newspappers web...
#!/usr/bin/env python # -*- coding: utf-8 -*- import pkg_resources pkg_resources.declare_namespace(__name__) VERSION = (0, 2, 2) __version__ = ".".join(map(str, VERSION)) __status__ = "Development" __description__ = u"Open Source Content Management Platform - CMS for the " u"magazines, newspappers websites and porta...
#!/usr/bin/env python # -*- coding: utf-8 -*- import pkg_resources pkg_resources.declare_namespace(__name__) VERSION = (0, 2, 1) __version__ = ".".join(map(str, VERSION)) __status__ = "Development" __description__ = u"Open Source Content Management Platform - CMS for the " u"magazines, newspappers websites and porta...
<commit_before>#!/usr/bin/env python # -*- coding: utf-8 -*- import pkg_resources pkg_resources.declare_namespace(__name__) VERSION = (0, 2, 1) __version__ = ".".join(map(str, VERSION)) __status__ = "Development" __description__ = u"Open Source Content Management Platform - CMS for the " u"magazines, newspappers web...
412265731720b8df9630cbe1ec3bd307986137ad
bob/db/base/__init__.py
bob/db/base/__init__.py
#!/usr/bin/env python # Andre Anjos <[email protected]> # Thu 23 Jun 20:22:28 2011 CEST # vim: set fileencoding=utf-8 : """The db package contains simplified APIs to access data for various databases that can be used in Biometry, Machine Learning or Pattern Classification.""" import pkg_resources __version__ = pk...
#!/usr/bin/env python # Andre Anjos <[email protected]> # Thu 23 Jun 20:22:28 2011 CEST # vim: set fileencoding=utf-8 : """The db package contains simplified APIs to access data for various databases that can be used in Biometry, Machine Learning or Pattern Classification.""" import pkg_resources from . import ut...
Add a low-level database API
Add a low-level database API
Python
bsd-3-clause
bioidiap/bob.db.base
#!/usr/bin/env python # Andre Anjos <[email protected]> # Thu 23 Jun 20:22:28 2011 CEST # vim: set fileencoding=utf-8 : """The db package contains simplified APIs to access data for various databases that can be used in Biometry, Machine Learning or Pattern Classification.""" import pkg_resources __version__ = pk...
#!/usr/bin/env python # Andre Anjos <[email protected]> # Thu 23 Jun 20:22:28 2011 CEST # vim: set fileencoding=utf-8 : """The db package contains simplified APIs to access data for various databases that can be used in Biometry, Machine Learning or Pattern Classification.""" import pkg_resources from . import ut...
<commit_before>#!/usr/bin/env python # Andre Anjos <[email protected]> # Thu 23 Jun 20:22:28 2011 CEST # vim: set fileencoding=utf-8 : """The db package contains simplified APIs to access data for various databases that can be used in Biometry, Machine Learning or Pattern Classification.""" import pkg_resources _...
#!/usr/bin/env python # Andre Anjos <[email protected]> # Thu 23 Jun 20:22:28 2011 CEST # vim: set fileencoding=utf-8 : """The db package contains simplified APIs to access data for various databases that can be used in Biometry, Machine Learning or Pattern Classification.""" import pkg_resources from . import ut...
#!/usr/bin/env python # Andre Anjos <[email protected]> # Thu 23 Jun 20:22:28 2011 CEST # vim: set fileencoding=utf-8 : """The db package contains simplified APIs to access data for various databases that can be used in Biometry, Machine Learning or Pattern Classification.""" import pkg_resources __version__ = pk...
<commit_before>#!/usr/bin/env python # Andre Anjos <[email protected]> # Thu 23 Jun 20:22:28 2011 CEST # vim: set fileencoding=utf-8 : """The db package contains simplified APIs to access data for various databases that can be used in Biometry, Machine Learning or Pattern Classification.""" import pkg_resources _...
98b6f81f68ce4338e932afc14b7b9d4c8a810e71
src/dirtyfields/dirtyfields.py
src/dirtyfields/dirtyfields.py
# Adapted from http://stackoverflow.com/questions/110803/dirty-fields-in-django from django.db.models.signals import post_save class DirtyFieldsMixin(object): def __init__(self, *args, **kwargs): super(DirtyFieldsMixin, self).__init__(*args, **kwargs) post_save.connect(reset_state, sender=self.__cl...
# Adapted from http://stackoverflow.com/questions/110803/dirty-fields-in-django from django.db.models.signals import post_save class DirtyFieldsMixin(object): def __init__(self, *args, **kwargs): super(DirtyFieldsMixin, self).__init__(*args, **kwargs) post_save.connect(reset_state, sender=self.__cl...
Use field.to_python to do django type conversions on the field before checking if dirty.
Use field.to_python to do django type conversions on the field before checking if dirty. This solves issues where you might have a decimal field that you write a string to, eg: >>> m = MyModel.objects.get(id=1) >>> m.my_decimal_field Decimal('1.00') >>> m.my_decimal_field = u'1.00' # from a form or something >>> m.is_...
Python
bsd-3-clause
mattcaldwell/django-dirtyfields,georgemarshall/django-dirtyfields
# Adapted from http://stackoverflow.com/questions/110803/dirty-fields-in-django from django.db.models.signals import post_save class DirtyFieldsMixin(object): def __init__(self, *args, **kwargs): super(DirtyFieldsMixin, self).__init__(*args, **kwargs) post_save.connect(reset_state, sender=self.__cl...
# Adapted from http://stackoverflow.com/questions/110803/dirty-fields-in-django from django.db.models.signals import post_save class DirtyFieldsMixin(object): def __init__(self, *args, **kwargs): super(DirtyFieldsMixin, self).__init__(*args, **kwargs) post_save.connect(reset_state, sender=self.__cl...
<commit_before># Adapted from http://stackoverflow.com/questions/110803/dirty-fields-in-django from django.db.models.signals import post_save class DirtyFieldsMixin(object): def __init__(self, *args, **kwargs): super(DirtyFieldsMixin, self).__init__(*args, **kwargs) post_save.connect(reset_state, s...
# Adapted from http://stackoverflow.com/questions/110803/dirty-fields-in-django from django.db.models.signals import post_save class DirtyFieldsMixin(object): def __init__(self, *args, **kwargs): super(DirtyFieldsMixin, self).__init__(*args, **kwargs) post_save.connect(reset_state, sender=self.__cl...
# Adapted from http://stackoverflow.com/questions/110803/dirty-fields-in-django from django.db.models.signals import post_save class DirtyFieldsMixin(object): def __init__(self, *args, **kwargs): super(DirtyFieldsMixin, self).__init__(*args, **kwargs) post_save.connect(reset_state, sender=self.__cl...
<commit_before># Adapted from http://stackoverflow.com/questions/110803/dirty-fields-in-django from django.db.models.signals import post_save class DirtyFieldsMixin(object): def __init__(self, *args, **kwargs): super(DirtyFieldsMixin, self).__init__(*args, **kwargs) post_save.connect(reset_state, s...
1a2cabca5be1b9682e39db12bd52c26f5bb8b5b9
src/dicomweb_client/ext/gcp/session_utils.py
src/dicomweb_client/ext/gcp/session_utils.py
"""Session management utilities for Google Cloud Platform (GCP).""" from typing import Optional, Any try: import google.auth from google.auth.transport import requests as google_requests except ImportError: raise ImportError( 'The `dicomweb-client` package needs to be installed with the ' '...
"""Session management utilities for Google Cloud Platform (GCP).""" from typing import Optional, Any try: import google.auth from google.auth.transport import requests as google_requests except ImportError: raise ImportError( 'The `dicomweb-client` package needs to be installed with the ' '...
Add note to gcp session utils method
Add note to gcp session utils method
Python
mit
MGHComputationalPathology/dicomweb-client
"""Session management utilities for Google Cloud Platform (GCP).""" from typing import Optional, Any try: import google.auth from google.auth.transport import requests as google_requests except ImportError: raise ImportError( 'The `dicomweb-client` package needs to be installed with the ' '...
"""Session management utilities for Google Cloud Platform (GCP).""" from typing import Optional, Any try: import google.auth from google.auth.transport import requests as google_requests except ImportError: raise ImportError( 'The `dicomweb-client` package needs to be installed with the ' '...
<commit_before>"""Session management utilities for Google Cloud Platform (GCP).""" from typing import Optional, Any try: import google.auth from google.auth.transport import requests as google_requests except ImportError: raise ImportError( 'The `dicomweb-client` package needs to be installed with ...
"""Session management utilities for Google Cloud Platform (GCP).""" from typing import Optional, Any try: import google.auth from google.auth.transport import requests as google_requests except ImportError: raise ImportError( 'The `dicomweb-client` package needs to be installed with the ' '...
"""Session management utilities for Google Cloud Platform (GCP).""" from typing import Optional, Any try: import google.auth from google.auth.transport import requests as google_requests except ImportError: raise ImportError( 'The `dicomweb-client` package needs to be installed with the ' '...
<commit_before>"""Session management utilities for Google Cloud Platform (GCP).""" from typing import Optional, Any try: import google.auth from google.auth.transport import requests as google_requests except ImportError: raise ImportError( 'The `dicomweb-client` package needs to be installed with ...
42efd09692dffc67e58050a24a49ee874a8c105d
stats/sendcommand.py
stats/sendcommand.py
import os import models import config import time from hashlib import md5 import json import serverinfo from google.appengine.ext import webapp """ { "info": { "name": "<name>", "start_utc": <long> }, "command": { "command": "<command name>", "<arg0 name>": "<arg0 value>",...
import os import models import config import time from hashlib import md5 import json import serverinfo from google.appengine.ext import webapp """ { "info": { "name": "<name>", "start_utc": <long> }, "command": { "command": "<command name>", "<arg0 name>": "<arg0 value>",...
Fix use of 'json' instead of 'j'
Fix use of 'json' instead of 'j' This bug was created when switching from simplejson to json module, due to python 2.5->2.7 migration. Any variables named 'json' needed to be renamed, and this is an instance that was missed.
Python
bsd-2-clause
spiffcode/hostile-takeover,spiffcode/hostile-takeover,spiffcode/hostile-takeover,spiffcode/hostile-takeover,spiffcode/hostile-takeover,spiffcode/hostile-takeover,spiffcode/hostile-takeover,spiffcode/hostile-takeover,spiffcode/hostile-takeover
import os import models import config import time from hashlib import md5 import json import serverinfo from google.appengine.ext import webapp """ { "info": { "name": "<name>", "start_utc": <long> }, "command": { "command": "<command name>", "<arg0 name>": "<arg0 value>",...
import os import models import config import time from hashlib import md5 import json import serverinfo from google.appengine.ext import webapp """ { "info": { "name": "<name>", "start_utc": <long> }, "command": { "command": "<command name>", "<arg0 name>": "<arg0 value>",...
<commit_before>import os import models import config import time from hashlib import md5 import json import serverinfo from google.appengine.ext import webapp """ { "info": { "name": "<name>", "start_utc": <long> }, "command": { "command": "<command name>", "<arg0 name>": ...
import os import models import config import time from hashlib import md5 import json import serverinfo from google.appengine.ext import webapp """ { "info": { "name": "<name>", "start_utc": <long> }, "command": { "command": "<command name>", "<arg0 name>": "<arg0 value>",...
import os import models import config import time from hashlib import md5 import json import serverinfo from google.appengine.ext import webapp """ { "info": { "name": "<name>", "start_utc": <long> }, "command": { "command": "<command name>", "<arg0 name>": "<arg0 value>",...
<commit_before>import os import models import config import time from hashlib import md5 import json import serverinfo from google.appengine.ext import webapp """ { "info": { "name": "<name>", "start_utc": <long> }, "command": { "command": "<command name>", "<arg0 name>": ...
84ec75ff6262d7926c0de87dffbeddb223fd190b
core/settings.py
core/settings.py
# -*- encoding: UTF-8 -*- from enum import IntEnum class LogType(IntEnum): CVN_STATUS = 0 AUTH_ERROR = 1 LOG_TYPE = ( (LogType.CVN_STATUS, 'CVN_STATUS'), (LogType.AUTH_ERROR, 'AUTH_ERROR'), ) BASE_URL_FLATPAGES = '/investigacion/faq/'
# -*- encoding: UTF-8 -*- from enum import IntEnum class LogType(IntEnum): CVN_STATUS = 0 AUTH_ERROR = 1 LOG_TYPE = ( (LogType.CVN_STATUS.value, 'CVN_STATUS'), (LogType.AUTH_ERROR.value, 'AUTH_ERROR'), ) BASE_URL_FLATPAGES = '/investigacion/faq/'
Fix a bug in LogType that broke migrations creation
Fix a bug in LogType that broke migrations creation
Python
agpl-3.0
tic-ull/portal-del-investigador,tic-ull/portal-del-investigador,tic-ull/portal-del-investigador,tic-ull/portal-del-investigador
# -*- encoding: UTF-8 -*- from enum import IntEnum class LogType(IntEnum): CVN_STATUS = 0 AUTH_ERROR = 1 LOG_TYPE = ( (LogType.CVN_STATUS, 'CVN_STATUS'), (LogType.AUTH_ERROR, 'AUTH_ERROR'), ) BASE_URL_FLATPAGES = '/investigacion/faq/' Fix a bug in LogType that broke migrations creation
# -*- encoding: UTF-8 -*- from enum import IntEnum class LogType(IntEnum): CVN_STATUS = 0 AUTH_ERROR = 1 LOG_TYPE = ( (LogType.CVN_STATUS.value, 'CVN_STATUS'), (LogType.AUTH_ERROR.value, 'AUTH_ERROR'), ) BASE_URL_FLATPAGES = '/investigacion/faq/'
<commit_before># -*- encoding: UTF-8 -*- from enum import IntEnum class LogType(IntEnum): CVN_STATUS = 0 AUTH_ERROR = 1 LOG_TYPE = ( (LogType.CVN_STATUS, 'CVN_STATUS'), (LogType.AUTH_ERROR, 'AUTH_ERROR'), ) BASE_URL_FLATPAGES = '/investigacion/faq/' <commit_msg>Fix a bug in LogType that broke migra...
# -*- encoding: UTF-8 -*- from enum import IntEnum class LogType(IntEnum): CVN_STATUS = 0 AUTH_ERROR = 1 LOG_TYPE = ( (LogType.CVN_STATUS.value, 'CVN_STATUS'), (LogType.AUTH_ERROR.value, 'AUTH_ERROR'), ) BASE_URL_FLATPAGES = '/investigacion/faq/'
# -*- encoding: UTF-8 -*- from enum import IntEnum class LogType(IntEnum): CVN_STATUS = 0 AUTH_ERROR = 1 LOG_TYPE = ( (LogType.CVN_STATUS, 'CVN_STATUS'), (LogType.AUTH_ERROR, 'AUTH_ERROR'), ) BASE_URL_FLATPAGES = '/investigacion/faq/' Fix a bug in LogType that broke migrations creation# -*- encodin...
<commit_before># -*- encoding: UTF-8 -*- from enum import IntEnum class LogType(IntEnum): CVN_STATUS = 0 AUTH_ERROR = 1 LOG_TYPE = ( (LogType.CVN_STATUS, 'CVN_STATUS'), (LogType.AUTH_ERROR, 'AUTH_ERROR'), ) BASE_URL_FLATPAGES = '/investigacion/faq/' <commit_msg>Fix a bug in LogType that broke migra...
ad8908753e31420f489f8e5fe2f1c5eac5a5c42a
alexandria/drivers.py
alexandria/drivers.py
# coding=utf-8 import types import config class Driver(object): def __init__(self): self.driver_type = self.__class__.__name__ # Get credentials from conf files for CMDB pass def get_driver_type(self): return self.driver_type def get_ci(self): pass def ...
# coding=utf-8 import types import config class Driver(object): def __init__(self): self.driver_type = self.__class__.__name__ # Get credentials from conf files for CMDB pass def get_driver_type(self): return self.driver_type def get_ci(self,ci): pass d...
Add ci parameter to get_ci() and push_ci() methods.
Add ci parameter to get_ci() and push_ci() methods.
Python
apache-2.0
sl4shme/alexandria,sl4shme/alexandria,sl4shme/alexandria,uggla/alexandria
# coding=utf-8 import types import config class Driver(object): def __init__(self): self.driver_type = self.__class__.__name__ # Get credentials from conf files for CMDB pass def get_driver_type(self): return self.driver_type def get_ci(self): pass def ...
# coding=utf-8 import types import config class Driver(object): def __init__(self): self.driver_type = self.__class__.__name__ # Get credentials from conf files for CMDB pass def get_driver_type(self): return self.driver_type def get_ci(self,ci): pass d...
<commit_before># coding=utf-8 import types import config class Driver(object): def __init__(self): self.driver_type = self.__class__.__name__ # Get credentials from conf files for CMDB pass def get_driver_type(self): return self.driver_type def get_ci(self): ...
# coding=utf-8 import types import config class Driver(object): def __init__(self): self.driver_type = self.__class__.__name__ # Get credentials from conf files for CMDB pass def get_driver_type(self): return self.driver_type def get_ci(self,ci): pass d...
# coding=utf-8 import types import config class Driver(object): def __init__(self): self.driver_type = self.__class__.__name__ # Get credentials from conf files for CMDB pass def get_driver_type(self): return self.driver_type def get_ci(self): pass def ...
<commit_before># coding=utf-8 import types import config class Driver(object): def __init__(self): self.driver_type = self.__class__.__name__ # Get credentials from conf files for CMDB pass def get_driver_type(self): return self.driver_type def get_ci(self): ...
5a6970349ace3ddcf12cfac6bc72ec6dbc3424a2
django_bcrypt/models.py
django_bcrypt/models.py
import bcrypt from django.contrib.auth.models import User from django.conf import settings try: rounds = settings.BCRYPT_ROUNDS except AttributeError: rounds = 12 _check_password = User.check_password def bcrypt_check_password(self, raw_password): if self.password.startswith('bc$'): salt_and_has...
import bcrypt from django.contrib.auth.models import User from django.conf import settings rounds = getattr(settings, "BCRYPT_ROUNDS", 12) _check_password = User.check_password def bcrypt_check_password(self, raw_password): if self.password.startswith('bc$'): salt_and_hash = self.password[3:] ret...
Make the default setting retrieval more elegant.
Make the default setting retrieval more elegant.
Python
mit
dwaiter/django-bcrypt
import bcrypt from django.contrib.auth.models import User from django.conf import settings try: rounds = settings.BCRYPT_ROUNDS except AttributeError: rounds = 12 _check_password = User.check_password def bcrypt_check_password(self, raw_password): if self.password.startswith('bc$'): salt_and_has...
import bcrypt from django.contrib.auth.models import User from django.conf import settings rounds = getattr(settings, "BCRYPT_ROUNDS", 12) _check_password = User.check_password def bcrypt_check_password(self, raw_password): if self.password.startswith('bc$'): salt_and_hash = self.password[3:] ret...
<commit_before>import bcrypt from django.contrib.auth.models import User from django.conf import settings try: rounds = settings.BCRYPT_ROUNDS except AttributeError: rounds = 12 _check_password = User.check_password def bcrypt_check_password(self, raw_password): if self.password.startswith('bc$'): ...
import bcrypt from django.contrib.auth.models import User from django.conf import settings rounds = getattr(settings, "BCRYPT_ROUNDS", 12) _check_password = User.check_password def bcrypt_check_password(self, raw_password): if self.password.startswith('bc$'): salt_and_hash = self.password[3:] ret...
import bcrypt from django.contrib.auth.models import User from django.conf import settings try: rounds = settings.BCRYPT_ROUNDS except AttributeError: rounds = 12 _check_password = User.check_password def bcrypt_check_password(self, raw_password): if self.password.startswith('bc$'): salt_and_has...
<commit_before>import bcrypt from django.contrib.auth.models import User from django.conf import settings try: rounds = settings.BCRYPT_ROUNDS except AttributeError: rounds = 12 _check_password = User.check_password def bcrypt_check_password(self, raw_password): if self.password.startswith('bc$'): ...
3043141a7064a479a29509ee441f104642abe84b
src/ipf/ipfblock/connection.py
src/ipf/ipfblock/connection.py
# -*- coding: utf-8 -*- import ioport class Connection(object): """ Connection class for IPFBlock Connection binding OPort and IPort of some IPFBlocks """ def __init__(self, oport, iport): # Check port compatibility and free of input port if ioport.compatible(oport, iport) ...
# -*- coding: utf-8 -*- import ioport class Connection(object): """ Connection class for IPFBlock Connection binding OPort and IPort of some IPFBlocks """ def __init__(self, oport, iport): # Check port compatibility and free of input port if ioport.compatible(oport, iport) ...
Rename Connection transmit function to process for use in IPFGraph
Rename Connection transmit function to process for use in IPFGraph
Python
lgpl-2.1
anton-golubkov/Garland,anton-golubkov/Garland
# -*- coding: utf-8 -*- import ioport class Connection(object): """ Connection class for IPFBlock Connection binding OPort and IPort of some IPFBlocks """ def __init__(self, oport, iport): # Check port compatibility and free of input port if ioport.compatible(oport, iport) ...
# -*- coding: utf-8 -*- import ioport class Connection(object): """ Connection class for IPFBlock Connection binding OPort and IPort of some IPFBlocks """ def __init__(self, oport, iport): # Check port compatibility and free of input port if ioport.compatible(oport, iport) ...
<commit_before># -*- coding: utf-8 -*- import ioport class Connection(object): """ Connection class for IPFBlock Connection binding OPort and IPort of some IPFBlocks """ def __init__(self, oport, iport): # Check port compatibility and free of input port if ioport.compatible...
# -*- coding: utf-8 -*- import ioport class Connection(object): """ Connection class for IPFBlock Connection binding OPort and IPort of some IPFBlocks """ def __init__(self, oport, iport): # Check port compatibility and free of input port if ioport.compatible(oport, iport) ...
# -*- coding: utf-8 -*- import ioport class Connection(object): """ Connection class for IPFBlock Connection binding OPort and IPort of some IPFBlocks """ def __init__(self, oport, iport): # Check port compatibility and free of input port if ioport.compatible(oport, iport) ...
<commit_before># -*- coding: utf-8 -*- import ioport class Connection(object): """ Connection class for IPFBlock Connection binding OPort and IPort of some IPFBlocks """ def __init__(self, oport, iport): # Check port compatibility and free of input port if ioport.compatible...
c4a0dc9ecc12a82735738fe4b80dc74f991b66d7
csft/__main__.py
csft/__main__.py
#!/usr/bin/env python # -*- coding:utf-8 -*- """ The entry point of csft. """ import argparse as ap from os.path import isdir from .csft import print_result def main(argv=None): parser = ap.ArgumentParser(add_help='add help') parser.add_argument('path', help='the directory to be analyzed') args = parse...
#!/usr/bin/env python # -*- coding:utf-8 -*- """ The entry point of csft. """ import argparse as ap from os.path import isdir from . import __name__ as _name from . import __version__ as _version from .csft import print_result def main(argv=None): """ Execute the application CLI. """ parser = ap.ArgumentPa...
Add version option to CLI.
Add version option to CLI.
Python
mit
yanqd0/csft
#!/usr/bin/env python # -*- coding:utf-8 -*- """ The entry point of csft. """ import argparse as ap from os.path import isdir from .csft import print_result def main(argv=None): parser = ap.ArgumentParser(add_help='add help') parser.add_argument('path', help='the directory to be analyzed') args = parse...
#!/usr/bin/env python # -*- coding:utf-8 -*- """ The entry point of csft. """ import argparse as ap from os.path import isdir from . import __name__ as _name from . import __version__ as _version from .csft import print_result def main(argv=None): """ Execute the application CLI. """ parser = ap.ArgumentPa...
<commit_before>#!/usr/bin/env python # -*- coding:utf-8 -*- """ The entry point of csft. """ import argparse as ap from os.path import isdir from .csft import print_result def main(argv=None): parser = ap.ArgumentParser(add_help='add help') parser.add_argument('path', help='the directory to be analyzed') ...
#!/usr/bin/env python # -*- coding:utf-8 -*- """ The entry point of csft. """ import argparse as ap from os.path import isdir from . import __name__ as _name from . import __version__ as _version from .csft import print_result def main(argv=None): """ Execute the application CLI. """ parser = ap.ArgumentPa...
#!/usr/bin/env python # -*- coding:utf-8 -*- """ The entry point of csft. """ import argparse as ap from os.path import isdir from .csft import print_result def main(argv=None): parser = ap.ArgumentParser(add_help='add help') parser.add_argument('path', help='the directory to be analyzed') args = parse...
<commit_before>#!/usr/bin/env python # -*- coding:utf-8 -*- """ The entry point of csft. """ import argparse as ap from os.path import isdir from .csft import print_result def main(argv=None): parser = ap.ArgumentParser(add_help='add help') parser.add_argument('path', help='the directory to be analyzed') ...
fb28813fbb906c1ea7c4fb3c52e60219c3ae1f19
votacao_with_redis/management/commands/gera_votacao.py
votacao_with_redis/management/commands/gera_votacao.py
# coding: utf-8 from django.core.management.base import BaseCommand from ...models import Poll, Option class Command(BaseCommand): def handle(self, *args, **kwargs): Poll.objects.filter(id=1).delete() Option.objects.filter(id__in=[1, 2, 3, 4]).delete() question = Poll.objects.create(id=1...
# coding: utf-8 from django.core.management.base import BaseCommand from ...models import Poll, Option import redis cache = redis.StrictRedis(host='127.0.0.1', port=6379, db=0) class Command(BaseCommand): def handle(self, *args, **kwargs): options = [1, 2, 3, 4] Poll.objects.filter(id=1).delete(...
Remove chaves do redis referentes a votaçãoi
Remove chaves do redis referentes a votaçãoi
Python
mit
douglasbastos/votacao_with_redis,douglasbastos/votacao_with_redis
# coding: utf-8 from django.core.management.base import BaseCommand from ...models import Poll, Option class Command(BaseCommand): def handle(self, *args, **kwargs): Poll.objects.filter(id=1).delete() Option.objects.filter(id__in=[1, 2, 3, 4]).delete() question = Poll.objects.create(id=1...
# coding: utf-8 from django.core.management.base import BaseCommand from ...models import Poll, Option import redis cache = redis.StrictRedis(host='127.0.0.1', port=6379, db=0) class Command(BaseCommand): def handle(self, *args, **kwargs): options = [1, 2, 3, 4] Poll.objects.filter(id=1).delete(...
<commit_before># coding: utf-8 from django.core.management.base import BaseCommand from ...models import Poll, Option class Command(BaseCommand): def handle(self, *args, **kwargs): Poll.objects.filter(id=1).delete() Option.objects.filter(id__in=[1, 2, 3, 4]).delete() question = Poll.obje...
# coding: utf-8 from django.core.management.base import BaseCommand from ...models import Poll, Option import redis cache = redis.StrictRedis(host='127.0.0.1', port=6379, db=0) class Command(BaseCommand): def handle(self, *args, **kwargs): options = [1, 2, 3, 4] Poll.objects.filter(id=1).delete(...
# coding: utf-8 from django.core.management.base import BaseCommand from ...models import Poll, Option class Command(BaseCommand): def handle(self, *args, **kwargs): Poll.objects.filter(id=1).delete() Option.objects.filter(id__in=[1, 2, 3, 4]).delete() question = Poll.objects.create(id=1...
<commit_before># coding: utf-8 from django.core.management.base import BaseCommand from ...models import Poll, Option class Command(BaseCommand): def handle(self, *args, **kwargs): Poll.objects.filter(id=1).delete() Option.objects.filter(id__in=[1, 2, 3, 4]).delete() question = Poll.obje...
e861def07da1f0dea7f5273d06e7dc674a79025f
adventure/urls.py
adventure/urls.py
from django.conf.urls import url, include from rest_framework import routers from . import views from .views import PlayerViewSet, AdventureViewSet, RoomViewSet, ArtifactViewSet, EffectViewSet, MonsterViewSet router = routers.DefaultRouter(trailing_slash=False) router.register(r'players', PlayerViewSet) router.regis...
from django.conf.urls import url, include from rest_framework import routers from . import views from .views import PlayerViewSet, AdventureViewSet, RoomViewSet, ArtifactViewSet, EffectViewSet, MonsterViewSet router = routers.DefaultRouter(trailing_slash=False) router.register(r'players', PlayerViewSet) router.regis...
Update Django catch-all URL path to not catch URLs with a . in them.
Update Django catch-all URL path to not catch URLs with a . in them. This makes missing JS files 404 properly instead of returning the HTML 404 page which confuses the parser.
Python
mit
kdechant/eamon,kdechant/eamon,kdechant/eamon,kdechant/eamon
from django.conf.urls import url, include from rest_framework import routers from . import views from .views import PlayerViewSet, AdventureViewSet, RoomViewSet, ArtifactViewSet, EffectViewSet, MonsterViewSet router = routers.DefaultRouter(trailing_slash=False) router.register(r'players', PlayerViewSet) router.regis...
from django.conf.urls import url, include from rest_framework import routers from . import views from .views import PlayerViewSet, AdventureViewSet, RoomViewSet, ArtifactViewSet, EffectViewSet, MonsterViewSet router = routers.DefaultRouter(trailing_slash=False) router.register(r'players', PlayerViewSet) router.regis...
<commit_before>from django.conf.urls import url, include from rest_framework import routers from . import views from .views import PlayerViewSet, AdventureViewSet, RoomViewSet, ArtifactViewSet, EffectViewSet, MonsterViewSet router = routers.DefaultRouter(trailing_slash=False) router.register(r'players', PlayerViewSe...
from django.conf.urls import url, include from rest_framework import routers from . import views from .views import PlayerViewSet, AdventureViewSet, RoomViewSet, ArtifactViewSet, EffectViewSet, MonsterViewSet router = routers.DefaultRouter(trailing_slash=False) router.register(r'players', PlayerViewSet) router.regis...
from django.conf.urls import url, include from rest_framework import routers from . import views from .views import PlayerViewSet, AdventureViewSet, RoomViewSet, ArtifactViewSet, EffectViewSet, MonsterViewSet router = routers.DefaultRouter(trailing_slash=False) router.register(r'players', PlayerViewSet) router.regis...
<commit_before>from django.conf.urls import url, include from rest_framework import routers from . import views from .views import PlayerViewSet, AdventureViewSet, RoomViewSet, ArtifactViewSet, EffectViewSet, MonsterViewSet router = routers.DefaultRouter(trailing_slash=False) router.register(r'players', PlayerViewSe...
2baabd0f0d18e9bd81797a384e34adca0c39d7ed
bux_grader_framework/__init__.py
bux_grader_framework/__init__.py
""" bux_grader_framework ~~~~~~~~~~~~~~~~~~~~ A framework for bootstraping of external graders for your edX course. :copyright: 2014 Boston University :license: GNU Affero General Public License """ __version__ = '0.4.3' DEFAULT_LOGGING = { 'version': 1, 'disable_existing_loggers': False...
""" bux_grader_framework ~~~~~~~~~~~~~~~~~~~~ A framework for bootstraping of external graders for your edX course. :copyright: 2014 Boston University :license: GNU Affero General Public License """ __version__ = '0.4.3' DEFAULT_LOGGING = { 'version': 1, 'disable_existing_loggers': False...
Revert string -> integer change for statsd port
Revert string -> integer change for statsd port Turns out they want a string...
Python
agpl-3.0
bu-ist/bux-grader-framework,abduld/bux-grader-framework
""" bux_grader_framework ~~~~~~~~~~~~~~~~~~~~ A framework for bootstraping of external graders for your edX course. :copyright: 2014 Boston University :license: GNU Affero General Public License """ __version__ = '0.4.3' DEFAULT_LOGGING = { 'version': 1, 'disable_existing_loggers': False...
""" bux_grader_framework ~~~~~~~~~~~~~~~~~~~~ A framework for bootstraping of external graders for your edX course. :copyright: 2014 Boston University :license: GNU Affero General Public License """ __version__ = '0.4.3' DEFAULT_LOGGING = { 'version': 1, 'disable_existing_loggers': False...
<commit_before>""" bux_grader_framework ~~~~~~~~~~~~~~~~~~~~ A framework for bootstraping of external graders for your edX course. :copyright: 2014 Boston University :license: GNU Affero General Public License """ __version__ = '0.4.3' DEFAULT_LOGGING = { 'version': 1, 'disable_existing_...
""" bux_grader_framework ~~~~~~~~~~~~~~~~~~~~ A framework for bootstraping of external graders for your edX course. :copyright: 2014 Boston University :license: GNU Affero General Public License """ __version__ = '0.4.3' DEFAULT_LOGGING = { 'version': 1, 'disable_existing_loggers': False...
""" bux_grader_framework ~~~~~~~~~~~~~~~~~~~~ A framework for bootstraping of external graders for your edX course. :copyright: 2014 Boston University :license: GNU Affero General Public License """ __version__ = '0.4.3' DEFAULT_LOGGING = { 'version': 1, 'disable_existing_loggers': False...
<commit_before>""" bux_grader_framework ~~~~~~~~~~~~~~~~~~~~ A framework for bootstraping of external graders for your edX course. :copyright: 2014 Boston University :license: GNU Affero General Public License """ __version__ = '0.4.3' DEFAULT_LOGGING = { 'version': 1, 'disable_existing_...
b0236a2cb936df9571139f074b35c178e2573593
dadi/__init__.py
dadi/__init__.py
import numpy # This gives a nicer printout for masked arrays. numpy.ma.default_real_fill_value = numpy.nan import Integration import PhiManip import Numerics import SFS import ms try: import Plotting except ImportError: pass try: import os __DIRECTORY__ = os.path.dirname(Integration.__file__) __sv...
import Integration import PhiManip import Numerics import SFS import ms try: import Plotting except ImportError: pass try: import os __DIRECTORY__ = os.path.dirname(Integration.__file__) __svn_file__ = os.path.join(__DIRECTORY__, 'svnversion') __SVNVERSION__ = file(__svn_file__).read().strip() ...
Remove extraneous setting of masked fill value.
Remove extraneous setting of masked fill value. git-svn-id: 4c7b13231a96299fde701bb5dec4bd2aaf383fc6@115 979d6bd5-6d4d-0410-bece-f567c23bd345
Python
bsd-3-clause
RyanGutenkunst/dadi,niuhuifei/dadi,cheese1213/dadi,yangjl/dadi,yangjl/dadi,ChenHsiang/dadi,paulirish/dadi,beni55/dadi,ChenHsiang/dadi,beni55/dadi,RyanGutenkunst/dadi,paulirish/dadi,cheese1213/dadi,niuhuifei/dadi
import numpy # This gives a nicer printout for masked arrays. numpy.ma.default_real_fill_value = numpy.nan import Integration import PhiManip import Numerics import SFS import ms try: import Plotting except ImportError: pass try: import os __DIRECTORY__ = os.path.dirname(Integration.__file__) __sv...
import Integration import PhiManip import Numerics import SFS import ms try: import Plotting except ImportError: pass try: import os __DIRECTORY__ = os.path.dirname(Integration.__file__) __svn_file__ = os.path.join(__DIRECTORY__, 'svnversion') __SVNVERSION__ = file(__svn_file__).read().strip() ...
<commit_before>import numpy # This gives a nicer printout for masked arrays. numpy.ma.default_real_fill_value = numpy.nan import Integration import PhiManip import Numerics import SFS import ms try: import Plotting except ImportError: pass try: import os __DIRECTORY__ = os.path.dirname(Integration.__f...
import Integration import PhiManip import Numerics import SFS import ms try: import Plotting except ImportError: pass try: import os __DIRECTORY__ = os.path.dirname(Integration.__file__) __svn_file__ = os.path.join(__DIRECTORY__, 'svnversion') __SVNVERSION__ = file(__svn_file__).read().strip() ...
import numpy # This gives a nicer printout for masked arrays. numpy.ma.default_real_fill_value = numpy.nan import Integration import PhiManip import Numerics import SFS import ms try: import Plotting except ImportError: pass try: import os __DIRECTORY__ = os.path.dirname(Integration.__file__) __sv...
<commit_before>import numpy # This gives a nicer printout for masked arrays. numpy.ma.default_real_fill_value = numpy.nan import Integration import PhiManip import Numerics import SFS import ms try: import Plotting except ImportError: pass try: import os __DIRECTORY__ = os.path.dirname(Integration.__f...
f10a8c498df0f83b43e636dfcb0b50d60860ed5e
googlecloudprofiler/__version__.py
googlecloudprofiler/__version__.py
# Copyright 2019 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, s...
# Copyright 2019 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, s...
Update Python agent version to include fixes for broken pipe issues.
Update Python agent version to include fixes for broken pipe issues. PiperOrigin-RevId: 315750638
Python
apache-2.0
GoogleCloudPlatform/cloud-profiler-python,GoogleCloudPlatform/cloud-profiler-python,GoogleCloudPlatform/cloud-profiler-python,GoogleCloudPlatform/cloud-profiler-python,GoogleCloudPlatform/cloud-profiler-python
# Copyright 2019 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, s...
# Copyright 2019 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, s...
<commit_before># Copyright 2019 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 t...
# Copyright 2019 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, s...
# Copyright 2019 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, s...
<commit_before># Copyright 2019 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 t...
829aa30a052b1a35d2c0d0797abe6b0c34c2f9d2
bluechip/player/createplayers.py
bluechip/player/createplayers.py
import random from models import Player def create_players(): #TODO: Need to centralize this function call. random.seed(123456789) # TODO: Do we need to delete all? Player.objects.all().delete() for _ in xrange(3000): p = Player.objects.create_player() p.save
import random from player.models import Player #TODO: Need to centralize this function call. random.seed(123456789) # For now just create a new class each Player.objects.all().delete() for _ in xrange(3000): p = Player.objects.create_player() p.save
Add script to create the recruiting class.
Add script to create the recruiting class.
Python
mit
isuraed/bluechip
import random from models import Player def create_players(): #TODO: Need to centralize this function call. random.seed(123456789) # TODO: Do we need to delete all? Player.objects.all().delete() for _ in xrange(3000): p = Player.objects.create_player() p.saveAdd script to create the recruiting class.
import random from player.models import Player #TODO: Need to centralize this function call. random.seed(123456789) # For now just create a new class each Player.objects.all().delete() for _ in xrange(3000): p = Player.objects.create_player() p.save
<commit_before>import random from models import Player def create_players(): #TODO: Need to centralize this function call. random.seed(123456789) # TODO: Do we need to delete all? Player.objects.all().delete() for _ in xrange(3000): p = Player.objects.create_player() p.save<commit_msg>Add script to create th...
import random from player.models import Player #TODO: Need to centralize this function call. random.seed(123456789) # For now just create a new class each Player.objects.all().delete() for _ in xrange(3000): p = Player.objects.create_player() p.save
import random from models import Player def create_players(): #TODO: Need to centralize this function call. random.seed(123456789) # TODO: Do we need to delete all? Player.objects.all().delete() for _ in xrange(3000): p = Player.objects.create_player() p.saveAdd script to create the recruiting class.import r...
<commit_before>import random from models import Player def create_players(): #TODO: Need to centralize this function call. random.seed(123456789) # TODO: Do we need to delete all? Player.objects.all().delete() for _ in xrange(3000): p = Player.objects.create_player() p.save<commit_msg>Add script to create th...
468ce899542197f8ab7ae51800b56132e6e81bd4
problem_2/solution.py
problem_2/solution.py
def sum_even_fibonacci_numbers_1(): f1, f2, s, = 0, 1, 0, while f2 < 4000000: f2, f1 = f1, f1 + f2 if f2 % 2 == 0: s += f2 return s def sum_even_fibonacci_numbers_2(): s, a, b = 0, 1, 1 c = a + b while c < 4000000: s += c a = b + c b = a + c ...
from timeit import timeit def sum_even_fibonacci_numbers_1(): f1, f2, s, = 0, 1, 0, while f2 < 4000000: f2, f1 = f1, f1 + f2 if f2 % 2 == 0: s += f2 return s def sum_even_fibonacci_numbers_2(): s, a, b = 0, 1, 1 c = a + b while c < 4000000: s += c a = ...
Add timeit to measure each python implementation of problem 2
Add timeit to measure each python implementation of problem 2
Python
mit
mdsrosa/project_euler,mdsrosa/project_euler,mdsrosa/project_euler,mdsrosa/project_euler,mdsrosa/project_euler,mdsrosa/project_euler,mdsrosa/project_euler,mdsrosa/project_euler
def sum_even_fibonacci_numbers_1(): f1, f2, s, = 0, 1, 0, while f2 < 4000000: f2, f1 = f1, f1 + f2 if f2 % 2 == 0: s += f2 return s def sum_even_fibonacci_numbers_2(): s, a, b = 0, 1, 1 c = a + b while c < 4000000: s += c a = b + c b = a + c ...
from timeit import timeit def sum_even_fibonacci_numbers_1(): f1, f2, s, = 0, 1, 0, while f2 < 4000000: f2, f1 = f1, f1 + f2 if f2 % 2 == 0: s += f2 return s def sum_even_fibonacci_numbers_2(): s, a, b = 0, 1, 1 c = a + b while c < 4000000: s += c a = ...
<commit_before>def sum_even_fibonacci_numbers_1(): f1, f2, s, = 0, 1, 0, while f2 < 4000000: f2, f1 = f1, f1 + f2 if f2 % 2 == 0: s += f2 return s def sum_even_fibonacci_numbers_2(): s, a, b = 0, 1, 1 c = a + b while c < 4000000: s += c a = b + c ...
from timeit import timeit def sum_even_fibonacci_numbers_1(): f1, f2, s, = 0, 1, 0, while f2 < 4000000: f2, f1 = f1, f1 + f2 if f2 % 2 == 0: s += f2 return s def sum_even_fibonacci_numbers_2(): s, a, b = 0, 1, 1 c = a + b while c < 4000000: s += c a = ...
def sum_even_fibonacci_numbers_1(): f1, f2, s, = 0, 1, 0, while f2 < 4000000: f2, f1 = f1, f1 + f2 if f2 % 2 == 0: s += f2 return s def sum_even_fibonacci_numbers_2(): s, a, b = 0, 1, 1 c = a + b while c < 4000000: s += c a = b + c b = a + c ...
<commit_before>def sum_even_fibonacci_numbers_1(): f1, f2, s, = 0, 1, 0, while f2 < 4000000: f2, f1 = f1, f1 + f2 if f2 % 2 == 0: s += f2 return s def sum_even_fibonacci_numbers_2(): s, a, b = 0, 1, 1 c = a + b while c < 4000000: s += c a = b + c ...
d16cbf8994023dba5146ddb38e0db29202bb4614
back_office/models.py
back_office/models.py
from django.db import models from django.utils.translation import ugettext as _ from Django.contrib.auth.models import User FEMALE = 'F' MALE = 'M' class Teacher(models.Model): """ Halaqat teachers information """ GENDER_CHOICES = ( (MALE, _('Male')), (FEMALE, _('Female')), ) ...
from django.db import models from django.utils.translation import ugettext as _ from Django.contrib.auth.models import User FEMALE = 'F' MALE = 'M' class Teacher(models.Model): """ Halaqat teachers information """ GENDER_CHOICES = ( (MALE, _('Male')), (FEMALE, _('Female')), ) ...
Rename the related name for User one-to-one relationship
Rename the related name for User one-to-one relationship
Python
mit
EmadMokhtar/halaqat,EmadMokhtar/halaqat,EmadMokhtar/halaqat
from django.db import models from django.utils.translation import ugettext as _ from Django.contrib.auth.models import User FEMALE = 'F' MALE = 'M' class Teacher(models.Model): """ Halaqat teachers information """ GENDER_CHOICES = ( (MALE, _('Male')), (FEMALE, _('Female')), ) ...
from django.db import models from django.utils.translation import ugettext as _ from Django.contrib.auth.models import User FEMALE = 'F' MALE = 'M' class Teacher(models.Model): """ Halaqat teachers information """ GENDER_CHOICES = ( (MALE, _('Male')), (FEMALE, _('Female')), ) ...
<commit_before>from django.db import models from django.utils.translation import ugettext as _ from Django.contrib.auth.models import User FEMALE = 'F' MALE = 'M' class Teacher(models.Model): """ Halaqat teachers information """ GENDER_CHOICES = ( (MALE, _('Male')), (FEMALE, _('Female...
from django.db import models from django.utils.translation import ugettext as _ from Django.contrib.auth.models import User FEMALE = 'F' MALE = 'M' class Teacher(models.Model): """ Halaqat teachers information """ GENDER_CHOICES = ( (MALE, _('Male')), (FEMALE, _('Female')), ) ...
from django.db import models from django.utils.translation import ugettext as _ from Django.contrib.auth.models import User FEMALE = 'F' MALE = 'M' class Teacher(models.Model): """ Halaqat teachers information """ GENDER_CHOICES = ( (MALE, _('Male')), (FEMALE, _('Female')), ) ...
<commit_before>from django.db import models from django.utils.translation import ugettext as _ from Django.contrib.auth.models import User FEMALE = 'F' MALE = 'M' class Teacher(models.Model): """ Halaqat teachers information """ GENDER_CHOICES = ( (MALE, _('Male')), (FEMALE, _('Female...
34fe4bb5cd5c4c35a659698e8d258c78da01887a
pynexus/api_client.py
pynexus/api_client.py
import requests class ApiClient: def __init__(self, host, username, password): self.uri = host + '/nexus/service/local/' self.username = username self.password = password def get_all_repositories(self): r = requests.get(self.uri + 'all_repositories', headers={'Accept': 'applica...
import requests class ApiClient: def __init__(self, host, username, password): self.uri = host + '/nexus/service/local/' self.username = username self.password = password def get_all_repositories(self): r = requests.get(self.uri + 'all_repositories', headers={'Accept': 'applica...
Add get_users method to get a list of users
Add get_users method to get a list of users
Python
apache-2.0
rcarrillocruz/pynexus
import requests class ApiClient: def __init__(self, host, username, password): self.uri = host + '/nexus/service/local/' self.username = username self.password = password def get_all_repositories(self): r = requests.get(self.uri + 'all_repositories', headers={'Accept': 'applica...
import requests class ApiClient: def __init__(self, host, username, password): self.uri = host + '/nexus/service/local/' self.username = username self.password = password def get_all_repositories(self): r = requests.get(self.uri + 'all_repositories', headers={'Accept': 'applica...
<commit_before>import requests class ApiClient: def __init__(self, host, username, password): self.uri = host + '/nexus/service/local/' self.username = username self.password = password def get_all_repositories(self): r = requests.get(self.uri + 'all_repositories', headers={'Ac...
import requests class ApiClient: def __init__(self, host, username, password): self.uri = host + '/nexus/service/local/' self.username = username self.password = password def get_all_repositories(self): r = requests.get(self.uri + 'all_repositories', headers={'Accept': 'applica...
import requests class ApiClient: def __init__(self, host, username, password): self.uri = host + '/nexus/service/local/' self.username = username self.password = password def get_all_repositories(self): r = requests.get(self.uri + 'all_repositories', headers={'Accept': 'applica...
<commit_before>import requests class ApiClient: def __init__(self, host, username, password): self.uri = host + '/nexus/service/local/' self.username = username self.password = password def get_all_repositories(self): r = requests.get(self.uri + 'all_repositories', headers={'Ac...
6eeecb5e36e5551ba3a3c35a9c7f52393d2f9d14
src/puzzle/problems/problem.py
src/puzzle/problems/problem.py
from src.data import meta class Problem(object): def __init__(self, name, lines): self.name = name self.lines = lines self._solutions = None self._constraints = [] def constrain(self, fn): self._constraints.append(fn) # Invalidate solutions. self._solutions = None def solutions(sel...
from src.data import meta class Problem(object): def __init__(self, name, lines): self.name = name self.lines = lines self._solutions = None self._constraints = [] @property def kind(self): return str(type(self)).strip("'<>").split('.').pop() @property def solution(self): return se...
Add simple helper properties to Problem.
Add simple helper properties to Problem.
Python
mit
PhilHarnish/forge,PhilHarnish/forge,PhilHarnish/forge,PhilHarnish/forge,PhilHarnish/forge,PhilHarnish/forge
from src.data import meta class Problem(object): def __init__(self, name, lines): self.name = name self.lines = lines self._solutions = None self._constraints = [] def constrain(self, fn): self._constraints.append(fn) # Invalidate solutions. self._solutions = None def solutions(sel...
from src.data import meta class Problem(object): def __init__(self, name, lines): self.name = name self.lines = lines self._solutions = None self._constraints = [] @property def kind(self): return str(type(self)).strip("'<>").split('.').pop() @property def solution(self): return se...
<commit_before>from src.data import meta class Problem(object): def __init__(self, name, lines): self.name = name self.lines = lines self._solutions = None self._constraints = [] def constrain(self, fn): self._constraints.append(fn) # Invalidate solutions. self._solutions = None de...
from src.data import meta class Problem(object): def __init__(self, name, lines): self.name = name self.lines = lines self._solutions = None self._constraints = [] @property def kind(self): return str(type(self)).strip("'<>").split('.').pop() @property def solution(self): return se...
from src.data import meta class Problem(object): def __init__(self, name, lines): self.name = name self.lines = lines self._solutions = None self._constraints = [] def constrain(self, fn): self._constraints.append(fn) # Invalidate solutions. self._solutions = None def solutions(sel...
<commit_before>from src.data import meta class Problem(object): def __init__(self, name, lines): self.name = name self.lines = lines self._solutions = None self._constraints = [] def constrain(self, fn): self._constraints.append(fn) # Invalidate solutions. self._solutions = None de...
bc3cf7bb0ac8e271f8786b9ec982fe1297d0ac93
tests/example_app/flask_app.py
tests/example_app/flask_app.py
import flask from pale.adapters import flask as pale_flask_adapter from pale.config import authenticator, context_creator from tests.example_app import api @authenticator def authenticate_pale_context(context): """Don't actually authenticate anything in this test.""" return context @context_creator def cre...
import logging import flask from pale.adapters import flask as pale_flask_adapter from pale.config import authenticator, context_creator from tests.example_app import api @authenticator def authenticate_pale_context(context): """Don't actually authenticate anything in this test.""" logging.debug("pale.exampl...
Add debugging statements to example_app context. This is to help indicate to users that PALE's example_app is operating.
Add debugging statements to example_app context. This is to help indicate to users that PALE's example_app is operating.
Python
mit
Loudr/pale
import flask from pale.adapters import flask as pale_flask_adapter from pale.config import authenticator, context_creator from tests.example_app import api @authenticator def authenticate_pale_context(context): """Don't actually authenticate anything in this test.""" return context @context_creator def cre...
import logging import flask from pale.adapters import flask as pale_flask_adapter from pale.config import authenticator, context_creator from tests.example_app import api @authenticator def authenticate_pale_context(context): """Don't actually authenticate anything in this test.""" logging.debug("pale.exampl...
<commit_before>import flask from pale.adapters import flask as pale_flask_adapter from pale.config import authenticator, context_creator from tests.example_app import api @authenticator def authenticate_pale_context(context): """Don't actually authenticate anything in this test.""" return context @context_...
import logging import flask from pale.adapters import flask as pale_flask_adapter from pale.config import authenticator, context_creator from tests.example_app import api @authenticator def authenticate_pale_context(context): """Don't actually authenticate anything in this test.""" logging.debug("pale.exampl...
import flask from pale.adapters import flask as pale_flask_adapter from pale.config import authenticator, context_creator from tests.example_app import api @authenticator def authenticate_pale_context(context): """Don't actually authenticate anything in this test.""" return context @context_creator def cre...
<commit_before>import flask from pale.adapters import flask as pale_flask_adapter from pale.config import authenticator, context_creator from tests.example_app import api @authenticator def authenticate_pale_context(context): """Don't actually authenticate anything in this test.""" return context @context_...
0d89712bda6e85901e839dec3e639c16aea42d48
tests/test_proxy_pagination.py
tests/test_proxy_pagination.py
import json from django.test import TestCase from rest_framework import status from tests.models import TestModel class ProxyPaginationTests(TestCase): """ Tests for drf-proxy-pagination """ def setUp(self): for n in range(200): TestModel.objects.create(n=n) def test_withou...
import json from django.test import TestCase from django.utils import six from rest_framework import status from tests.models import TestModel class ProxyPaginationTests(TestCase): """ Tests for drf-proxy-pagination """ def setUp(self): for n in range(200): TestModel.objects.cre...
Fix tests failing with Python 3
Fix tests failing with Python 3
Python
mit
tuffnatty/drf-proxy-pagination
import json from django.test import TestCase from rest_framework import status from tests.models import TestModel class ProxyPaginationTests(TestCase): """ Tests for drf-proxy-pagination """ def setUp(self): for n in range(200): TestModel.objects.create(n=n) def test_withou...
import json from django.test import TestCase from django.utils import six from rest_framework import status from tests.models import TestModel class ProxyPaginationTests(TestCase): """ Tests for drf-proxy-pagination """ def setUp(self): for n in range(200): TestModel.objects.cre...
<commit_before>import json from django.test import TestCase from rest_framework import status from tests.models import TestModel class ProxyPaginationTests(TestCase): """ Tests for drf-proxy-pagination """ def setUp(self): for n in range(200): TestModel.objects.create(n=n) ...
import json from django.test import TestCase from django.utils import six from rest_framework import status from tests.models import TestModel class ProxyPaginationTests(TestCase): """ Tests for drf-proxy-pagination """ def setUp(self): for n in range(200): TestModel.objects.cre...
import json from django.test import TestCase from rest_framework import status from tests.models import TestModel class ProxyPaginationTests(TestCase): """ Tests for drf-proxy-pagination """ def setUp(self): for n in range(200): TestModel.objects.create(n=n) def test_withou...
<commit_before>import json from django.test import TestCase from rest_framework import status from tests.models import TestModel class ProxyPaginationTests(TestCase): """ Tests for drf-proxy-pagination """ def setUp(self): for n in range(200): TestModel.objects.create(n=n) ...
8f2e1ef30a62c19fc91eed48adc38ecfcdbc37d6
pinax/api/registry.py
pinax/api/registry.py
from __future__ import unicode_literals registry = {} bound_registry = {} def register(cls): registry[cls.api_type] = cls return cls def bind(parent=None, resource=None): def wrapper(endpointset): if parent is not None: endpointset.parent = parent endpointset.url.parent...
from __future__ import unicode_literals registry = {} bound_registry = {} def register(cls): registry[cls.api_type] = cls def as_jsonapi(self): return cls(self).serialize() cls.model.as_jsonapi = as_jsonapi return cls def bind(parent=None, resource=None): def wrapper(endpointset): ...
Attach as_jsonapi to models for easy serialization
Attach as_jsonapi to models for easy serialization
Python
mit
pinax/pinax-api
from __future__ import unicode_literals registry = {} bound_registry = {} def register(cls): registry[cls.api_type] = cls return cls def bind(parent=None, resource=None): def wrapper(endpointset): if parent is not None: endpointset.parent = parent endpointset.url.parent...
from __future__ import unicode_literals registry = {} bound_registry = {} def register(cls): registry[cls.api_type] = cls def as_jsonapi(self): return cls(self).serialize() cls.model.as_jsonapi = as_jsonapi return cls def bind(parent=None, resource=None): def wrapper(endpointset): ...
<commit_before>from __future__ import unicode_literals registry = {} bound_registry = {} def register(cls): registry[cls.api_type] = cls return cls def bind(parent=None, resource=None): def wrapper(endpointset): if parent is not None: endpointset.parent = parent endpoin...
from __future__ import unicode_literals registry = {} bound_registry = {} def register(cls): registry[cls.api_type] = cls def as_jsonapi(self): return cls(self).serialize() cls.model.as_jsonapi = as_jsonapi return cls def bind(parent=None, resource=None): def wrapper(endpointset): ...
from __future__ import unicode_literals registry = {} bound_registry = {} def register(cls): registry[cls.api_type] = cls return cls def bind(parent=None, resource=None): def wrapper(endpointset): if parent is not None: endpointset.parent = parent endpointset.url.parent...
<commit_before>from __future__ import unicode_literals registry = {} bound_registry = {} def register(cls): registry[cls.api_type] = cls return cls def bind(parent=None, resource=None): def wrapper(endpointset): if parent is not None: endpointset.parent = parent endpoin...
73fa2788a1e8d6faef1eda78520b1908ebde66b5
examples/ported/_example.py
examples/ported/_example.py
import os import moderngl_window as mglw class Example(mglw.WindowConfig): gl_version = (3, 3) title = "ModernGL Example" window_size = (1280, 720) aspect_ratio = 16 / 9 resizable = False resource_dir = os.path.normpath(os.path.join(__file__, '../../data')) def __init__(self, **kwargs):...
import os import moderngl_window as mglw class Example(mglw.WindowConfig): gl_version = (3, 3) title = "ModernGL Example" window_size = (1280, 720) aspect_ratio = 16 / 9 resizable = True resource_dir = os.path.normpath(os.path.join(__file__, '../../data')) def __init__(self, **kwargs): ...
Make examples resizable by default
Make examples resizable by default
Python
mit
cprogrammer1994/ModernGL,cprogrammer1994/ModernGL,cprogrammer1994/ModernGL
import os import moderngl_window as mglw class Example(mglw.WindowConfig): gl_version = (3, 3) title = "ModernGL Example" window_size = (1280, 720) aspect_ratio = 16 / 9 resizable = False resource_dir = os.path.normpath(os.path.join(__file__, '../../data')) def __init__(self, **kwargs):...
import os import moderngl_window as mglw class Example(mglw.WindowConfig): gl_version = (3, 3) title = "ModernGL Example" window_size = (1280, 720) aspect_ratio = 16 / 9 resizable = True resource_dir = os.path.normpath(os.path.join(__file__, '../../data')) def __init__(self, **kwargs): ...
<commit_before>import os import moderngl_window as mglw class Example(mglw.WindowConfig): gl_version = (3, 3) title = "ModernGL Example" window_size = (1280, 720) aspect_ratio = 16 / 9 resizable = False resource_dir = os.path.normpath(os.path.join(__file__, '../../data')) def __init__(s...
import os import moderngl_window as mglw class Example(mglw.WindowConfig): gl_version = (3, 3) title = "ModernGL Example" window_size = (1280, 720) aspect_ratio = 16 / 9 resizable = True resource_dir = os.path.normpath(os.path.join(__file__, '../../data')) def __init__(self, **kwargs): ...
import os import moderngl_window as mglw class Example(mglw.WindowConfig): gl_version = (3, 3) title = "ModernGL Example" window_size = (1280, 720) aspect_ratio = 16 / 9 resizable = False resource_dir = os.path.normpath(os.path.join(__file__, '../../data')) def __init__(self, **kwargs):...
<commit_before>import os import moderngl_window as mglw class Example(mglw.WindowConfig): gl_version = (3, 3) title = "ModernGL Example" window_size = (1280, 720) aspect_ratio = 16 / 9 resizable = False resource_dir = os.path.normpath(os.path.join(__file__, '../../data')) def __init__(s...
ae5db950c683501c1ec77fee430b818293e6c603
csv2ofx/mappings/gls.py
csv2ofx/mappings/gls.py
from operator import itemgetter mapping = { 'has_header': True, 'currency': 'EUR', 'delimiter': ';', 'bank': 'GLS Bank', 'account': itemgetter('Kontonummer'), 'date': lambda r: r['Buchungstag'][3:5] + '/' + r['Buchungstag'][:2] + '/' + r['Buchungstag'][-4:], # Chop up the dotted German date for...
from operator import itemgetter mapping = { 'has_header': True, 'currency': 'EUR', 'delimiter': ';', 'bank': 'GLS Bank', 'account': itemgetter('Kontonummer'), # Chop up the dotted German date format and put it in ridiculous M/D/Y order 'date': lambda r: r['Buchungstag'][3:5] + '/' ...
Split up lines to pass the linter
Split up lines to pass the linter
Python
mit
reubano/csv2ofx,reubano/csv2ofx
from operator import itemgetter mapping = { 'has_header': True, 'currency': 'EUR', 'delimiter': ';', 'bank': 'GLS Bank', 'account': itemgetter('Kontonummer'), 'date': lambda r: r['Buchungstag'][3:5] + '/' + r['Buchungstag'][:2] + '/' + r['Buchungstag'][-4:], # Chop up the dotted German date for...
from operator import itemgetter mapping = { 'has_header': True, 'currency': 'EUR', 'delimiter': ';', 'bank': 'GLS Bank', 'account': itemgetter('Kontonummer'), # Chop up the dotted German date format and put it in ridiculous M/D/Y order 'date': lambda r: r['Buchungstag'][3:5] + '/' ...
<commit_before>from operator import itemgetter mapping = { 'has_header': True, 'currency': 'EUR', 'delimiter': ';', 'bank': 'GLS Bank', 'account': itemgetter('Kontonummer'), 'date': lambda r: r['Buchungstag'][3:5] + '/' + r['Buchungstag'][:2] + '/' + r['Buchungstag'][-4:], # Chop up the dotted ...
from operator import itemgetter mapping = { 'has_header': True, 'currency': 'EUR', 'delimiter': ';', 'bank': 'GLS Bank', 'account': itemgetter('Kontonummer'), # Chop up the dotted German date format and put it in ridiculous M/D/Y order 'date': lambda r: r['Buchungstag'][3:5] + '/' ...
from operator import itemgetter mapping = { 'has_header': True, 'currency': 'EUR', 'delimiter': ';', 'bank': 'GLS Bank', 'account': itemgetter('Kontonummer'), 'date': lambda r: r['Buchungstag'][3:5] + '/' + r['Buchungstag'][:2] + '/' + r['Buchungstag'][-4:], # Chop up the dotted German date for...
<commit_before>from operator import itemgetter mapping = { 'has_header': True, 'currency': 'EUR', 'delimiter': ';', 'bank': 'GLS Bank', 'account': itemgetter('Kontonummer'), 'date': lambda r: r['Buchungstag'][3:5] + '/' + r['Buchungstag'][:2] + '/' + r['Buchungstag'][-4:], # Chop up the dotted ...
a21aea6a0327d697d9213ecdbfd6365a77d0b40e
cardbox/deck_views.py
cardbox/deck_views.py
from django.http import HttpResponse def index(request): return HttpResponse("Hallo Welt!")
# coding=utf-8 # TODO: User authentication from django.contrib.localflavor import kw from django.http import HttpResponse from django.http.response import HttpResponseForbidden from django.template import context from django.views.generic import ListView, DetailView from django.views.generic import CreateView, UpdateV...
Add views for deck CRUD
Add views for deck CRUD
Python
mit
DummyDivision/Tsune,DummyDivision/Tsune,DummyDivision/Tsune
from django.http import HttpResponse def index(request): return HttpResponse("Hallo Welt!")Add views for deck CRUD
# coding=utf-8 # TODO: User authentication from django.contrib.localflavor import kw from django.http import HttpResponse from django.http.response import HttpResponseForbidden from django.template import context from django.views.generic import ListView, DetailView from django.views.generic import CreateView, UpdateV...
<commit_before>from django.http import HttpResponse def index(request): return HttpResponse("Hallo Welt!")<commit_msg>Add views for deck CRUD<commit_after>
# coding=utf-8 # TODO: User authentication from django.contrib.localflavor import kw from django.http import HttpResponse from django.http.response import HttpResponseForbidden from django.template import context from django.views.generic import ListView, DetailView from django.views.generic import CreateView, UpdateV...
from django.http import HttpResponse def index(request): return HttpResponse("Hallo Welt!")Add views for deck CRUD# coding=utf-8 # TODO: User authentication from django.contrib.localflavor import kw from django.http import HttpResponse from django.http.response import HttpResponseForbidden from django.template i...
<commit_before>from django.http import HttpResponse def index(request): return HttpResponse("Hallo Welt!")<commit_msg>Add views for deck CRUD<commit_after># coding=utf-8 # TODO: User authentication from django.contrib.localflavor import kw from django.http import HttpResponse from django.http.response import Htt...
db44d918ae92b64572728fa4954fd291c2f30731
instance/testing.py
instance/testing.py
import os #: Database backend SECRET_KEY = 'testkey' SQLALCHEMY_DATABASE_URI = 'postgres:///boxoffice_testing' SERVER_NAME = 'boxoffice.travis.dev:6500' BASE_URL = 'http://' + SERVER_NAME RAZORPAY_KEY_ID = os.environ.get('RAZORPAY_KEY_ID') RAZORPAY_KEY_SECRET = os.environ.get('RAZORPAY_KEY_SECRET') ALLOWED_ORIGINS = ...
import os #: Database backend SECRET_KEY = 'testkey' SQLALCHEMY_DATABASE_URI = 'postgresql:///boxoffice_testing' SERVER_NAME = 'boxoffice.travis.dev:6500' BASE_URL = 'http://' + SERVER_NAME RAZORPAY_KEY_ID = os.environ.get('RAZORPAY_KEY_ID') RAZORPAY_KEY_SECRET = os.environ.get('RAZORPAY_KEY_SECRET') ALLOWED_ORIGINS ...
Fix db engine name for SQLAlchemy 1.4
Fix db engine name for SQLAlchemy 1.4
Python
agpl-3.0
hasgeek/boxoffice,hasgeek/boxoffice,hasgeek/boxoffice,hasgeek/boxoffice
import os #: Database backend SECRET_KEY = 'testkey' SQLALCHEMY_DATABASE_URI = 'postgres:///boxoffice_testing' SERVER_NAME = 'boxoffice.travis.dev:6500' BASE_URL = 'http://' + SERVER_NAME RAZORPAY_KEY_ID = os.environ.get('RAZORPAY_KEY_ID') RAZORPAY_KEY_SECRET = os.environ.get('RAZORPAY_KEY_SECRET') ALLOWED_ORIGINS = ...
import os #: Database backend SECRET_KEY = 'testkey' SQLALCHEMY_DATABASE_URI = 'postgresql:///boxoffice_testing' SERVER_NAME = 'boxoffice.travis.dev:6500' BASE_URL = 'http://' + SERVER_NAME RAZORPAY_KEY_ID = os.environ.get('RAZORPAY_KEY_ID') RAZORPAY_KEY_SECRET = os.environ.get('RAZORPAY_KEY_SECRET') ALLOWED_ORIGINS ...
<commit_before>import os #: Database backend SECRET_KEY = 'testkey' SQLALCHEMY_DATABASE_URI = 'postgres:///boxoffice_testing' SERVER_NAME = 'boxoffice.travis.dev:6500' BASE_URL = 'http://' + SERVER_NAME RAZORPAY_KEY_ID = os.environ.get('RAZORPAY_KEY_ID') RAZORPAY_KEY_SECRET = os.environ.get('RAZORPAY_KEY_SECRET') ALL...
import os #: Database backend SECRET_KEY = 'testkey' SQLALCHEMY_DATABASE_URI = 'postgresql:///boxoffice_testing' SERVER_NAME = 'boxoffice.travis.dev:6500' BASE_URL = 'http://' + SERVER_NAME RAZORPAY_KEY_ID = os.environ.get('RAZORPAY_KEY_ID') RAZORPAY_KEY_SECRET = os.environ.get('RAZORPAY_KEY_SECRET') ALLOWED_ORIGINS ...
import os #: Database backend SECRET_KEY = 'testkey' SQLALCHEMY_DATABASE_URI = 'postgres:///boxoffice_testing' SERVER_NAME = 'boxoffice.travis.dev:6500' BASE_URL = 'http://' + SERVER_NAME RAZORPAY_KEY_ID = os.environ.get('RAZORPAY_KEY_ID') RAZORPAY_KEY_SECRET = os.environ.get('RAZORPAY_KEY_SECRET') ALLOWED_ORIGINS = ...
<commit_before>import os #: Database backend SECRET_KEY = 'testkey' SQLALCHEMY_DATABASE_URI = 'postgres:///boxoffice_testing' SERVER_NAME = 'boxoffice.travis.dev:6500' BASE_URL = 'http://' + SERVER_NAME RAZORPAY_KEY_ID = os.environ.get('RAZORPAY_KEY_ID') RAZORPAY_KEY_SECRET = os.environ.get('RAZORPAY_KEY_SECRET') ALL...
ca49ed4dfb660482663ed7b1e04c3c51644fd4cf
examples/convert_gcode_to_s3g.py
examples/convert_gcode_to_s3g.py
import os import sys lib_path = os.path.abspath('../') sys.path.append(lib_path) import s3g #input_file = '../doc/gcode_samples/skeinforge_single_extrusion_snake.gcode' #input_file = '../doc/gcode_samples/skeinforge_dual_extrusion_hilbert_cube.gcode' input_file = '../doc/gcode_samples/miracle_grue_single_extrusion.gc...
import os import sys lib_path = os.path.abspath('../') sys.path.append(lib_path) import s3g #input_file = '../doc/gcode_samples/skeinforge_single_extrusion_snake.gcode' input_file = '../doc/gcode_samples/skeinforge_dual_extrusion_hilbert_cube.gcode' #input_file = '../doc/gcode_samples/miracle_grue_single_extrusion.gc...
Convert gcode now houses all files.
Convert gcode now houses all files.
Python
agpl-3.0
makerbot/s3g,makerbot/s3g,Jnesselr/s3g,makerbot/s3g,Jnesselr/s3g,makerbot/s3g
import os import sys lib_path = os.path.abspath('../') sys.path.append(lib_path) import s3g #input_file = '../doc/gcode_samples/skeinforge_single_extrusion_snake.gcode' #input_file = '../doc/gcode_samples/skeinforge_dual_extrusion_hilbert_cube.gcode' input_file = '../doc/gcode_samples/miracle_grue_single_extrusion.gc...
import os import sys lib_path = os.path.abspath('../') sys.path.append(lib_path) import s3g #input_file = '../doc/gcode_samples/skeinforge_single_extrusion_snake.gcode' input_file = '../doc/gcode_samples/skeinforge_dual_extrusion_hilbert_cube.gcode' #input_file = '../doc/gcode_samples/miracle_grue_single_extrusion.gc...
<commit_before>import os import sys lib_path = os.path.abspath('../') sys.path.append(lib_path) import s3g #input_file = '../doc/gcode_samples/skeinforge_single_extrusion_snake.gcode' #input_file = '../doc/gcode_samples/skeinforge_dual_extrusion_hilbert_cube.gcode' input_file = '../doc/gcode_samples/miracle_grue_sing...
import os import sys lib_path = os.path.abspath('../') sys.path.append(lib_path) import s3g #input_file = '../doc/gcode_samples/skeinforge_single_extrusion_snake.gcode' input_file = '../doc/gcode_samples/skeinforge_dual_extrusion_hilbert_cube.gcode' #input_file = '../doc/gcode_samples/miracle_grue_single_extrusion.gc...
import os import sys lib_path = os.path.abspath('../') sys.path.append(lib_path) import s3g #input_file = '../doc/gcode_samples/skeinforge_single_extrusion_snake.gcode' #input_file = '../doc/gcode_samples/skeinforge_dual_extrusion_hilbert_cube.gcode' input_file = '../doc/gcode_samples/miracle_grue_single_extrusion.gc...
<commit_before>import os import sys lib_path = os.path.abspath('../') sys.path.append(lib_path) import s3g #input_file = '../doc/gcode_samples/skeinforge_single_extrusion_snake.gcode' #input_file = '../doc/gcode_samples/skeinforge_dual_extrusion_hilbert_cube.gcode' input_file = '../doc/gcode_samples/miracle_grue_sing...
131033fa3ab170ac2a66c1dd89074ea74702fb52
icekit/page_types/articles/migrations/0002_auto_20161012_2231.py
icekit/page_types/articles/migrations/0002_auto_20161012_2231.py
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('icekit_articles', '0001_initial'), ] operations = [ migrations.AddField( model_name='article', name=...
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('icekit_articles', '0001_initial'), ] operations = [ migrations.AddField( model_name='article', name=...
Remove vestigial (?) "woo" default for article slug and title fields.
Remove vestigial (?) "woo" default for article slug and title fields.
Python
mit
ic-labs/django-icekit,ic-labs/django-icekit,ic-labs/django-icekit,ic-labs/django-icekit
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('icekit_articles', '0001_initial'), ] operations = [ migrations.AddField( model_name='article', name=...
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('icekit_articles', '0001_initial'), ] operations = [ migrations.AddField( model_name='article', name=...
<commit_before># -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('icekit_articles', '0001_initial'), ] operations = [ migrations.AddField( model_name='article', ...
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('icekit_articles', '0001_initial'), ] operations = [ migrations.AddField( model_name='article', name=...
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('icekit_articles', '0001_initial'), ] operations = [ migrations.AddField( model_name='article', name=...
<commit_before># -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('icekit_articles', '0001_initial'), ] operations = [ migrations.AddField( model_name='article', ...
decdec6846a1ca590713b2789d9c999b5c1d9502
dotfiles/cashbot.cfg.py
dotfiles/cashbot.cfg.py
{ 'REPORT_TYPE': 'HTML', 'REPORT_RECIPIENTS': '[email protected]', 'JENKINS_USERNAME': 'sknight', 'JENKINS_API_TOKEN': '594849a68d4911d6c39a2cb5f700c385', 'FEATURES': {'PASSWORD_DECRYPTION': False, 'AWS': False, 'ANYBAR': True}, # 'LOG_DB_URL': 'sqlite:///Users/steven.knight/Projects...
{ 'REPORT_RECIPIENTS': '[email protected]', 'JENKINS_USERNAME': 'sknight', 'JENKINS_API_TOKEN': '594849a68d4911d6c39a2cb5f700c385', 'FEATURES': { 'PASSWORD_DECRYPTION': False, 'AWS': False, 'ANYBAR': True }, # 'LOG_DB_URL': 'sqlite:///Users/steven.knight/Proje...
Remove setting REPORT_TYPE. Reformatted code. Remove ANYBAR_COLOR_FAIL.
Remove setting REPORT_TYPE. Reformatted code. Remove ANYBAR_COLOR_FAIL.
Python
mit
skk/dotfiles,skk/dotfiles
{ 'REPORT_TYPE': 'HTML', 'REPORT_RECIPIENTS': '[email protected]', 'JENKINS_USERNAME': 'sknight', 'JENKINS_API_TOKEN': '594849a68d4911d6c39a2cb5f700c385', 'FEATURES': {'PASSWORD_DECRYPTION': False, 'AWS': False, 'ANYBAR': True}, # 'LOG_DB_URL': 'sqlite:///Users/steven.knight/Projects...
{ 'REPORT_RECIPIENTS': '[email protected]', 'JENKINS_USERNAME': 'sknight', 'JENKINS_API_TOKEN': '594849a68d4911d6c39a2cb5f700c385', 'FEATURES': { 'PASSWORD_DECRYPTION': False, 'AWS': False, 'ANYBAR': True }, # 'LOG_DB_URL': 'sqlite:///Users/steven.knight/Proje...
<commit_before>{ 'REPORT_TYPE': 'HTML', 'REPORT_RECIPIENTS': '[email protected]', 'JENKINS_USERNAME': 'sknight', 'JENKINS_API_TOKEN': '594849a68d4911d6c39a2cb5f700c385', 'FEATURES': {'PASSWORD_DECRYPTION': False, 'AWS': False, 'ANYBAR': True}, # 'LOG_DB_URL': 'sqlite:///Users/steven....
{ 'REPORT_RECIPIENTS': '[email protected]', 'JENKINS_USERNAME': 'sknight', 'JENKINS_API_TOKEN': '594849a68d4911d6c39a2cb5f700c385', 'FEATURES': { 'PASSWORD_DECRYPTION': False, 'AWS': False, 'ANYBAR': True }, # 'LOG_DB_URL': 'sqlite:///Users/steven.knight/Proje...
{ 'REPORT_TYPE': 'HTML', 'REPORT_RECIPIENTS': '[email protected]', 'JENKINS_USERNAME': 'sknight', 'JENKINS_API_TOKEN': '594849a68d4911d6c39a2cb5f700c385', 'FEATURES': {'PASSWORD_DECRYPTION': False, 'AWS': False, 'ANYBAR': True}, # 'LOG_DB_URL': 'sqlite:///Users/steven.knight/Projects...
<commit_before>{ 'REPORT_TYPE': 'HTML', 'REPORT_RECIPIENTS': '[email protected]', 'JENKINS_USERNAME': 'sknight', 'JENKINS_API_TOKEN': '594849a68d4911d6c39a2cb5f700c385', 'FEATURES': {'PASSWORD_DECRYPTION': False, 'AWS': False, 'ANYBAR': True}, # 'LOG_DB_URL': 'sqlite:///Users/steven....
a06591fe0597d49c83899533f3ff01deec017964
corehq/apps/locations/tests/test_location_safety.py
corehq/apps/locations/tests/test_location_safety.py
from django.views.generic.base import View from mock import MagicMock from ..permissions import is_location_safe, location_safe @location_safe def safe_fn_view(request, domain): return "hello" def unsafe_fn_view(request, domain): return "hello" @location_safe class SafeClsView(View): pass class Un...
from django.views.generic.base import View from mock import MagicMock from ..permissions import is_location_safe, location_safe @location_safe def safe_fn_view(request, domain): return "hello" def unsafe_fn_view(request, domain): return "hello" @location_safe class SafeClsView(View): pass class Un...
Clarify current behavior regarding inheritance
Clarify current behavior regarding inheritance
Python
bsd-3-clause
dimagi/commcare-hq,dimagi/commcare-hq,dimagi/commcare-hq,dimagi/commcare-hq,dimagi/commcare-hq
from django.views.generic.base import View from mock import MagicMock from ..permissions import is_location_safe, location_safe @location_safe def safe_fn_view(request, domain): return "hello" def unsafe_fn_view(request, domain): return "hello" @location_safe class SafeClsView(View): pass class Un...
from django.views.generic.base import View from mock import MagicMock from ..permissions import is_location_safe, location_safe @location_safe def safe_fn_view(request, domain): return "hello" def unsafe_fn_view(request, domain): return "hello" @location_safe class SafeClsView(View): pass class Un...
<commit_before>from django.views.generic.base import View from mock import MagicMock from ..permissions import is_location_safe, location_safe @location_safe def safe_fn_view(request, domain): return "hello" def unsafe_fn_view(request, domain): return "hello" @location_safe class SafeClsView(View): ...
from django.views.generic.base import View from mock import MagicMock from ..permissions import is_location_safe, location_safe @location_safe def safe_fn_view(request, domain): return "hello" def unsafe_fn_view(request, domain): return "hello" @location_safe class SafeClsView(View): pass class Un...
from django.views.generic.base import View from mock import MagicMock from ..permissions import is_location_safe, location_safe @location_safe def safe_fn_view(request, domain): return "hello" def unsafe_fn_view(request, domain): return "hello" @location_safe class SafeClsView(View): pass class Un...
<commit_before>from django.views.generic.base import View from mock import MagicMock from ..permissions import is_location_safe, location_safe @location_safe def safe_fn_view(request, domain): return "hello" def unsafe_fn_view(request, domain): return "hello" @location_safe class SafeClsView(View): ...
cde02a3129d276d02054e04c1b0a0b605b837d32
eodatasets3/__init__.py
eodatasets3/__init__.py
# coding=utf-8 from __future__ import absolute_import from ._version import get_versions REPO_URL = "https://github.com/GeoscienceAustralia/eo-datasets.git" __version__ = get_versions()["version"] del get_versions
# coding=utf-8 from __future__ import absolute_import from ._version import get_versions from .assemble import DatasetAssembler REPO_URL = "https://github.com/GeoscienceAustralia/eo-datasets.git" __version__ = get_versions()["version"] del get_versions __all__ = (DatasetAssembler, REPO_URL, __version__)
Allow assembler to be imported from eodatasets3 root
Allow assembler to be imported from eodatasets3 root
Python
apache-2.0
GeoscienceAustralia/eo-datasets,jeremyh/eo-datasets,jeremyh/eo-datasets,GeoscienceAustralia/eo-datasets
# coding=utf-8 from __future__ import absolute_import from ._version import get_versions REPO_URL = "https://github.com/GeoscienceAustralia/eo-datasets.git" __version__ = get_versions()["version"] del get_versions Allow assembler to be imported from eodatasets3 root
# coding=utf-8 from __future__ import absolute_import from ._version import get_versions from .assemble import DatasetAssembler REPO_URL = "https://github.com/GeoscienceAustralia/eo-datasets.git" __version__ = get_versions()["version"] del get_versions __all__ = (DatasetAssembler, REPO_URL, __version__)
<commit_before># coding=utf-8 from __future__ import absolute_import from ._version import get_versions REPO_URL = "https://github.com/GeoscienceAustralia/eo-datasets.git" __version__ = get_versions()["version"] del get_versions <commit_msg>Allow assembler to be imported from eodatasets3 root<commit_after>
# coding=utf-8 from __future__ import absolute_import from ._version import get_versions from .assemble import DatasetAssembler REPO_URL = "https://github.com/GeoscienceAustralia/eo-datasets.git" __version__ = get_versions()["version"] del get_versions __all__ = (DatasetAssembler, REPO_URL, __version__)
# coding=utf-8 from __future__ import absolute_import from ._version import get_versions REPO_URL = "https://github.com/GeoscienceAustralia/eo-datasets.git" __version__ = get_versions()["version"] del get_versions Allow assembler to be imported from eodatasets3 root# coding=utf-8 from __future__ import absolute_im...
<commit_before># coding=utf-8 from __future__ import absolute_import from ._version import get_versions REPO_URL = "https://github.com/GeoscienceAustralia/eo-datasets.git" __version__ = get_versions()["version"] del get_versions <commit_msg>Allow assembler to be imported from eodatasets3 root<commit_after># coding=...
98f8a8fb51ae539aad6a3e2faebced4b806c3f0c
filer/utils/generate_filename.py
filer/utils/generate_filename.py
from __future__ import unicode_literals try: from django.utils.encoding import force_text except ImportError: # Django < 1.5 from django.utils.encoding import force_unicode as force_text from django.utils.timezone import now from filer.utils.files import get_valid_filename import os def by_date(instance,...
from __future__ import unicode_literals try: from django.utils.encoding import force_text except ImportError: # Django < 1.5 from django.utils.encoding import force_unicode as force_text from django.utils.timezone import now from filer.utils.files import get_valid_filename import os def by_date(instance,...
Build random path using os.path.join
Build random path using os.path.join
Python
bsd-3-clause
o-zander/django-filer,nimbis/django-filer,nimbis/django-filer,webu/django-filer,divio/django-filer,matthiask/django-filer,skirsdeda/django-filer,stefanfoulis/django-filer,sopraux/django-filer,Flight/django-filer,sopraux/django-filer,belimawr/django-filer,matthiask/django-filer,o-zander/django-filer,DylannCordel/django-...
from __future__ import unicode_literals try: from django.utils.encoding import force_text except ImportError: # Django < 1.5 from django.utils.encoding import force_unicode as force_text from django.utils.timezone import now from filer.utils.files import get_valid_filename import os def by_date(instance,...
from __future__ import unicode_literals try: from django.utils.encoding import force_text except ImportError: # Django < 1.5 from django.utils.encoding import force_unicode as force_text from django.utils.timezone import now from filer.utils.files import get_valid_filename import os def by_date(instance,...
<commit_before>from __future__ import unicode_literals try: from django.utils.encoding import force_text except ImportError: # Django < 1.5 from django.utils.encoding import force_unicode as force_text from django.utils.timezone import now from filer.utils.files import get_valid_filename import os def by...
from __future__ import unicode_literals try: from django.utils.encoding import force_text except ImportError: # Django < 1.5 from django.utils.encoding import force_unicode as force_text from django.utils.timezone import now from filer.utils.files import get_valid_filename import os def by_date(instance,...
from __future__ import unicode_literals try: from django.utils.encoding import force_text except ImportError: # Django < 1.5 from django.utils.encoding import force_unicode as force_text from django.utils.timezone import now from filer.utils.files import get_valid_filename import os def by_date(instance,...
<commit_before>from __future__ import unicode_literals try: from django.utils.encoding import force_text except ImportError: # Django < 1.5 from django.utils.encoding import force_unicode as force_text from django.utils.timezone import now from filer.utils.files import get_valid_filename import os def by...
f8e375bdc07b6fdefdae589f2d75c4ec0f5f3864
website/search/mutation_result.py
website/search/mutation_result.py
from models import Protein, Mutation class SearchResult: def __init__(self, protein, mutation, is_mutation_novel, type, **kwargs): self.protein = protein self.mutation = mutation self.is_mutation_novel = is_mutation_novel self.type = type self.meta_user = None self...
from models import Protein, Mutation from database import get_or_create class SearchResult: def __init__(self, protein, mutation, is_mutation_novel, type, **kwargs): self.protein = protein self.mutation = mutation self.is_mutation_novel = is_mutation_novel self.type = type ...
Fix result loading for novel mutations
Fix result loading for novel mutations
Python
lgpl-2.1
reimandlab/Visualistion-Framework-for-Genome-Mutations,reimandlab/Visualisation-Framework-for-Genome-Mutations,reimandlab/ActiveDriverDB,reimandlab/Visualistion-Framework-for-Genome-Mutations,reimandlab/ActiveDriverDB,reimandlab/ActiveDriverDB,reimandlab/Visualisation-Framework-for-Genome-Mutations,reimandlab/Visualist...
from models import Protein, Mutation class SearchResult: def __init__(self, protein, mutation, is_mutation_novel, type, **kwargs): self.protein = protein self.mutation = mutation self.is_mutation_novel = is_mutation_novel self.type = type self.meta_user = None self...
from models import Protein, Mutation from database import get_or_create class SearchResult: def __init__(self, protein, mutation, is_mutation_novel, type, **kwargs): self.protein = protein self.mutation = mutation self.is_mutation_novel = is_mutation_novel self.type = type ...
<commit_before>from models import Protein, Mutation class SearchResult: def __init__(self, protein, mutation, is_mutation_novel, type, **kwargs): self.protein = protein self.mutation = mutation self.is_mutation_novel = is_mutation_novel self.type = type self.meta_user = No...
from models import Protein, Mutation from database import get_or_create class SearchResult: def __init__(self, protein, mutation, is_mutation_novel, type, **kwargs): self.protein = protein self.mutation = mutation self.is_mutation_novel = is_mutation_novel self.type = type ...
from models import Protein, Mutation class SearchResult: def __init__(self, protein, mutation, is_mutation_novel, type, **kwargs): self.protein = protein self.mutation = mutation self.is_mutation_novel = is_mutation_novel self.type = type self.meta_user = None self...
<commit_before>from models import Protein, Mutation class SearchResult: def __init__(self, protein, mutation, is_mutation_novel, type, **kwargs): self.protein = protein self.mutation = mutation self.is_mutation_novel = is_mutation_novel self.type = type self.meta_user = No...
dad38c399c4687c93c69255df0f9d69d1bb386c4
yawf/models.py
yawf/models.py
from django.db import models from django.utils.translation import ugettext_lazy as _ from yawf.config import INITIAL_STATE from yawf.base_model import WorkflowAwareModelBase class WorkflowAwareModel(WorkflowAwareModelBase): class Meta: abstract = True state = models.CharField(default=INITIAL_STATE,...
from django.db import models from django.utils.translation import ugettext_lazy as _ from yawf.config import INITIAL_STATE from yawf.base_model import WorkflowAwareModelBase class WorkflowAwareModel(WorkflowAwareModelBase, models.Model): class Meta: abstract = True state = models.CharField(default=...
Add missing parent for WorkflowAwareModel
Add missing parent for WorkflowAwareModel
Python
mit
freevoid/yawf
from django.db import models from django.utils.translation import ugettext_lazy as _ from yawf.config import INITIAL_STATE from yawf.base_model import WorkflowAwareModelBase class WorkflowAwareModel(WorkflowAwareModelBase): class Meta: abstract = True state = models.CharField(default=INITIAL_STATE,...
from django.db import models from django.utils.translation import ugettext_lazy as _ from yawf.config import INITIAL_STATE from yawf.base_model import WorkflowAwareModelBase class WorkflowAwareModel(WorkflowAwareModelBase, models.Model): class Meta: abstract = True state = models.CharField(default=...
<commit_before>from django.db import models from django.utils.translation import ugettext_lazy as _ from yawf.config import INITIAL_STATE from yawf.base_model import WorkflowAwareModelBase class WorkflowAwareModel(WorkflowAwareModelBase): class Meta: abstract = True state = models.CharField(default...
from django.db import models from django.utils.translation import ugettext_lazy as _ from yawf.config import INITIAL_STATE from yawf.base_model import WorkflowAwareModelBase class WorkflowAwareModel(WorkflowAwareModelBase, models.Model): class Meta: abstract = True state = models.CharField(default=...
from django.db import models from django.utils.translation import ugettext_lazy as _ from yawf.config import INITIAL_STATE from yawf.base_model import WorkflowAwareModelBase class WorkflowAwareModel(WorkflowAwareModelBase): class Meta: abstract = True state = models.CharField(default=INITIAL_STATE,...
<commit_before>from django.db import models from django.utils.translation import ugettext_lazy as _ from yawf.config import INITIAL_STATE from yawf.base_model import WorkflowAwareModelBase class WorkflowAwareModel(WorkflowAwareModelBase): class Meta: abstract = True state = models.CharField(default...
790c9debf2f89dca49a5e6f5b3842aebfba2a796
run.py
run.py
#!/usr/bin/env python import os import signal import sys from app.main import app, queues, sched def _teardown(signal, frame): sched.shutdown(wait=False) for queue in queues.values(): queue.put(None) queues.clear() # Let the interrupt bubble up so that Flask/Werkzeug see it raise Keyboard...
#!/usr/bin/env python import os import signal import sys from app.main import app, queues, sched def _teardown(signal, frame): sched.shutdown(wait=False) for queue in queues.values(): queue.put(None) queues.clear() # Let the interrupt bubble up so that Flask/Werkzeug see it raise Keyboard...
Add interrupt signal handler in non-debug mode
Add interrupt signal handler in non-debug mode
Python
mit
martinp/jarvis2,martinp/jarvis2,martinp/jarvis2,mpolden/jarvis2,mpolden/jarvis2,Foxboron/Frank,Foxboron/Frank,mpolden/jarvis2,Foxboron/Frank
#!/usr/bin/env python import os import signal import sys from app.main import app, queues, sched def _teardown(signal, frame): sched.shutdown(wait=False) for queue in queues.values(): queue.put(None) queues.clear() # Let the interrupt bubble up so that Flask/Werkzeug see it raise Keyboard...
#!/usr/bin/env python import os import signal import sys from app.main import app, queues, sched def _teardown(signal, frame): sched.shutdown(wait=False) for queue in queues.values(): queue.put(None) queues.clear() # Let the interrupt bubble up so that Flask/Werkzeug see it raise Keyboard...
<commit_before>#!/usr/bin/env python import os import signal import sys from app.main import app, queues, sched def _teardown(signal, frame): sched.shutdown(wait=False) for queue in queues.values(): queue.put(None) queues.clear() # Let the interrupt bubble up so that Flask/Werkzeug see it ...
#!/usr/bin/env python import os import signal import sys from app.main import app, queues, sched def _teardown(signal, frame): sched.shutdown(wait=False) for queue in queues.values(): queue.put(None) queues.clear() # Let the interrupt bubble up so that Flask/Werkzeug see it raise Keyboard...
#!/usr/bin/env python import os import signal import sys from app.main import app, queues, sched def _teardown(signal, frame): sched.shutdown(wait=False) for queue in queues.values(): queue.put(None) queues.clear() # Let the interrupt bubble up so that Flask/Werkzeug see it raise Keyboard...
<commit_before>#!/usr/bin/env python import os import signal import sys from app.main import app, queues, sched def _teardown(signal, frame): sched.shutdown(wait=False) for queue in queues.values(): queue.put(None) queues.clear() # Let the interrupt bubble up so that Flask/Werkzeug see it ...
32d4ea22c1bca4a96a8d826f0225dfee2a4c21d2
django_tenants/tests/__init__.py
django_tenants/tests/__init__.py
from .test_routes import * from .test_tenants import * from .test_cache import *
from .files import * from .staticfiles import * from .template import * from .test_routes import * from .test_tenants import * from .test_cache import *
Include static file-related tests in 'test' package.
fix(tests): Include static file-related tests in 'test' package.
Python
mit
tomturner/django-tenants,tomturner/django-tenants,tomturner/django-tenants
from .test_routes import * from .test_tenants import * from .test_cache import * fix(tests): Include static file-related tests in 'test' package.
from .files import * from .staticfiles import * from .template import * from .test_routes import * from .test_tenants import * from .test_cache import *
<commit_before>from .test_routes import * from .test_tenants import * from .test_cache import * <commit_msg>fix(tests): Include static file-related tests in 'test' package.<commit_after>
from .files import * from .staticfiles import * from .template import * from .test_routes import * from .test_tenants import * from .test_cache import *
from .test_routes import * from .test_tenants import * from .test_cache import * fix(tests): Include static file-related tests in 'test' package.from .files import * from .staticfiles import * from .template import * from .test_routes import * from .test_tenants import * from .test_cache import *
<commit_before>from .test_routes import * from .test_tenants import * from .test_cache import * <commit_msg>fix(tests): Include static file-related tests in 'test' package.<commit_after>from .files import * from .staticfiles import * from .template import * from .test_routes import * from .test_tenants import * from .t...
47310125c53d80e4ff09af6616955ccb2d9e3bc8
conanfile.py
conanfile.py
from conans import ConanFile, CMake class ConanUsingSilicium(ConanFile): settings = "os", "compiler", "build_type", "arch" requires = "Boost/1.59.0@lasote/stable", "silicium/0.1@tyroxx/testing" generators = "cmake" default_options = "Boost:shared=True"
from conans import ConanFile, CMake class ConanUsingSilicium(ConanFile): settings = "os", "compiler", "build_type", "arch" requires = "silicium/0.1@tyroxx/testing" generators = "cmake" default_options = "Boost:shared=True"
Boost should be referenced automatically by silicium
Boost should be referenced automatically by silicium
Python
mit
TyRoXx/conan_using_silicium,TyRoXx/conan_using_silicium
from conans import ConanFile, CMake class ConanUsingSilicium(ConanFile): settings = "os", "compiler", "build_type", "arch" requires = "Boost/1.59.0@lasote/stable", "silicium/0.1@tyroxx/testing" generators = "cmake" default_options = "Boost:shared=True" Boost should be referenced automatically by silicium
from conans import ConanFile, CMake class ConanUsingSilicium(ConanFile): settings = "os", "compiler", "build_type", "arch" requires = "silicium/0.1@tyroxx/testing" generators = "cmake" default_options = "Boost:shared=True"
<commit_before>from conans import ConanFile, CMake class ConanUsingSilicium(ConanFile): settings = "os", "compiler", "build_type", "arch" requires = "Boost/1.59.0@lasote/stable", "silicium/0.1@tyroxx/testing" generators = "cmake" default_options = "Boost:shared=True" <commit_msg>Boost should be referenced automati...
from conans import ConanFile, CMake class ConanUsingSilicium(ConanFile): settings = "os", "compiler", "build_type", "arch" requires = "silicium/0.1@tyroxx/testing" generators = "cmake" default_options = "Boost:shared=True"
from conans import ConanFile, CMake class ConanUsingSilicium(ConanFile): settings = "os", "compiler", "build_type", "arch" requires = "Boost/1.59.0@lasote/stable", "silicium/0.1@tyroxx/testing" generators = "cmake" default_options = "Boost:shared=True" Boost should be referenced automatically by siliciumfrom conan...
<commit_before>from conans import ConanFile, CMake class ConanUsingSilicium(ConanFile): settings = "os", "compiler", "build_type", "arch" requires = "Boost/1.59.0@lasote/stable", "silicium/0.1@tyroxx/testing" generators = "cmake" default_options = "Boost:shared=True" <commit_msg>Boost should be referenced automati...