repository_name
stringlengths
5
67
func_path_in_repository
stringlengths
4
234
func_name
stringlengths
0
314
whole_func_string
stringlengths
52
3.87M
language
stringclasses
6 values
func_code_string
stringlengths
52
3.87M
func_documentation_string
stringlengths
1
47.2k
func_code_url
stringlengths
85
339
shichao-an/115wangpan
u115/api.py
Directory.parent
def parent(self): """Parent directory that holds this directory""" if self._parent is None: if self.pid is not None: self._parent = self.api._load_directory(self.pid) return self._parent
python
def parent(self): """Parent directory that holds this directory""" if self._parent is None: if self.pid is not None: self._parent = self.api._load_directory(self.pid) return self._parent
Parent directory that holds this directory
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1348-L1353
shichao-an/115wangpan
u115/api.py
Directory.reload
def reload(self): """ Reload directory info and metadata * `name` * `pid` * `count` """ r = self.api._req_directory(self.cid) self.pid = r['pid'] self.name = r['name'] self._count = r['count']
python
def reload(self): """ Reload directory info and metadata * `name` * `pid` * `count` """ r = self.api._req_directory(self.cid) self.pid = r['pid'] self.name = r['name'] self._count = r['count']
Reload directory info and metadata * `name` * `pid` * `count`
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1362-L1374
shichao-an/115wangpan
u115/api.py
Directory._load_entries
def _load_entries(self, func, count, page=1, entries=None, **kwargs): """ Load entries :param function func: function (:meth:`.API._req_files` or :meth:`.API._req_search`) that returns entries :param int count: number of entries to load. This value should never be greater than self.count :param int page: page number (starting from 1) """ if entries is None: entries = [] res = \ func(offset=(page - 1) * self.max_entries_per_load, limit=self.max_entries_per_load, **kwargs) loaded_entries = [ entry for entry in res['data'][:count] ] #total_count = res['count'] total_count = self.count # count should never be greater than total_count if count > total_count: count = total_count if count <= self.max_entries_per_load: return entries + loaded_entries else: cur_count = count - self.max_entries_per_load return self._load_entries( func=func, count=cur_count, page=page + 1, entries=entries + loaded_entries, **kwargs)
python
def _load_entries(self, func, count, page=1, entries=None, **kwargs): """ Load entries :param function func: function (:meth:`.API._req_files` or :meth:`.API._req_search`) that returns entries :param int count: number of entries to load. This value should never be greater than self.count :param int page: page number (starting from 1) """ if entries is None: entries = [] res = \ func(offset=(page - 1) * self.max_entries_per_load, limit=self.max_entries_per_load, **kwargs) loaded_entries = [ entry for entry in res['data'][:count] ] #total_count = res['count'] total_count = self.count # count should never be greater than total_count if count > total_count: count = total_count if count <= self.max_entries_per_load: return entries + loaded_entries else: cur_count = count - self.max_entries_per_load return self._load_entries( func=func, count=cur_count, page=page + 1, entries=entries + loaded_entries, **kwargs)
Load entries :param function func: function (:meth:`.API._req_files` or :meth:`.API._req_search`) that returns entries :param int count: number of entries to load. This value should never be greater than self.count :param int page: page number (starting from 1)
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1376-L1407
shichao-an/115wangpan
u115/api.py
Directory.list
def list(self, count=30, order='user_ptime', asc=False, show_dir=True, natsort=True): """ List directory contents :param int count: number of entries to be listed :param str order: order of entries, originally named `o`. This value may be one of `user_ptime` (default), `file_size` and `file_name` :param bool asc: whether in ascending order :param bool show_dir: whether to show directories :param bool natsort: whether to use natural sort Return a list of :class:`.File` or :class:`.Directory` objects """ if self.cid is None: return False self.reload() kwargs = {} # `cid` is the only required argument kwargs['cid'] = self.cid kwargs['asc'] = 1 if asc is True else 0 kwargs['show_dir'] = 1 if show_dir is True else 0 kwargs['natsort'] = 1 if natsort is True else 0 kwargs['o'] = order # When the downloads directory exists along with its parent directory, # the receiver directory, its parent's count (receiver directory's # count) does not include the downloads directory. This behavior is # similar to its parent's parent (root), the count of which does not # include the receiver directory. # The following code fixed this behavior so that a directory's # count correctly reflects the actual number of entries in it # The side-effect that this code may ensure that downloads directory # exists, causing the system to create the receiver directory and # downloads directory, if they do not exist. if self.is_root or self == self.api.receiver_directory: self._count += 1 if self.count <= count: # count should never be greater than self.count count = self.count try: entries = self._load_entries(func=self.api._req_files, count=count, page=1, **kwargs) # When natsort=1 and order='file_name', API access will fail except RequestFailure as e: if natsort is True and order == 'file_name': entries = \ self._load_entries(func=self.api._req_aps_natsort_files, count=count, page=1, **kwargs) else: raise e res = [] for entry in entries: if 'pid' in entry: res.append(_instantiate_directory(self.api, entry)) else: res.append(_instantiate_file(self.api, entry)) return res
python
def list(self, count=30, order='user_ptime', asc=False, show_dir=True, natsort=True): """ List directory contents :param int count: number of entries to be listed :param str order: order of entries, originally named `o`. This value may be one of `user_ptime` (default), `file_size` and `file_name` :param bool asc: whether in ascending order :param bool show_dir: whether to show directories :param bool natsort: whether to use natural sort Return a list of :class:`.File` or :class:`.Directory` objects """ if self.cid is None: return False self.reload() kwargs = {} # `cid` is the only required argument kwargs['cid'] = self.cid kwargs['asc'] = 1 if asc is True else 0 kwargs['show_dir'] = 1 if show_dir is True else 0 kwargs['natsort'] = 1 if natsort is True else 0 kwargs['o'] = order # When the downloads directory exists along with its parent directory, # the receiver directory, its parent's count (receiver directory's # count) does not include the downloads directory. This behavior is # similar to its parent's parent (root), the count of which does not # include the receiver directory. # The following code fixed this behavior so that a directory's # count correctly reflects the actual number of entries in it # The side-effect that this code may ensure that downloads directory # exists, causing the system to create the receiver directory and # downloads directory, if they do not exist. if self.is_root or self == self.api.receiver_directory: self._count += 1 if self.count <= count: # count should never be greater than self.count count = self.count try: entries = self._load_entries(func=self.api._req_files, count=count, page=1, **kwargs) # When natsort=1 and order='file_name', API access will fail except RequestFailure as e: if natsort is True and order == 'file_name': entries = \ self._load_entries(func=self.api._req_aps_natsort_files, count=count, page=1, **kwargs) else: raise e res = [] for entry in entries: if 'pid' in entry: res.append(_instantiate_directory(self.api, entry)) else: res.append(_instantiate_file(self.api, entry)) return res
List directory contents :param int count: number of entries to be listed :param str order: order of entries, originally named `o`. This value may be one of `user_ptime` (default), `file_size` and `file_name` :param bool asc: whether in ascending order :param bool show_dir: whether to show directories :param bool natsort: whether to use natural sort Return a list of :class:`.File` or :class:`.Directory` objects
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1409-L1468
shichao-an/115wangpan
u115/api.py
Task.is_directory
def is_directory(self): """ :return: whether this task is associated with a directory. :rtype: bool """ if self.cid is None: msg = 'Cannot determine whether this task is a directory.' if not self.is_transferred: msg += ' This task has not been transferred.' raise TaskError(msg) return self.api.downloads_directory.cid != self.cid
python
def is_directory(self): """ :return: whether this task is associated with a directory. :rtype: bool """ if self.cid is None: msg = 'Cannot determine whether this task is a directory.' if not self.is_transferred: msg += ' This task has not been transferred.' raise TaskError(msg) return self.api.downloads_directory.cid != self.cid
:return: whether this task is associated with a directory. :rtype: bool
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1538-L1548
shichao-an/115wangpan
u115/api.py
Task.delete
def delete(self): """ Delete task (does not influence its corresponding directory) :return: whether deletion is successful :raise: :class:`.TaskError` if the task is already deleted """ if not self._deleted: if self.api._req_lixian_task_del(self): self._deleted = True return True raise TaskError('This task is already deleted.')
python
def delete(self): """ Delete task (does not influence its corresponding directory) :return: whether deletion is successful :raise: :class:`.TaskError` if the task is already deleted """ if not self._deleted: if self.api._req_lixian_task_del(self): self._deleted = True return True raise TaskError('This task is already deleted.')
Delete task (does not influence its corresponding directory) :return: whether deletion is successful :raise: :class:`.TaskError` if the task is already deleted
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1555-L1566
shichao-an/115wangpan
u115/api.py
Task.status_human
def status_human(self): """ Human readable status :return: * `DOWNLOADING`: the task is downloading files * `BEING TRANSFERRED`: the task is being transferred * `TRANSFERRED`: the task has been transferred to downloads \ directory * `SEARCHING RESOURCES`: the task is searching resources * `FAILED`: the task is failed * `DELETED`: the task is deleted * `UNKNOWN STATUS` :rtype: str """ res = None if self._deleted: return 'DELETED' if self.status == 1: res = 'DOWNLOADING' elif self.status == 2: if self.move == 0: res = 'BEING TRANSFERRED' elif self.move == 1: res = 'TRANSFERRED' elif self.move == 2: res = 'PARTIALLY TRANSFERRED' elif self.status == 4: res = 'SEARCHING RESOURCES' elif self.status == -1: res = 'FAILED' if res is not None: return res return 'UNKNOWN STATUS'
python
def status_human(self): """ Human readable status :return: * `DOWNLOADING`: the task is downloading files * `BEING TRANSFERRED`: the task is being transferred * `TRANSFERRED`: the task has been transferred to downloads \ directory * `SEARCHING RESOURCES`: the task is searching resources * `FAILED`: the task is failed * `DELETED`: the task is deleted * `UNKNOWN STATUS` :rtype: str """ res = None if self._deleted: return 'DELETED' if self.status == 1: res = 'DOWNLOADING' elif self.status == 2: if self.move == 0: res = 'BEING TRANSFERRED' elif self.move == 1: res = 'TRANSFERRED' elif self.move == 2: res = 'PARTIALLY TRANSFERRED' elif self.status == 4: res = 'SEARCHING RESOURCES' elif self.status == -1: res = 'FAILED' if res is not None: return res return 'UNKNOWN STATUS'
Human readable status :return: * `DOWNLOADING`: the task is downloading files * `BEING TRANSFERRED`: the task is being transferred * `TRANSFERRED`: the task has been transferred to downloads \ directory * `SEARCHING RESOURCES`: the task is searching resources * `FAILED`: the task is failed * `DELETED`: the task is deleted * `UNKNOWN STATUS` :rtype: str
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1585-L1621
shichao-an/115wangpan
u115/api.py
Task.directory
def directory(self): """Associated directory, if any, with this task""" if not self.is_directory: msg = 'This task is a file task with no associated directory.' raise TaskError(msg) if self._directory is None: if self.is_transferred: self._directory = self.api._load_directory(self.cid) if self._directory is None: msg = 'No directory assciated with this task: Task is %s.' % \ self.status_human.lower() raise TaskError(msg) return self._directory
python
def directory(self): """Associated directory, if any, with this task""" if not self.is_directory: msg = 'This task is a file task with no associated directory.' raise TaskError(msg) if self._directory is None: if self.is_transferred: self._directory = self.api._load_directory(self.cid) if self._directory is None: msg = 'No directory assciated with this task: Task is %s.' % \ self.status_human.lower() raise TaskError(msg) return self._directory
Associated directory, if any, with this task
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1624-L1636
shichao-an/115wangpan
u115/api.py
Task.list
def list(self, count=30, order='user_ptime', asc=False, show_dir=True, natsort=True): """ List files of the associated directory to this task. :param int count: number of entries to be listed :param str order: originally named `o` :param bool asc: whether in ascending order :param bool show_dir: whether to show directories """ return self.directory.list(count, order, asc, show_dir, natsort)
python
def list(self, count=30, order='user_ptime', asc=False, show_dir=True, natsort=True): """ List files of the associated directory to this task. :param int count: number of entries to be listed :param str order: originally named `o` :param bool asc: whether in ascending order :param bool show_dir: whether to show directories """ return self.directory.list(count, order, asc, show_dir, natsort)
List files of the associated directory to this task. :param int count: number of entries to be listed :param str order: originally named `o` :param bool asc: whether in ascending order :param bool show_dir: whether to show directories
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1648-L1659
shichao-an/115wangpan
u115/api.py
Torrent.submit
def submit(self): """Submit this torrent and create a new task""" if self.api._req_lixian_add_task_bt(self): self.submitted = True return True return False
python
def submit(self): """Submit this torrent and create a new task""" if self.api._req_lixian_add_task_bt(self): self.submitted = True return True return False
Submit this torrent and create a new task
https://github.com/shichao-an/115wangpan/blob/e7cc935313f675e886bceca831fcffcdedf1e880/u115/api.py#L1689-L1694
klis87/django-cloudinary-storage
cloudinary_storage/management/commands/deleteredundantstatic.py
Command.get_needful_files
def get_needful_files(self): """ Returns currently used static files. Assumes that manifest staticfiles.json is up-to-date. """ manifest = self.storage.load_manifest() if self.keep_unhashed_files: if PY3: needful_files = set(manifest.keys() | manifest.values()) else: needful_files = set(manifest.keys() + manifest.values()) needful_files = {self.storage.clean_name(file) for file in needful_files} else: needful_files = set(manifest.values()) return {self.process_file(file) for file in needful_files}
python
def get_needful_files(self): """ Returns currently used static files. Assumes that manifest staticfiles.json is up-to-date. """ manifest = self.storage.load_manifest() if self.keep_unhashed_files: if PY3: needful_files = set(manifest.keys() | manifest.values()) else: needful_files = set(manifest.keys() + manifest.values()) needful_files = {self.storage.clean_name(file) for file in needful_files} else: needful_files = set(manifest.values()) return {self.process_file(file) for file in needful_files}
Returns currently used static files. Assumes that manifest staticfiles.json is up-to-date.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/management/commands/deleteredundantstatic.py#L37-L51
klis87/django-cloudinary-storage
cloudinary_storage/management/commands/deleteorphanedmedia.py
Command.model_file_fields
def model_file_fields(self, model): """ Generator yielding all instances of FileField and its subclasses of a model. """ for field in model._meta.fields: if isinstance(field, models.FileField): yield field
python
def model_file_fields(self, model): """ Generator yielding all instances of FileField and its subclasses of a model. """ for field in model._meta.fields: if isinstance(field, models.FileField): yield field
Generator yielding all instances of FileField and its subclasses of a model.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/management/commands/deleteorphanedmedia.py#L30-L36
klis87/django-cloudinary-storage
cloudinary_storage/management/commands/deleteorphanedmedia.py
Command.get_resource_types
def get_resource_types(self): """ Returns set of resource types of FileFields of all registered models. Needed by Cloudinary as resource type is needed to browse or delete specific files. """ resource_types = set() for model in self.models(): for field in self.model_file_fields(model): resource_type = field.storage.RESOURCE_TYPE resource_types.add(resource_type) return resource_types
python
def get_resource_types(self): """ Returns set of resource types of FileFields of all registered models. Needed by Cloudinary as resource type is needed to browse or delete specific files. """ resource_types = set() for model in self.models(): for field in self.model_file_fields(model): resource_type = field.storage.RESOURCE_TYPE resource_types.add(resource_type) return resource_types
Returns set of resource types of FileFields of all registered models. Needed by Cloudinary as resource type is needed to browse or delete specific files.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/management/commands/deleteorphanedmedia.py#L38-L48
klis87/django-cloudinary-storage
cloudinary_storage/management/commands/deleteorphanedmedia.py
Command.get_needful_files
def get_needful_files(self): """ Returns set of media files associated with models. Those files won't be deleted. """ needful_files = [] for model in self.models(): media_fields = [] for field in self.model_file_fields(model): media_fields.append(field.name) if media_fields: exclude_options = {media_field: '' for media_field in media_fields} model_uploaded_media = model.objects.exclude(**exclude_options).values_list(*media_fields) needful_files.extend(model_uploaded_media) return set(chain.from_iterable(needful_files))
python
def get_needful_files(self): """ Returns set of media files associated with models. Those files won't be deleted. """ needful_files = [] for model in self.models(): media_fields = [] for field in self.model_file_fields(model): media_fields.append(field.name) if media_fields: exclude_options = {media_field: '' for media_field in media_fields} model_uploaded_media = model.objects.exclude(**exclude_options).values_list(*media_fields) needful_files.extend(model_uploaded_media) return set(chain.from_iterable(needful_files))
Returns set of media files associated with models. Those files won't be deleted.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/management/commands/deleteorphanedmedia.py#L50-L64
klis87/django-cloudinary-storage
cloudinary_storage/management/commands/deleteorphanedmedia.py
Command.get_files_to_remove
def get_files_to_remove(self): """ Returns orphaned media files to be removed grouped by resource type. All files which paths start with any of exclude paths are ignored. """ files_to_remove = {} needful_files = self.get_needful_files() for resources_type, resources in self.get_uploaded_resources(): exclude_paths = self.get_exclude_paths() resources = {resource for resource in resources if not resource.startswith(exclude_paths)} files_to_remove[resources_type] = resources - needful_files return files_to_remove
python
def get_files_to_remove(self): """ Returns orphaned media files to be removed grouped by resource type. All files which paths start with any of exclude paths are ignored. """ files_to_remove = {} needful_files = self.get_needful_files() for resources_type, resources in self.get_uploaded_resources(): exclude_paths = self.get_exclude_paths() resources = {resource for resource in resources if not resource.startswith(exclude_paths)} files_to_remove[resources_type] = resources - needful_files return files_to_remove
Returns orphaned media files to be removed grouped by resource type. All files which paths start with any of exclude paths are ignored.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/management/commands/deleteorphanedmedia.py#L71-L82
klis87/django-cloudinary-storage
cloudinary_storage/storage.py
StaticCloudinaryStorage._get_resource_type
def _get_resource_type(self, name): """ Implemented as static files can be of different resource types. Because web developers are the people who control those files, we can distinguish them simply by looking at their extensions, we don't need any content based validation. """ extension = self._get_file_extension(name) if extension is None: return self.RESOURCE_TYPE elif extension in app_settings.STATIC_IMAGES_EXTENSIONS: return RESOURCE_TYPES['IMAGE'] elif extension in app_settings.STATIC_VIDEOS_EXTENSIONS: return RESOURCE_TYPES['VIDEO'] else: return self.RESOURCE_TYPE
python
def _get_resource_type(self, name): """ Implemented as static files can be of different resource types. Because web developers are the people who control those files, we can distinguish them simply by looking at their extensions, we don't need any content based validation. """ extension = self._get_file_extension(name) if extension is None: return self.RESOURCE_TYPE elif extension in app_settings.STATIC_IMAGES_EXTENSIONS: return RESOURCE_TYPES['IMAGE'] elif extension in app_settings.STATIC_VIDEOS_EXTENSIONS: return RESOURCE_TYPES['VIDEO'] else: return self.RESOURCE_TYPE
Implemented as static files can be of different resource types. Because web developers are the people who control those files, we can distinguish them simply by looking at their extensions, we don't need any content based validation.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/storage.py#L165-L179
klis87/django-cloudinary-storage
cloudinary_storage/storage.py
StaticCloudinaryStorage._remove_extension_for_non_raw_file
def _remove_extension_for_non_raw_file(self, name): """ Implemented as image and video files' Cloudinary public id shouldn't contain file extensions, otherwise Cloudinary url would contain doubled extension - Cloudinary adds extension to url to allow file conversion to arbitrary file, like png to jpg. """ file_resource_type = self._get_resource_type(name) if file_resource_type is None or file_resource_type == self.RESOURCE_TYPE: return name else: extension = self._get_file_extension(name) return name[:-len(extension) - 1]
python
def _remove_extension_for_non_raw_file(self, name): """ Implemented as image and video files' Cloudinary public id shouldn't contain file extensions, otherwise Cloudinary url would contain doubled extension - Cloudinary adds extension to url to allow file conversion to arbitrary file, like png to jpg. """ file_resource_type = self._get_resource_type(name) if file_resource_type is None or file_resource_type == self.RESOURCE_TYPE: return name else: extension = self._get_file_extension(name) return name[:-len(extension) - 1]
Implemented as image and video files' Cloudinary public id shouldn't contain file extensions, otherwise Cloudinary url would contain doubled extension - Cloudinary adds extension to url to allow file conversion to arbitrary file, like png to jpg.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/storage.py#L200-L212
klis87/django-cloudinary-storage
cloudinary_storage/storage.py
StaticCloudinaryStorage._exists_with_etag
def _exists_with_etag(self, name, content): """ Checks whether a file with a name and a content is already uploaded to Cloudinary. Uses ETAG header and MD5 hash for the content comparison. """ url = self._get_url(name) response = requests.head(url) if response.status_code == 404: return False etag = response.headers['ETAG'].split('"')[1] hash = self.file_hash(name, content) return etag.startswith(hash)
python
def _exists_with_etag(self, name, content): """ Checks whether a file with a name and a content is already uploaded to Cloudinary. Uses ETAG header and MD5 hash for the content comparison. """ url = self._get_url(name) response = requests.head(url) if response.status_code == 404: return False etag = response.headers['ETAG'].split('"')[1] hash = self.file_hash(name, content) return etag.startswith(hash)
Checks whether a file with a name and a content is already uploaded to Cloudinary. Uses ETAG header and MD5 hash for the content comparison.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/storage.py#L218-L229
klis87/django-cloudinary-storage
cloudinary_storage/storage.py
StaticCloudinaryStorage._save
def _save(self, name, content): """ Saves only when a file with a name and a content is not already uploaded to Cloudinary. """ name = self.clean_name(name) # to change to UNIX style path on windows if necessary if not self._exists_with_etag(name, content): content.seek(0) super(StaticCloudinaryStorage, self)._save(name, content) return self._prepend_prefix(name)
python
def _save(self, name, content): """ Saves only when a file with a name and a content is not already uploaded to Cloudinary. """ name = self.clean_name(name) # to change to UNIX style path on windows if necessary if not self._exists_with_etag(name, content): content.seek(0) super(StaticCloudinaryStorage, self)._save(name, content) return self._prepend_prefix(name)
Saves only when a file with a name and a content is not already uploaded to Cloudinary.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/storage.py#L231-L239
nevimov/django-easycart
easycart/cart.py
BaseCart.add
def add(self, pk, quantity=1, **kwargs): """Add an item to the cart. If the item is already in the cart, then its quantity will be increased by `quantity` units. Parameters ---------- pk : str or int The primary key of the item. quantity : int-convertible A number of units of to add. **kwargs Extra keyword arguments to pass to the item class constructor. Raises ------ ItemNotInDatabase NegativeItemQuantity NonConvertibleItemQuantity TooLargeItemQuantity ZeroItemQuantity """ pk = str(pk) if pk in self.items: existing_item = self.items[pk] existing_item.quantity += _clean_quantity(quantity) else: queryset = self.get_queryset([pk]) try: obj = queryset[0] except IndexError: raise ItemNotInDatabase(pk=pk) obj = self.process_object(obj) self.items[pk] = self.item_class(obj, quantity, **kwargs) self.update()
python
def add(self, pk, quantity=1, **kwargs): """Add an item to the cart. If the item is already in the cart, then its quantity will be increased by `quantity` units. Parameters ---------- pk : str or int The primary key of the item. quantity : int-convertible A number of units of to add. **kwargs Extra keyword arguments to pass to the item class constructor. Raises ------ ItemNotInDatabase NegativeItemQuantity NonConvertibleItemQuantity TooLargeItemQuantity ZeroItemQuantity """ pk = str(pk) if pk in self.items: existing_item = self.items[pk] existing_item.quantity += _clean_quantity(quantity) else: queryset = self.get_queryset([pk]) try: obj = queryset[0] except IndexError: raise ItemNotInDatabase(pk=pk) obj = self.process_object(obj) self.items[pk] = self.item_class(obj, quantity, **kwargs) self.update()
Add an item to the cart. If the item is already in the cart, then its quantity will be increased by `quantity` units. Parameters ---------- pk : str or int The primary key of the item. quantity : int-convertible A number of units of to add. **kwargs Extra keyword arguments to pass to the item class constructor. Raises ------ ItemNotInDatabase NegativeItemQuantity NonConvertibleItemQuantity TooLargeItemQuantity ZeroItemQuantity
https://github.com/nevimov/django-easycart/blob/81b7d7d4b197e34d21dcd8cb9eb9104b565041a9/easycart/cart.py#L193-L230
nevimov/django-easycart
easycart/cart.py
BaseCart.change_quantity
def change_quantity(self, pk, quantity): """Change the quantity of an item. Parameters ---------- pk : str or int The primary key of the item. quantity : int-convertible A new quantity. Raises ------ ItemNotInCart NegativeItemQuantity NonConvertibleItemQuantity TooLargeItemQuantity ZeroItemQuantity """ pk = str(pk) try: item = self.items[pk] except KeyError: raise ItemNotInCart(pk=pk) item.quantity = quantity self.update()
python
def change_quantity(self, pk, quantity): """Change the quantity of an item. Parameters ---------- pk : str or int The primary key of the item. quantity : int-convertible A new quantity. Raises ------ ItemNotInCart NegativeItemQuantity NonConvertibleItemQuantity TooLargeItemQuantity ZeroItemQuantity """ pk = str(pk) try: item = self.items[pk] except KeyError: raise ItemNotInCart(pk=pk) item.quantity = quantity self.update()
Change the quantity of an item. Parameters ---------- pk : str or int The primary key of the item. quantity : int-convertible A new quantity. Raises ------ ItemNotInCart NegativeItemQuantity NonConvertibleItemQuantity TooLargeItemQuantity ZeroItemQuantity
https://github.com/nevimov/django-easycart/blob/81b7d7d4b197e34d21dcd8cb9eb9104b565041a9/easycart/cart.py#L232-L257
nevimov/django-easycart
easycart/cart.py
BaseCart.remove
def remove(self, pk): """Remove an item from the cart. Parameters ---------- pk : str or int The primary key of the item. Raises ------ ItemNotInCart """ pk = str(pk) try: del self.items[pk] except KeyError: raise ItemNotInCart(pk=pk) self.update()
python
def remove(self, pk): """Remove an item from the cart. Parameters ---------- pk : str or int The primary key of the item. Raises ------ ItemNotInCart """ pk = str(pk) try: del self.items[pk] except KeyError: raise ItemNotInCart(pk=pk) self.update()
Remove an item from the cart. Parameters ---------- pk : str or int The primary key of the item. Raises ------ ItemNotInCart
https://github.com/nevimov/django-easycart/blob/81b7d7d4b197e34d21dcd8cb9eb9104b565041a9/easycart/cart.py#L259-L277
nevimov/django-easycart
easycart/cart.py
BaseCart.list_items
def list_items(self, sort_key=None, reverse=False): """Return a list of cart items. Parameters ---------- sort_key : func A function to customize the list order, same as the 'key' argument to the built-in :func:`sorted`. reverse: bool If set to True, the sort order will be reversed. Returns ------- list List of :attr:`item_class` instances. Examples -------- >>> cart = Cart(request) >>> cart.list_items(lambda item: item.obj.name) [<CartItem: obj=bar, quantity=3>, <CartItem: obj=foo, quantity=1>, <CartItem: obj=nox, quantity=5>] >>> cart.list_items(lambda item: item.quantity, reverse=True) [<CartItem: obj=nox, quantity=5>, <CartItem: obj=bar, quantity=3>, <CartItem: obj=foo, quantity=1>] """ items = list(self.items.values()) if sort_key: items.sort(key=sort_key, reverse=reverse) return items
python
def list_items(self, sort_key=None, reverse=False): """Return a list of cart items. Parameters ---------- sort_key : func A function to customize the list order, same as the 'key' argument to the built-in :func:`sorted`. reverse: bool If set to True, the sort order will be reversed. Returns ------- list List of :attr:`item_class` instances. Examples -------- >>> cart = Cart(request) >>> cart.list_items(lambda item: item.obj.name) [<CartItem: obj=bar, quantity=3>, <CartItem: obj=foo, quantity=1>, <CartItem: obj=nox, quantity=5>] >>> cart.list_items(lambda item: item.quantity, reverse=True) [<CartItem: obj=nox, quantity=5>, <CartItem: obj=bar, quantity=3>, <CartItem: obj=foo, quantity=1>] """ items = list(self.items.values()) if sort_key: items.sort(key=sort_key, reverse=reverse) return items
Return a list of cart items. Parameters ---------- sort_key : func A function to customize the list order, same as the 'key' argument to the built-in :func:`sorted`. reverse: bool If set to True, the sort order will be reversed. Returns ------- list List of :attr:`item_class` instances. Examples -------- >>> cart = Cart(request) >>> cart.list_items(lambda item: item.obj.name) [<CartItem: obj=bar, quantity=3>, <CartItem: obj=foo, quantity=1>, <CartItem: obj=nox, quantity=5>] >>> cart.list_items(lambda item: item.quantity, reverse=True) [<CartItem: obj=nox, quantity=5>, <CartItem: obj=bar, quantity=3>, <CartItem: obj=foo, quantity=1>]
https://github.com/nevimov/django-easycart/blob/81b7d7d4b197e34d21dcd8cb9eb9104b565041a9/easycart/cart.py#L284-L316
nevimov/django-easycart
easycart/cart.py
BaseCart.encode
def encode(self, formatter=None): """Return a representation of the cart as a JSON-response. Parameters ---------- formatter : func, optional A function that accepts the cart representation and returns its formatted version. Returns ------- django.http.JsonResponse Examples -------- Assume that items with primary keys "1" and "4" are already in the cart. >>> cart = Cart(request) >>> def format_total_price(cart_repr): ... return intcomma(cart_repr['totalPrice']) ... >>> json_response = cart.encode(format_total_price) >>> json_response.content b'{ "items": { '1': {"price": 100, "quantity": 10, "total": 1000}, '4': {"price": 50, "quantity": 20, "total": 1000}, }, "itemCount": 2, "totalPrice": "2,000", }' """ items = {} # The prices are converted to strings, because they may have a # type that can't be serialized to JSON (e.g. Decimal). for item in self.items.values(): pk = str(item.obj.pk) items[pk] = { 'price': str(item.price), 'quantity': item.quantity, 'total': item.total, } cart_repr = { 'items': items, 'itemCount': self.item_count, 'totalPrice': str(self.total_price), } if formatter: cart_repr = formatter(cart_repr) return JsonResponse(cart_repr)
python
def encode(self, formatter=None): """Return a representation of the cart as a JSON-response. Parameters ---------- formatter : func, optional A function that accepts the cart representation and returns its formatted version. Returns ------- django.http.JsonResponse Examples -------- Assume that items with primary keys "1" and "4" are already in the cart. >>> cart = Cart(request) >>> def format_total_price(cart_repr): ... return intcomma(cart_repr['totalPrice']) ... >>> json_response = cart.encode(format_total_price) >>> json_response.content b'{ "items": { '1': {"price": 100, "quantity": 10, "total": 1000}, '4': {"price": 50, "quantity": 20, "total": 1000}, }, "itemCount": 2, "totalPrice": "2,000", }' """ items = {} # The prices are converted to strings, because they may have a # type that can't be serialized to JSON (e.g. Decimal). for item in self.items.values(): pk = str(item.obj.pk) items[pk] = { 'price': str(item.price), 'quantity': item.quantity, 'total': item.total, } cart_repr = { 'items': items, 'itemCount': self.item_count, 'totalPrice': str(self.total_price), } if formatter: cart_repr = formatter(cart_repr) return JsonResponse(cart_repr)
Return a representation of the cart as a JSON-response. Parameters ---------- formatter : func, optional A function that accepts the cart representation and returns its formatted version. Returns ------- django.http.JsonResponse Examples -------- Assume that items with primary keys "1" and "4" are already in the cart. >>> cart = Cart(request) >>> def format_total_price(cart_repr): ... return intcomma(cart_repr['totalPrice']) ... >>> json_response = cart.encode(format_total_price) >>> json_response.content b'{ "items": { '1': {"price": 100, "quantity": 10, "total": 1000}, '4': {"price": 50, "quantity": 20, "total": 1000}, }, "itemCount": 2, "totalPrice": "2,000", }'
https://github.com/nevimov/django-easycart/blob/81b7d7d4b197e34d21dcd8cb9eb9104b565041a9/easycart/cart.py#L318-L369
nevimov/django-easycart
easycart/cart.py
BaseCart.create_items
def create_items(self, session_items): """Instantiate cart items from session data. The value returned by this method is used to populate the cart's `items` attribute. Parameters ---------- session_items : dict A dictionary of pk-quantity mappings (each pk is a string). For example: ``{'1': 5, '3': 2}``. Returns ------- dict A map between the `session_items` keys and instances of :attr:`item_class`. For example:: {'1': <CartItem: obj=foo, quantity=5>, '3': <CartItem: obj=bar, quantity=2>} """ pks = list(session_items.keys()) items = {} item_class = self.item_class process_object = self.process_object for obj in self.get_queryset(pks): pk = str(obj.pk) obj = process_object(obj) items[pk] = item_class(obj, **session_items[pk]) if len(items) < len(session_items): self._stale_pks = set(session_items).difference(items) return items
python
def create_items(self, session_items): """Instantiate cart items from session data. The value returned by this method is used to populate the cart's `items` attribute. Parameters ---------- session_items : dict A dictionary of pk-quantity mappings (each pk is a string). For example: ``{'1': 5, '3': 2}``. Returns ------- dict A map between the `session_items` keys and instances of :attr:`item_class`. For example:: {'1': <CartItem: obj=foo, quantity=5>, '3': <CartItem: obj=bar, quantity=2>} """ pks = list(session_items.keys()) items = {} item_class = self.item_class process_object = self.process_object for obj in self.get_queryset(pks): pk = str(obj.pk) obj = process_object(obj) items[pk] = item_class(obj, **session_items[pk]) if len(items) < len(session_items): self._stale_pks = set(session_items).difference(items) return items
Instantiate cart items from session data. The value returned by this method is used to populate the cart's `items` attribute. Parameters ---------- session_items : dict A dictionary of pk-quantity mappings (each pk is a string). For example: ``{'1': 5, '3': 2}``. Returns ------- dict A map between the `session_items` keys and instances of :attr:`item_class`. For example:: {'1': <CartItem: obj=foo, quantity=5>, '3': <CartItem: obj=bar, quantity=2>}
https://github.com/nevimov/django-easycart/blob/81b7d7d4b197e34d21dcd8cb9eb9104b565041a9/easycart/cart.py#L437-L469
nevimov/django-easycart
easycart/cart.py
BaseCart.update
def update(self): """Update the cart. First this method updates attributes dependent on the cart's `items`, such as `total_price` or `item_count`. After that, it saves the new cart state to the session. Generally, you'll need to call this method by yourself, only when implementing new methods that directly change the `items` attribute. """ self.item_count = self.count_items() self.total_price = self.count_total_price() # Update the session session = self.request.session session_items = {} for pk, item in self.items.items(): session_items[pk] = dict(quantity=item.quantity, **item._kwargs) session_data = session[session_key] session_data['items'] = session_items session_data['itemCount'] = self.item_count # The price can be of a type that can't be serialized to JSON session_data['totalPrice'] = str(self.total_price) session.modified = True
python
def update(self): """Update the cart. First this method updates attributes dependent on the cart's `items`, such as `total_price` or `item_count`. After that, it saves the new cart state to the session. Generally, you'll need to call this method by yourself, only when implementing new methods that directly change the `items` attribute. """ self.item_count = self.count_items() self.total_price = self.count_total_price() # Update the session session = self.request.session session_items = {} for pk, item in self.items.items(): session_items[pk] = dict(quantity=item.quantity, **item._kwargs) session_data = session[session_key] session_data['items'] = session_items session_data['itemCount'] = self.item_count # The price can be of a type that can't be serialized to JSON session_data['totalPrice'] = str(self.total_price) session.modified = True
Update the cart. First this method updates attributes dependent on the cart's `items`, such as `total_price` or `item_count`. After that, it saves the new cart state to the session. Generally, you'll need to call this method by yourself, only when implementing new methods that directly change the `items` attribute.
https://github.com/nevimov/django-easycart/blob/81b7d7d4b197e34d21dcd8cb9eb9104b565041a9/easycart/cart.py#L471-L495
nevimov/django-easycart
easycart/cart.py
BaseCart.count_items
def count_items(self, unique=True): """Count items in the cart. Parameters ---------- unique : bool-convertible, optional Returns ------- int If `unique` is truthy, then the result is the number of items in the cart. Otherwise, it's the sum of all item quantities. """ if unique: return len(self.items) return sum([item.quantity for item in self.items.values()])
python
def count_items(self, unique=True): """Count items in the cart. Parameters ---------- unique : bool-convertible, optional Returns ------- int If `unique` is truthy, then the result is the number of items in the cart. Otherwise, it's the sum of all item quantities. """ if unique: return len(self.items) return sum([item.quantity for item in self.items.values()])
Count items in the cart. Parameters ---------- unique : bool-convertible, optional Returns ------- int If `unique` is truthy, then the result is the number of items in the cart. Otherwise, it's the sum of all item quantities.
https://github.com/nevimov/django-easycart/blob/81b7d7d4b197e34d21dcd8cb9eb9104b565041a9/easycart/cart.py#L497-L514
klis87/django-cloudinary-storage
cloudinary_storage/management/commands/collectstatic.py
Command.copy_file
def copy_file(self, path, prefixed_path, source_storage): """ Overwritten to execute only with --upload-unhashed-files param or StaticCloudinaryStorage. Otherwise only hashed files will be uploaded during postprocessing. """ if (settings.STATICFILES_STORAGE == 'cloudinary_storage.storage.StaticCloudinaryStorage' or self.upload_unhashed_files): super(Command, self).copy_file(path, prefixed_path, source_storage)
python
def copy_file(self, path, prefixed_path, source_storage): """ Overwritten to execute only with --upload-unhashed-files param or StaticCloudinaryStorage. Otherwise only hashed files will be uploaded during postprocessing. """ if (settings.STATICFILES_STORAGE == 'cloudinary_storage.storage.StaticCloudinaryStorage' or self.upload_unhashed_files): super(Command, self).copy_file(path, prefixed_path, source_storage)
Overwritten to execute only with --upload-unhashed-files param or StaticCloudinaryStorage. Otherwise only hashed files will be uploaded during postprocessing.
https://github.com/klis87/django-cloudinary-storage/blob/b8cabd2ebbf67b9cfbbf4defee1a750fea5950a9/cloudinary_storage/management/commands/collectstatic.py#L22-L29
PyconUK/ConferenceScheduler
src/conference_scheduler/heuristics/hill_climber.py
hill_climber
def hill_climber(objective_function, initial_array, lower_bound=-float('inf'), acceptance_criteria=None, max_iterations=10 ** 3): """ Implement a basic hill climbing algorithm. Has two stopping conditions: 1. Maximum number of iterations; 2. A known lower bound, a none is passed then this is not used. If acceptance_criteria (a callable) is not None then this is used to obtain an upper bound on some other measure (different to the objective function). In practice this is used when optimising the objective function to ensure that we don't accept a solution that improves the objective function but tht adds more constraint violations. """ X = initial_array if acceptance_criteria is not None: acceptance_bound = acceptance_criteria(X) iterations = 0 current_energy = objective_function(X) while current_energy > lower_bound and iterations <= max_iterations: iterations += 1 candidate = element_from_neighbourhood(X) candidate_energy = objective_function(candidate) if (candidate_energy < current_energy and (acceptance_criteria is None or acceptance_criteria(candidate) <= acceptance_bound)): X = candidate current_energy = candidate_energy if lower_bound > -float('inf') and current_energy != lower_bound: warnings.warn(f"Lower bound {lower_bound} not achieved after {max_iterations} iterations") return X
python
def hill_climber(objective_function, initial_array, lower_bound=-float('inf'), acceptance_criteria=None, max_iterations=10 ** 3): """ Implement a basic hill climbing algorithm. Has two stopping conditions: 1. Maximum number of iterations; 2. A known lower bound, a none is passed then this is not used. If acceptance_criteria (a callable) is not None then this is used to obtain an upper bound on some other measure (different to the objective function). In practice this is used when optimising the objective function to ensure that we don't accept a solution that improves the objective function but tht adds more constraint violations. """ X = initial_array if acceptance_criteria is not None: acceptance_bound = acceptance_criteria(X) iterations = 0 current_energy = objective_function(X) while current_energy > lower_bound and iterations <= max_iterations: iterations += 1 candidate = element_from_neighbourhood(X) candidate_energy = objective_function(candidate) if (candidate_energy < current_energy and (acceptance_criteria is None or acceptance_criteria(candidate) <= acceptance_bound)): X = candidate current_energy = candidate_energy if lower_bound > -float('inf') and current_energy != lower_bound: warnings.warn(f"Lower bound {lower_bound} not achieved after {max_iterations} iterations") return X
Implement a basic hill climbing algorithm. Has two stopping conditions: 1. Maximum number of iterations; 2. A known lower bound, a none is passed then this is not used. If acceptance_criteria (a callable) is not None then this is used to obtain an upper bound on some other measure (different to the objective function). In practice this is used when optimising the objective function to ensure that we don't accept a solution that improves the objective function but tht adds more constraint violations.
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/heuristics/hill_climber.py#L4-L47
PyconUK/ConferenceScheduler
src/conference_scheduler/heuristics/simulated_annealing.py
simulated_annealing
def simulated_annealing(objective_function, initial_array, initial_temperature=10 ** 4, cooldown_rate=0.7, acceptance_criteria=None, lower_bound=-float('inf'), max_iterations=10 ** 3): """ Implement a simulated annealing algorithm with exponential cooling Has two stopping conditions: 1. Maximum number of iterations; 2. A known lower bound, a none is passed then this is not used. Note that starting with an initial_temperature corresponds to a hill climbing algorithm """ X = initial_array if acceptance_criteria is not None: acceptance_bound = acceptance_criteria(X) best_X = X iterations = 0 current_energy = objective_function(X) best_energy = current_energy temperature = initial_temperature while current_energy > lower_bound and iterations <= max_iterations: iterations += 1 candidate = element_from_neighbourhood(X) candidate_energy = objective_function(candidate) delta = candidate_energy - current_energy if (candidate_energy < best_energy and (acceptance_criteria is None or acceptance_criteria(candidate) <= acceptance_bound)): best_energy = candidate_energy best_X = candidate if delta < 0 or (temperature > 0 and np.random.random() < np.exp(-delta / temperature)): X = candidate current_energy = candidate_energy temperature *= (cooldown_rate) ** iterations if lower_bound > -float('inf') and current_energy != lower_bound: warnings.warn(f"Lower bound {lower_bound} not achieved after {max_iterations} iterations") return best_X
python
def simulated_annealing(objective_function, initial_array, initial_temperature=10 ** 4, cooldown_rate=0.7, acceptance_criteria=None, lower_bound=-float('inf'), max_iterations=10 ** 3): """ Implement a simulated annealing algorithm with exponential cooling Has two stopping conditions: 1. Maximum number of iterations; 2. A known lower bound, a none is passed then this is not used. Note that starting with an initial_temperature corresponds to a hill climbing algorithm """ X = initial_array if acceptance_criteria is not None: acceptance_bound = acceptance_criteria(X) best_X = X iterations = 0 current_energy = objective_function(X) best_energy = current_energy temperature = initial_temperature while current_energy > lower_bound and iterations <= max_iterations: iterations += 1 candidate = element_from_neighbourhood(X) candidate_energy = objective_function(candidate) delta = candidate_energy - current_energy if (candidate_energy < best_energy and (acceptance_criteria is None or acceptance_criteria(candidate) <= acceptance_bound)): best_energy = candidate_energy best_X = candidate if delta < 0 or (temperature > 0 and np.random.random() < np.exp(-delta / temperature)): X = candidate current_energy = candidate_energy temperature *= (cooldown_rate) ** iterations if lower_bound > -float('inf') and current_energy != lower_bound: warnings.warn(f"Lower bound {lower_bound} not achieved after {max_iterations} iterations") return best_X
Implement a simulated annealing algorithm with exponential cooling Has two stopping conditions: 1. Maximum number of iterations; 2. A known lower bound, a none is passed then this is not used. Note that starting with an initial_temperature corresponds to a hill climbing algorithm
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/heuristics/simulated_annealing.py#L5-L59
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/constraints.py
_events_available_in_scheduled_slot
def _events_available_in_scheduled_slot(events, slots, X, **kwargs): """ Constraint that ensures that an event is scheduled in slots for which it is available """ slot_availability_array = lpu.slot_availability_array(slots=slots, events=events) label = 'Event scheduled when not available' for row, event in enumerate(slot_availability_array): for col, availability in enumerate(event): if availability == 0: yield Constraint( f'{label} - event: {row}, slot: {col}', X[row, col] <= availability )
python
def _events_available_in_scheduled_slot(events, slots, X, **kwargs): """ Constraint that ensures that an event is scheduled in slots for which it is available """ slot_availability_array = lpu.slot_availability_array(slots=slots, events=events) label = 'Event scheduled when not available' for row, event in enumerate(slot_availability_array): for col, availability in enumerate(event): if availability == 0: yield Constraint( f'{label} - event: {row}, slot: {col}', X[row, col] <= availability )
Constraint that ensures that an event is scheduled in slots for which it is available
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/constraints.py#L32-L47
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/constraints.py
_events_available_during_other_events
def _events_available_during_other_events( events, slots, X, summation_type=None, **kwargs ): """ Constraint that ensures that an event is not scheduled at the same time as another event for which it is unavailable. Unavailability of events is either because it is explicitly defined or because they share a tag. """ summation = lpu.summation_functions[summation_type] event_availability_array = lpu.event_availability_array(events) label = 'Event clashes with another event' for slot1, slot2 in lpu.concurrent_slots(slots): for row, event in enumerate(event_availability_array): if events[row].unavailability: for col, availability in enumerate(event): if availability == 0: yield Constraint( f'{label} - event: {row} and event: {col}', summation( (X[row, slot1], X[col, slot2]) ) <= 1 + availability )
python
def _events_available_during_other_events( events, slots, X, summation_type=None, **kwargs ): """ Constraint that ensures that an event is not scheduled at the same time as another event for which it is unavailable. Unavailability of events is either because it is explicitly defined or because they share a tag. """ summation = lpu.summation_functions[summation_type] event_availability_array = lpu.event_availability_array(events) label = 'Event clashes with another event' for slot1, slot2 in lpu.concurrent_slots(slots): for row, event in enumerate(event_availability_array): if events[row].unavailability: for col, availability in enumerate(event): if availability == 0: yield Constraint( f'{label} - event: {row} and event: {col}', summation( (X[row, slot1], X[col, slot2]) ) <= 1 + availability )
Constraint that ensures that an event is not scheduled at the same time as another event for which it is unavailable. Unavailability of events is either because it is explicitly defined or because they share a tag.
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/constraints.py#L50-L72
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/constraints.py
_upper_bound_on_event_overflow
def _upper_bound_on_event_overflow( events, slots, X, beta, summation_type=None, **kwargs ): """ This is an artificial constraint that is used by the objective function aiming to minimise the maximum overflow in a slot. """ label = 'Artificial upper bound constraint' for row, event in enumerate(events): for col, slot in enumerate(slots): yield Constraint( f'{label} - slot: {col} and event: {row}', event.demand * X[row, col] - slot.capacity <= beta)
python
def _upper_bound_on_event_overflow( events, slots, X, beta, summation_type=None, **kwargs ): """ This is an artificial constraint that is used by the objective function aiming to minimise the maximum overflow in a slot. """ label = 'Artificial upper bound constraint' for row, event in enumerate(events): for col, slot in enumerate(slots): yield Constraint( f'{label} - slot: {col} and event: {row}', event.demand * X[row, col] - slot.capacity <= beta)
This is an artificial constraint that is used by the objective function aiming to minimise the maximum overflow in a slot.
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/constraints.py#L75-L87
PyconUK/ConferenceScheduler
src/conference_scheduler/scheduler.py
heuristic
def heuristic(events, slots, objective_function=None, algorithm=heu.hill_climber, initial_solution=None, initial_solution_algorithm_kwargs={}, objective_function_algorithm_kwargs={}, **kwargs): """ Compute a schedule using a heuristic Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances algorithm : callable a heuristic algorithm from conference_scheduler.heuristics initial_solution_algorithm_kwargs : dict kwargs for the heuristic algorithm for the initial solution objective_function_algorithm_kwargs : dict kwargs for the heuristic algorithm for the objective function (if necessary. objective_function: callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of tuples giving the event and slot index (for the given events and slots lists) for all scheduled items. Example ------- For a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting list would be:: [(0, 1), (1, 4), (2, 5)] """ def count_violations(array): return len(list(val.array_violations(array, events, slots))) if initial_solution is None: X = heu.get_initial_array(events=events, slots=slots) X = algorithm(initial_array=X, objective_function=count_violations, lower_bound=0, **initial_solution_algorithm_kwargs) else: X = initial_solution if objective_function is not None: kwargs["beta"] = float('inf') def func(array): return objective_function( events=events, slots=slots, X=array, **kwargs) X = algorithm(initial_array=X, objective_function=func, acceptance_criteria=count_violations, **objective_function_algorithm_kwargs) return list(zip(*np.nonzero(X)))
python
def heuristic(events, slots, objective_function=None, algorithm=heu.hill_climber, initial_solution=None, initial_solution_algorithm_kwargs={}, objective_function_algorithm_kwargs={}, **kwargs): """ Compute a schedule using a heuristic Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances algorithm : callable a heuristic algorithm from conference_scheduler.heuristics initial_solution_algorithm_kwargs : dict kwargs for the heuristic algorithm for the initial solution objective_function_algorithm_kwargs : dict kwargs for the heuristic algorithm for the objective function (if necessary. objective_function: callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of tuples giving the event and slot index (for the given events and slots lists) for all scheduled items. Example ------- For a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting list would be:: [(0, 1), (1, 4), (2, 5)] """ def count_violations(array): return len(list(val.array_violations(array, events, slots))) if initial_solution is None: X = heu.get_initial_array(events=events, slots=slots) X = algorithm(initial_array=X, objective_function=count_violations, lower_bound=0, **initial_solution_algorithm_kwargs) else: X = initial_solution if objective_function is not None: kwargs["beta"] = float('inf') def func(array): return objective_function( events=events, slots=slots, X=array, **kwargs) X = algorithm(initial_array=X, objective_function=func, acceptance_criteria=count_violations, **objective_function_algorithm_kwargs) return list(zip(*np.nonzero(X)))
Compute a schedule using a heuristic Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances algorithm : callable a heuristic algorithm from conference_scheduler.heuristics initial_solution_algorithm_kwargs : dict kwargs for the heuristic algorithm for the initial solution objective_function_algorithm_kwargs : dict kwargs for the heuristic algorithm for the objective function (if necessary. objective_function: callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of tuples giving the event and slot index (for the given events and slots lists) for all scheduled items. Example ------- For a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting list would be:: [(0, 1), (1, 4), (2, 5)]
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/scheduler.py#L31-L102
PyconUK/ConferenceScheduler
src/conference_scheduler/scheduler.py
solution
def solution(events, slots, objective_function=None, solver=None, **kwargs): """Compute a schedule in solution form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances solver : pulp.solver a pulp solver objective_function: callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of tuples giving the event and slot index (for the given events and slots lists) for all scheduled items. Example ------- For a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting list would be:: [(0, 1), (1, 4), (2, 5)] """ shape = Shape(len(events), len(slots)) problem = pulp.LpProblem() X = lp.utils.variables(shape) beta = pulp.LpVariable("upper_bound") for constraint in lp.constraints.all_constraints( events, slots, X, beta, 'lpsum' ): problem += constraint.condition if objective_function is not None: problem += objective_function(events=events, slots=slots, X=X, beta=beta, **kwargs) status = problem.solve(solver=solver) if status == 1: return [item for item, variable in X.items() if variable.value() > 0] else: raise ValueError('No valid solution found')
python
def solution(events, slots, objective_function=None, solver=None, **kwargs): """Compute a schedule in solution form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances solver : pulp.solver a pulp solver objective_function: callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of tuples giving the event and slot index (for the given events and slots lists) for all scheduled items. Example ------- For a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting list would be:: [(0, 1), (1, 4), (2, 5)] """ shape = Shape(len(events), len(slots)) problem = pulp.LpProblem() X = lp.utils.variables(shape) beta = pulp.LpVariable("upper_bound") for constraint in lp.constraints.all_constraints( events, slots, X, beta, 'lpsum' ): problem += constraint.condition if objective_function is not None: problem += objective_function(events=events, slots=slots, X=X, beta=beta, **kwargs) status = problem.solve(solver=solver) if status == 1: return [item for item, variable in X.items() if variable.value() > 0] else: raise ValueError('No valid solution found')
Compute a schedule in solution form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances solver : pulp.solver a pulp solver objective_function: callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of tuples giving the event and slot index (for the given events and slots lists) for all scheduled items. Example ------- For a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting list would be:: [(0, 1), (1, 4), (2, 5)]
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/scheduler.py#L105-L158
PyconUK/ConferenceScheduler
src/conference_scheduler/scheduler.py
array
def array(events, slots, objective_function=None, solver=None, **kwargs): """Compute a schedule in array form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances objective_function : callable from lp_problem.objective_functions Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise Example ------- For 3 events, 7 slots and a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting array would be:: [[0, 1, 0, 0, 0, 0, 0], [0, 0, 0, 0, 1, 0, 0], [0, 0, 0, 0, 0, 1, 0]] """ return conv.solution_to_array( solution(events, slots, objective_function, solver=solver, **kwargs), events, slots )
python
def array(events, slots, objective_function=None, solver=None, **kwargs): """Compute a schedule in array form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances objective_function : callable from lp_problem.objective_functions Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise Example ------- For 3 events, 7 slots and a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting array would be:: [[0, 1, 0, 0, 0, 0, 0], [0, 0, 0, 0, 1, 0, 0], [0, 0, 0, 0, 0, 1, 0]] """ return conv.solution_to_array( solution(events, slots, objective_function, solver=solver, **kwargs), events, slots )
Compute a schedule in array form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances objective_function : callable from lp_problem.objective_functions Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise Example ------- For 3 events, 7 slots and a solution where * event 0 is scheduled in slot 1 * event 1 is scheduled in slot 4 * event 2 is scheduled in slot 5 the resulting array would be:: [[0, 1, 0, 0, 0, 0, 0], [0, 0, 0, 0, 1, 0, 0], [0, 0, 0, 0, 0, 1, 0]]
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/scheduler.py#L161-L197
PyconUK/ConferenceScheduler
src/conference_scheduler/scheduler.py
schedule
def schedule(events, slots, objective_function=None, solver=None, **kwargs): """Compute a schedule in schedule form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances solver : pulp.solver a pulp solver objective_function : callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of instances of :py:class:`resources.ScheduledItem` """ return conv.solution_to_schedule( solution(events, slots, objective_function, solver=solver, **kwargs), events, slots )
python
def schedule(events, slots, objective_function=None, solver=None, **kwargs): """Compute a schedule in schedule form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances solver : pulp.solver a pulp solver objective_function : callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of instances of :py:class:`resources.ScheduledItem` """ return conv.solution_to_schedule( solution(events, slots, objective_function, solver=solver, **kwargs), events, slots )
Compute a schedule in schedule form Parameters ---------- events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances solver : pulp.solver a pulp solver objective_function : callable from lp_problem.objective_functions kwargs : keyword arguments arguments for the objective function Returns ------- list A list of instances of :py:class:`resources.ScheduledItem`
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/scheduler.py#L200-L224
PyconUK/ConferenceScheduler
src/conference_scheduler/scheduler.py
event_schedule_difference
def event_schedule_difference(old_schedule, new_schedule): """Compute the difference between two schedules from an event perspective Parameters ---------- old_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects new_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects Returns ------- list A list of :py:class:`resources.ChangedEventScheduledItem` objects Example ------- >>> from conference_scheduler.resources import Event, Slot, ScheduledItem >>> from conference_scheduler.scheduler import event_schedule_difference >>> events = [Event(f'event_{i}', 30, 0) for i in range(5)] >>> slots = [Slot(f'venue_{i}', '', 30, 100, None) for i in range(5)] >>> old_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[1]), ... ScheduledItem(events[2], slots[2])) >>> new_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[2]), ... ScheduledItem(events[2], slots[3]), ... ScheduledItem(events[3], slots[4])) >>> diff = (event_schedule_difference(old_schedule, new_schedule)) >>> print([item.event.name for item in diff]) ['event_1', 'event_2', 'event_3'] """ old = {item.event.name: item for item in old_schedule} new = {item.event.name: item for item in new_schedule} common_events = set(old.keys()).intersection(new.keys()) added_events = new.keys() - old.keys() removed_events = old.keys() - new.keys() changed = [ ChangedEventScheduledItem( old[event].event, old[event].slot, new[event].slot) for event in common_events if old[event].slot != new[event].slot ] added = [ ChangedEventScheduledItem(new[event].event, None, new[event].slot) for event in added_events ] removed = [ ChangedEventScheduledItem(old[event].event, old[event].slot, None) for event in removed_events ] return sorted(changed + added + removed, key=lambda item: item.event.name)
python
def event_schedule_difference(old_schedule, new_schedule): """Compute the difference between two schedules from an event perspective Parameters ---------- old_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects new_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects Returns ------- list A list of :py:class:`resources.ChangedEventScheduledItem` objects Example ------- >>> from conference_scheduler.resources import Event, Slot, ScheduledItem >>> from conference_scheduler.scheduler import event_schedule_difference >>> events = [Event(f'event_{i}', 30, 0) for i in range(5)] >>> slots = [Slot(f'venue_{i}', '', 30, 100, None) for i in range(5)] >>> old_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[1]), ... ScheduledItem(events[2], slots[2])) >>> new_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[2]), ... ScheduledItem(events[2], slots[3]), ... ScheduledItem(events[3], slots[4])) >>> diff = (event_schedule_difference(old_schedule, new_schedule)) >>> print([item.event.name for item in diff]) ['event_1', 'event_2', 'event_3'] """ old = {item.event.name: item for item in old_schedule} new = {item.event.name: item for item in new_schedule} common_events = set(old.keys()).intersection(new.keys()) added_events = new.keys() - old.keys() removed_events = old.keys() - new.keys() changed = [ ChangedEventScheduledItem( old[event].event, old[event].slot, new[event].slot) for event in common_events if old[event].slot != new[event].slot ] added = [ ChangedEventScheduledItem(new[event].event, None, new[event].slot) for event in added_events ] removed = [ ChangedEventScheduledItem(old[event].event, old[event].slot, None) for event in removed_events ] return sorted(changed + added + removed, key=lambda item: item.event.name)
Compute the difference between two schedules from an event perspective Parameters ---------- old_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects new_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects Returns ------- list A list of :py:class:`resources.ChangedEventScheduledItem` objects Example ------- >>> from conference_scheduler.resources import Event, Slot, ScheduledItem >>> from conference_scheduler.scheduler import event_schedule_difference >>> events = [Event(f'event_{i}', 30, 0) for i in range(5)] >>> slots = [Slot(f'venue_{i}', '', 30, 100, None) for i in range(5)] >>> old_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[1]), ... ScheduledItem(events[2], slots[2])) >>> new_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[2]), ... ScheduledItem(events[2], slots[3]), ... ScheduledItem(events[3], slots[4])) >>> diff = (event_schedule_difference(old_schedule, new_schedule)) >>> print([item.event.name for item in diff]) ['event_1', 'event_2', 'event_3']
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/scheduler.py#L230-L287
PyconUK/ConferenceScheduler
src/conference_scheduler/scheduler.py
slot_schedule_difference
def slot_schedule_difference(old_schedule, new_schedule): """Compute the difference between two schedules from a slot perspective Parameters ---------- old_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects new_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects Returns ------- list A list of :py:class:`resources.ChangedSlotScheduledItem` objects Example ------- >>> from conference_scheduler.resources import Event, Slot, ScheduledItem >>> from conference_scheduler.scheduler import slot_schedule_difference >>> events = [Event(f'event_{i}', 30, 0) for i in range(5)] >>> slots = [Slot(f'venue_{i}', '', 30, 100, None) for i in range(5)] >>> old_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[1]), ... ScheduledItem(events[2], slots[2])) >>> new_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[2]), ... ScheduledItem(events[2], slots[3]), ... ScheduledItem(events[3], slots[4])) >>> diff = slot_schedule_difference(old_schedule, new_schedule) >>> print([item.slot.venue for item in diff]) ['venue_1', 'venue_2', 'venue_3', 'venue_4'] """ old = {item.slot: item for item in old_schedule} new = {item.slot: item for item in new_schedule} common_slots = set(old.keys()).intersection(new.keys()) added_slots = new.keys() - old.keys() removed_slots = old.keys() - new.keys() changed = [ ChangedSlotScheduledItem( old[slot].slot, old[slot].event, new[slot].event) for slot in common_slots if old[slot].event != new[slot].event ] added = [ ChangedSlotScheduledItem(new[slot].slot, None, new[slot].event) for slot in added_slots ] removed = [ ChangedSlotScheduledItem(old[slot].slot, old[slot].event, None) for slot in removed_slots ] return sorted( changed + added + removed, key=lambda item: (item.slot.venue, item.slot.starts_at) )
python
def slot_schedule_difference(old_schedule, new_schedule): """Compute the difference between two schedules from a slot perspective Parameters ---------- old_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects new_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects Returns ------- list A list of :py:class:`resources.ChangedSlotScheduledItem` objects Example ------- >>> from conference_scheduler.resources import Event, Slot, ScheduledItem >>> from conference_scheduler.scheduler import slot_schedule_difference >>> events = [Event(f'event_{i}', 30, 0) for i in range(5)] >>> slots = [Slot(f'venue_{i}', '', 30, 100, None) for i in range(5)] >>> old_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[1]), ... ScheduledItem(events[2], slots[2])) >>> new_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[2]), ... ScheduledItem(events[2], slots[3]), ... ScheduledItem(events[3], slots[4])) >>> diff = slot_schedule_difference(old_schedule, new_schedule) >>> print([item.slot.venue for item in diff]) ['venue_1', 'venue_2', 'venue_3', 'venue_4'] """ old = {item.slot: item for item in old_schedule} new = {item.slot: item for item in new_schedule} common_slots = set(old.keys()).intersection(new.keys()) added_slots = new.keys() - old.keys() removed_slots = old.keys() - new.keys() changed = [ ChangedSlotScheduledItem( old[slot].slot, old[slot].event, new[slot].event) for slot in common_slots if old[slot].event != new[slot].event ] added = [ ChangedSlotScheduledItem(new[slot].slot, None, new[slot].event) for slot in added_slots ] removed = [ ChangedSlotScheduledItem(old[slot].slot, old[slot].event, None) for slot in removed_slots ] return sorted( changed + added + removed, key=lambda item: (item.slot.venue, item.slot.starts_at) )
Compute the difference between two schedules from a slot perspective Parameters ---------- old_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects new_schedule : list or tuple of :py:class:`resources.ScheduledItem` objects Returns ------- list A list of :py:class:`resources.ChangedSlotScheduledItem` objects Example ------- >>> from conference_scheduler.resources import Event, Slot, ScheduledItem >>> from conference_scheduler.scheduler import slot_schedule_difference >>> events = [Event(f'event_{i}', 30, 0) for i in range(5)] >>> slots = [Slot(f'venue_{i}', '', 30, 100, None) for i in range(5)] >>> old_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[1]), ... ScheduledItem(events[2], slots[2])) >>> new_schedule = ( ... ScheduledItem(events[0], slots[0]), ... ScheduledItem(events[1], slots[2]), ... ScheduledItem(events[2], slots[3]), ... ScheduledItem(events[3], slots[4])) >>> diff = slot_schedule_difference(old_schedule, new_schedule) >>> print([item.slot.venue for item in diff]) ['venue_1', 'venue_2', 'venue_3', 'venue_4']
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/scheduler.py#L290-L349
PyconUK/ConferenceScheduler
src/conference_scheduler/validator.py
array_violations
def array_violations(array, events, slots, beta=None): """Take a schedule in array form and return any violated constraints Parameters ---------- array : np.array a schedule in array form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances constraints : list or tuple of generator functions which each produce instances of resources.Constraint Returns ------- Generator of a list of strings indicating the nature of the violated constraints """ return ( c.label for c in constraints.all_constraints(events, slots, array, beta=beta) if not c.condition )
python
def array_violations(array, events, slots, beta=None): """Take a schedule in array form and return any violated constraints Parameters ---------- array : np.array a schedule in array form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances constraints : list or tuple of generator functions which each produce instances of resources.Constraint Returns ------- Generator of a list of strings indicating the nature of the violated constraints """ return ( c.label for c in constraints.all_constraints(events, slots, array, beta=beta) if not c.condition )
Take a schedule in array form and return any violated constraints Parameters ---------- array : np.array a schedule in array form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances constraints : list or tuple of generator functions which each produce instances of resources.Constraint Returns ------- Generator of a list of strings indicating the nature of the violated constraints
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/validator.py#L5-L30
PyconUK/ConferenceScheduler
src/conference_scheduler/validator.py
is_valid_array
def is_valid_array(array, events, slots): """Take a schedule in array form and return whether it is a valid solution for the given constraints Parameters ---------- array : np.array a schedule in array form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if array represents a valid solution """ if len(array) == 0: return False violations = sum(1 for c in (array_violations(array, events, slots))) return violations == 0
python
def is_valid_array(array, events, slots): """Take a schedule in array form and return whether it is a valid solution for the given constraints Parameters ---------- array : np.array a schedule in array form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if array represents a valid solution """ if len(array) == 0: return False violations = sum(1 for c in (array_violations(array, events, slots))) return violations == 0
Take a schedule in array form and return whether it is a valid solution for the given constraints Parameters ---------- array : np.array a schedule in array form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if array represents a valid solution
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/validator.py#L33-L55
PyconUK/ConferenceScheduler
src/conference_scheduler/validator.py
is_valid_solution
def is_valid_solution(solution, events, slots): """Take a solution and return whether it is valid for the given constraints Parameters ---------- solution: list or tuple a schedule in solution form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if schedule is a valid solution """ if len(solution) == 0: return False array = converter.solution_to_array(solution, events, slots) return is_valid_array(array, events, slots)
python
def is_valid_solution(solution, events, slots): """Take a solution and return whether it is valid for the given constraints Parameters ---------- solution: list or tuple a schedule in solution form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if schedule is a valid solution """ if len(solution) == 0: return False array = converter.solution_to_array(solution, events, slots) return is_valid_array(array, events, slots)
Take a solution and return whether it is valid for the given constraints Parameters ---------- solution: list or tuple a schedule in solution form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if schedule is a valid solution
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/validator.py#L58-L79
PyconUK/ConferenceScheduler
src/conference_scheduler/validator.py
solution_violations
def solution_violations(solution, events, slots): """Take a solution and return a list of violated constraints Parameters ---------- solution: list or tuple a schedule in solution form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- Generator of a list of strings indicating the nature of the violated constraints """ array = converter.solution_to_array(solution, events, slots) return array_violations(array, events, slots)
python
def solution_violations(solution, events, slots): """Take a solution and return a list of violated constraints Parameters ---------- solution: list or tuple a schedule in solution form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- Generator of a list of strings indicating the nature of the violated constraints """ array = converter.solution_to_array(solution, events, slots) return array_violations(array, events, slots)
Take a solution and return a list of violated constraints Parameters ---------- solution: list or tuple a schedule in solution form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- Generator of a list of strings indicating the nature of the violated constraints
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/validator.py#L82-L101
PyconUK/ConferenceScheduler
src/conference_scheduler/validator.py
is_valid_schedule
def is_valid_schedule(schedule, events, slots): """Take a schedule and return whether it is a valid solution for the given constraints Parameters ---------- schedule : list or tuple a schedule in schedule form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if schedule is a valid solution """ if len(schedule) == 0: return False array = converter.schedule_to_array(schedule, events, slots) return is_valid_array(array, events, slots)
python
def is_valid_schedule(schedule, events, slots): """Take a schedule and return whether it is a valid solution for the given constraints Parameters ---------- schedule : list or tuple a schedule in schedule form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if schedule is a valid solution """ if len(schedule) == 0: return False array = converter.schedule_to_array(schedule, events, slots) return is_valid_array(array, events, slots)
Take a schedule and return whether it is a valid solution for the given constraints Parameters ---------- schedule : list or tuple a schedule in schedule form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- bool True if schedule is a valid solution
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/validator.py#L104-L125
PyconUK/ConferenceScheduler
src/conference_scheduler/validator.py
schedule_violations
def schedule_violations(schedule, events, slots): """Take a schedule and return a list of violated constraints Parameters ---------- schedule : list or tuple a schedule in schedule form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- Generator of a list of strings indicating the nature of the violated constraints """ array = converter.schedule_to_array(schedule, events, slots) return array_violations(array, events, slots)
python
def schedule_violations(schedule, events, slots): """Take a schedule and return a list of violated constraints Parameters ---------- schedule : list or tuple a schedule in schedule form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- Generator of a list of strings indicating the nature of the violated constraints """ array = converter.schedule_to_array(schedule, events, slots) return array_violations(array, events, slots)
Take a schedule and return a list of violated constraints Parameters ---------- schedule : list or tuple a schedule in schedule form events : list or tuple of resources.Event instances slots : list or tuple of resources.Slot instances Returns ------- Generator of a list of strings indicating the nature of the violated constraints
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/validator.py#L128-L147
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/utils.py
tag_array
def tag_array(events): """ Return a numpy array mapping events to tags - Rows corresponds to events - Columns correspond to tags """ all_tags = sorted(set(tag for event in events for tag in event.tags)) array = np.zeros((len(events), len(all_tags))) for row, event in enumerate(events): for tag in event.tags: array[row, all_tags.index(tag)] = 1 return array
python
def tag_array(events): """ Return a numpy array mapping events to tags - Rows corresponds to events - Columns correspond to tags """ all_tags = sorted(set(tag for event in events for tag in event.tags)) array = np.zeros((len(events), len(all_tags))) for row, event in enumerate(events): for tag in event.tags: array[row, all_tags.index(tag)] = 1 return array
Return a numpy array mapping events to tags - Rows corresponds to events - Columns correspond to tags
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/utils.py#L33-L45
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/utils.py
session_array
def session_array(slots): """ Return a numpy array mapping sessions to slots - Rows corresponds to sessions - Columns correspond to slots """ # Flatten the list: this assumes that the sessions do not share slots sessions = sorted(set([slot.session for slot in slots])) array = np.zeros((len(sessions), len(slots))) for col, slot in enumerate(slots): array[sessions.index(slot.session), col] = 1 return array
python
def session_array(slots): """ Return a numpy array mapping sessions to slots - Rows corresponds to sessions - Columns correspond to slots """ # Flatten the list: this assumes that the sessions do not share slots sessions = sorted(set([slot.session for slot in slots])) array = np.zeros((len(sessions), len(slots))) for col, slot in enumerate(slots): array[sessions.index(slot.session), col] = 1 return array
Return a numpy array mapping sessions to slots - Rows corresponds to sessions - Columns correspond to slots
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/utils.py#L48-L60
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/utils.py
slot_availability_array
def slot_availability_array(events, slots): """ Return a numpy array mapping events to slots - Rows corresponds to events - Columns correspond to stags Array has value 0 if event cannot be scheduled in a given slot (1 otherwise) """ array = np.ones((len(events), len(slots))) for row, event in enumerate(events): for col, slot in enumerate(slots): if slot in event.unavailability or event.duration > slot.duration: array[row, col] = 0 return array
python
def slot_availability_array(events, slots): """ Return a numpy array mapping events to slots - Rows corresponds to events - Columns correspond to stags Array has value 0 if event cannot be scheduled in a given slot (1 otherwise) """ array = np.ones((len(events), len(slots))) for row, event in enumerate(events): for col, slot in enumerate(slots): if slot in event.unavailability or event.duration > slot.duration: array[row, col] = 0 return array
Return a numpy array mapping events to slots - Rows corresponds to events - Columns correspond to stags Array has value 0 if event cannot be scheduled in a given slot (1 otherwise)
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/utils.py#L63-L78
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/utils.py
event_availability_array
def event_availability_array(events): """ Return a numpy array mapping events to events - Rows corresponds to events - Columns correspond to events Array has value 0 if event cannot be scheduled at same time as other event (1 otherwise) """ array = np.ones((len(events), len(events))) for row, event in enumerate(events): for col, other_event in enumerate(events): if row != col: tags = set(event.tags) events_share_tag = len(tags.intersection(other_event.tags)) > 0 if (other_event in event.unavailability) or events_share_tag: array[row, col] = 0 array[col, row] = 0 return array
python
def event_availability_array(events): """ Return a numpy array mapping events to events - Rows corresponds to events - Columns correspond to events Array has value 0 if event cannot be scheduled at same time as other event (1 otherwise) """ array = np.ones((len(events), len(events))) for row, event in enumerate(events): for col, other_event in enumerate(events): if row != col: tags = set(event.tags) events_share_tag = len(tags.intersection(other_event.tags)) > 0 if (other_event in event.unavailability) or events_share_tag: array[row, col] = 0 array[col, row] = 0 return array
Return a numpy array mapping events to events - Rows corresponds to events - Columns correspond to events Array has value 0 if event cannot be scheduled at same time as other event (1 otherwise)
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/utils.py#L81-L100
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/utils.py
slots_overlap
def slots_overlap(slot, other_slot): """ Return boolean: whether or not two events overlap """ slot_ends_at = ends_at(slot) other_ends_at = ends_at(other_slot) if (slot.starts_at >= other_slot.starts_at and slot_ends_at <= other_ends_at ): return True if (other_slot.starts_at >= slot.starts_at and other_ends_at <= slot_ends_at ): return True return False
python
def slots_overlap(slot, other_slot): """ Return boolean: whether or not two events overlap """ slot_ends_at = ends_at(slot) other_ends_at = ends_at(other_slot) if (slot.starts_at >= other_slot.starts_at and slot_ends_at <= other_ends_at ): return True if (other_slot.starts_at >= slot.starts_at and other_ends_at <= slot_ends_at ): return True return False
Return boolean: whether or not two events overlap
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/utils.py#L110-L124
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/utils.py
concurrent_slots
def concurrent_slots(slots): """ Yields all concurrent slot indices. """ for i, slot in enumerate(slots): for j, other_slot in enumerate(slots[i + 1:]): if slots_overlap(slot, other_slot): yield (i, j + i + 1)
python
def concurrent_slots(slots): """ Yields all concurrent slot indices. """ for i, slot in enumerate(slots): for j, other_slot in enumerate(slots[i + 1:]): if slots_overlap(slot, other_slot): yield (i, j + i + 1)
Yields all concurrent slot indices.
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/utils.py#L127-L134
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/utils.py
_events_with_diff_tag
def _events_with_diff_tag(talk, tag_array): """ Return the indices of the events with no tag in common as tag """ event_categories = np.nonzero(tag_array[talk])[0] return np.nonzero(sum(tag_array.transpose()[event_categories]) == 0)[0]
python
def _events_with_diff_tag(talk, tag_array): """ Return the indices of the events with no tag in common as tag """ event_categories = np.nonzero(tag_array[talk])[0] return np.nonzero(sum(tag_array.transpose()[event_categories]) == 0)[0]
Return the indices of the events with no tag in common as tag
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/utils.py#L144-L149
PyconUK/ConferenceScheduler
src/conference_scheduler/converter.py
solution_to_array
def solution_to_array(solution, events, slots): """Convert a schedule from solution to array form Parameters ---------- solution : list or tuple of tuples of event index and slot index for each scheduled item events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise Example ------- For For 3 events, 7 slots and the solution:: [(0, 1), (1, 4), (2, 5)] The resulting array would be:: [[0, 1, 0, 0, 0, 0, 0], [0, 0, 0, 0, 1, 0, 0], [0, 0, 0, 0, 0, 1, 0]] """ array = np.zeros((len(events), len(slots)), dtype=np.int8) for item in solution: array[item[0], item[1]] = 1 return array
python
def solution_to_array(solution, events, slots): """Convert a schedule from solution to array form Parameters ---------- solution : list or tuple of tuples of event index and slot index for each scheduled item events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise Example ------- For For 3 events, 7 slots and the solution:: [(0, 1), (1, 4), (2, 5)] The resulting array would be:: [[0, 1, 0, 0, 0, 0, 0], [0, 0, 0, 0, 1, 0, 0], [0, 0, 0, 0, 0, 1, 0]] """ array = np.zeros((len(events), len(slots)), dtype=np.int8) for item in solution: array[item[0], item[1]] = 1 return array
Convert a schedule from solution to array form Parameters ---------- solution : list or tuple of tuples of event index and slot index for each scheduled item events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise Example ------- For For 3 events, 7 slots and the solution:: [(0, 1), (1, 4), (2, 5)] The resulting array would be:: [[0, 1, 0, 0, 0, 0, 0], [0, 0, 0, 0, 1, 0, 0], [0, 0, 0, 0, 0, 1, 0]]
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/converter.py#L6-L40
PyconUK/ConferenceScheduler
src/conference_scheduler/converter.py
solution_to_schedule
def solution_to_schedule(solution, events, slots): """Convert a schedule from solution to schedule form Parameters ---------- solution : list or tuple of tuples of event index and slot index for each scheduled item events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- list A list of instances of :py:class:`resources.ScheduledItem` """ return [ ScheduledItem( event=events[item[0]], slot=slots[item[1]] ) for item in solution ]
python
def solution_to_schedule(solution, events, slots): """Convert a schedule from solution to schedule form Parameters ---------- solution : list or tuple of tuples of event index and slot index for each scheduled item events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- list A list of instances of :py:class:`resources.ScheduledItem` """ return [ ScheduledItem( event=events[item[0]], slot=slots[item[1]] ) for item in solution ]
Convert a schedule from solution to schedule form Parameters ---------- solution : list or tuple of tuples of event index and slot index for each scheduled item events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- list A list of instances of :py:class:`resources.ScheduledItem`
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/converter.py#L43-L66
PyconUK/ConferenceScheduler
src/conference_scheduler/converter.py
schedule_to_array
def schedule_to_array(schedule, events, slots): """Convert a schedule from schedule to array form Parameters ---------- schedule : list or tuple of instances of :py:class:`resources.ScheduledItem` events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise """ array = np.zeros((len(events), len(slots)), dtype=np.int8) for item in schedule: array[events.index(item.event), slots.index(item.slot)] = 1 return array
python
def schedule_to_array(schedule, events, slots): """Convert a schedule from schedule to array form Parameters ---------- schedule : list or tuple of instances of :py:class:`resources.ScheduledItem` events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise """ array = np.zeros((len(events), len(slots)), dtype=np.int8) for item in schedule: array[events.index(item.event), slots.index(item.slot)] = 1 return array
Convert a schedule from schedule to array form Parameters ---------- schedule : list or tuple of instances of :py:class:`resources.ScheduledItem` events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/converter.py#L69-L91
PyconUK/ConferenceScheduler
src/conference_scheduler/converter.py
array_to_schedule
def array_to_schedule(array, events, slots): """Convert a schedule from array to schedule form Parameters ---------- array : np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- list A list of instances of :py:class:`resources.ScheduledItem` """ scheduled = np.transpose(np.nonzero(array)) return [ ScheduledItem(event=events[item[0]], slot=slots[item[1]]) for item in scheduled ]
python
def array_to_schedule(array, events, slots): """Convert a schedule from array to schedule form Parameters ---------- array : np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- list A list of instances of :py:class:`resources.ScheduledItem` """ scheduled = np.transpose(np.nonzero(array)) return [ ScheduledItem(event=events[item[0]], slot=slots[item[1]]) for item in scheduled ]
Convert a schedule from array to schedule form Parameters ---------- array : np.array An E by S array (X) where E is the number of events and S the number of slots. Xij is 1 if event i is scheduled in slot j and zero otherwise events : list or tuple of :py:class:`resources.Event` instances slots : list or tuple of :py:class:`resources.Slot` instances Returns ------- list A list of instances of :py:class:`resources.ScheduledItem`
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/converter.py#L94-L117
PyconUK/ConferenceScheduler
reference_docs/build_reference.py
add_line
def add_line(self, line, source, *lineno): """Append one line of generated reST to the output.""" if 'conference_scheduler.scheduler' in source: module = 'scheduler' else: module = 'resources' rst[module].append(line) self.directive.result.append(self.indent + line, source, *lineno)
python
def add_line(self, line, source, *lineno): """Append one line of generated reST to the output.""" if 'conference_scheduler.scheduler' in source: module = 'scheduler' else: module = 'resources' rst[module].append(line) self.directive.result.append(self.indent + line, source, *lineno)
Append one line of generated reST to the output.
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/reference_docs/build_reference.py#L10-L17
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/objective_functions.py
efficiency_capacity_demand_difference
def efficiency_capacity_demand_difference(slots, events, X, **kwargs): """ A function that calculates the total difference between demand for an event and the slot capacity it is scheduled in. """ overflow = 0 for row, event in enumerate(events): for col, slot in enumerate(slots): overflow += (event.demand - slot.capacity) * X[row, col] return overflow
python
def efficiency_capacity_demand_difference(slots, events, X, **kwargs): """ A function that calculates the total difference between demand for an event and the slot capacity it is scheduled in. """ overflow = 0 for row, event in enumerate(events): for col, slot in enumerate(slots): overflow += (event.demand - slot.capacity) * X[row, col] return overflow
A function that calculates the total difference between demand for an event and the slot capacity it is scheduled in.
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/objective_functions.py#L3-L12
PyconUK/ConferenceScheduler
src/conference_scheduler/lp_problem/objective_functions.py
number_of_changes
def number_of_changes(slots, events, original_schedule, X, **kwargs): """ A function that counts the number of changes between a given schedule and an array (either numpy array of lp array). """ changes = 0 original_array = schedule_to_array(original_schedule, events=events, slots=slots) for row, event in enumerate(original_array): for col, slot in enumerate(event): if slot == 0: changes += X[row, col] else: changes += 1 - X[row, col] return changes
python
def number_of_changes(slots, events, original_schedule, X, **kwargs): """ A function that counts the number of changes between a given schedule and an array (either numpy array of lp array). """ changes = 0 original_array = schedule_to_array(original_schedule, events=events, slots=slots) for row, event in enumerate(original_array): for col, slot in enumerate(event): if slot == 0: changes += X[row, col] else: changes += 1 - X[row, col] return changes
A function that counts the number of changes between a given schedule and an array (either numpy array of lp array).
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/lp_problem/objective_functions.py#L22-L36
PyconUK/ConferenceScheduler
src/conference_scheduler/heuristics/utils.py
element_from_neighbourhood
def element_from_neighbourhood(X): """ Randomly move an event: - Either to an empty slot - Swapping with another event """ m, n = X.shape new_X = np.copy(X) event_to_move = np.random.randint(m) current_event_slot = np.where(new_X[event_to_move, :] == 1)[0][0] slot_to_move_to = np.random.randint(n - 1) if slot_to_move_to >= current_event_slot: slot_to_move_to += 1 scheduled_events_in_slot = np.where(new_X[:, slot_to_move_to] == 1)[0] if len(scheduled_events_in_slot) == 0: # No event in that slot new_X[event_to_move] = np.zeros(n) new_X[event_to_move, slot_to_move_to] = 1 else: # There is an event in that slot swap_rows = [event_to_move, scheduled_events_in_slot[0]] new_X[swap_rows] = new_X[swap_rows[::-1]] return new_X
python
def element_from_neighbourhood(X): """ Randomly move an event: - Either to an empty slot - Swapping with another event """ m, n = X.shape new_X = np.copy(X) event_to_move = np.random.randint(m) current_event_slot = np.where(new_X[event_to_move, :] == 1)[0][0] slot_to_move_to = np.random.randint(n - 1) if slot_to_move_to >= current_event_slot: slot_to_move_to += 1 scheduled_events_in_slot = np.where(new_X[:, slot_to_move_to] == 1)[0] if len(scheduled_events_in_slot) == 0: # No event in that slot new_X[event_to_move] = np.zeros(n) new_X[event_to_move, slot_to_move_to] = 1 else: # There is an event in that slot swap_rows = [event_to_move, scheduled_events_in_slot[0]] new_X[swap_rows] = new_X[swap_rows[::-1]] return new_X
Randomly move an event: - Either to an empty slot - Swapping with another event
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/heuristics/utils.py#L3-L30
PyconUK/ConferenceScheduler
src/conference_scheduler/heuristics/utils.py
get_initial_array
def get_initial_array(events, slots, seed=None): """ Obtain a random initial array. """ if seed is not None: np.random.seed(seed) m = len(events) n = len(slots) X = np.zeros((m, n)) for i, row in enumerate(X): X[i, i] = 1 np.random.shuffle(X) return X
python
def get_initial_array(events, slots, seed=None): """ Obtain a random initial array. """ if seed is not None: np.random.seed(seed) m = len(events) n = len(slots) X = np.zeros((m, n)) for i, row in enumerate(X): X[i, i] = 1 np.random.shuffle(X) return X
Obtain a random initial array.
https://github.com/PyconUK/ConferenceScheduler/blob/fb139f0ef2eab5ac8f4919aa4994d94d4e040030/src/conference_scheduler/heuristics/utils.py#L32-L45
casebeer/afsk
afsk/ax25.py
fcs
def fcs(bits): ''' Append running bitwise FCS CRC checksum to end of generator ''' fcs = FCS() for bit in bits: yield bit fcs.update_bit(bit) # test = bitarray() # for byte in (digest & 0xff, digest >> 8): # print byte # for i in range(8): # b = (byte >> i) & 1 == 1 # test.append(b) # yield b # append fcs digest to bit stream # n.b. wire format is little-bit-endianness in addition to little-endian digest = bitarray(endian="little") digest.frombytes(fcs.digest()) for bit in digest: yield bit
python
def fcs(bits): ''' Append running bitwise FCS CRC checksum to end of generator ''' fcs = FCS() for bit in bits: yield bit fcs.update_bit(bit) # test = bitarray() # for byte in (digest & 0xff, digest >> 8): # print byte # for i in range(8): # b = (byte >> i) & 1 == 1 # test.append(b) # yield b # append fcs digest to bit stream # n.b. wire format is little-bit-endianness in addition to little-endian digest = bitarray(endian="little") digest.frombytes(fcs.digest()) for bit in digest: yield bit
Append running bitwise FCS CRC checksum to end of generator
https://github.com/casebeer/afsk/blob/a3e7b0d2c7c8ff5b63e0b0a747ee79e3bd08b891/afsk/ax25.py#L51-L74
casebeer/afsk
afsk/afsk.py
encode
def encode(binary_data): ''' Encode binary data using Bell-202 AFSK Expects a bitarray.bitarray() object of binary data as its argument. Returns a generator of sound samples suitable for use with the audiogen module. ''' framed_data = frame(binary_data) # set volume to 1/2, preceed packet with 1/20 s silence to allow for startup glitches for sample in itertools.chain( audiogen.silence(1.05), multiply(modulate(framed_data), constant(0.5)), audiogen.silence(1.05), ): yield sample
python
def encode(binary_data): ''' Encode binary data using Bell-202 AFSK Expects a bitarray.bitarray() object of binary data as its argument. Returns a generator of sound samples suitable for use with the audiogen module. ''' framed_data = frame(binary_data) # set volume to 1/2, preceed packet with 1/20 s silence to allow for startup glitches for sample in itertools.chain( audiogen.silence(1.05), multiply(modulate(framed_data), constant(0.5)), audiogen.silence(1.05), ): yield sample
Encode binary data using Bell-202 AFSK Expects a bitarray.bitarray() object of binary data as its argument. Returns a generator of sound samples suitable for use with the audiogen module.
https://github.com/casebeer/afsk/blob/a3e7b0d2c7c8ff5b63e0b0a747ee79e3bd08b891/afsk/afsk.py#L24-L40
casebeer/afsk
afsk/afsk.py
modulate
def modulate(data): ''' Generate Bell 202 AFSK samples for the given symbol generator Consumes raw wire symbols and produces the corresponding AFSK samples. ''' seconds_per_sample = 1.0 / audiogen.sampler.FRAME_RATE phase, seconds, bits = 0, 0, 0 # construct generators clock = (x / BAUD_RATE for x in itertools.count(1)) tones = (MARK_HZ if bit else SPACE_HZ for bit in data) for boundary, frequency in itertools.izip(clock, tones): # frequency of current symbol is determined by how much # we advance the signal's phase in each audio frame phase_change_per_sample = TWO_PI / (audiogen.sampler.FRAME_RATE / frequency) # produce samples for the current symbol # until we reach the next clock boundary while seconds < boundary: yield math.sin(phase) seconds += seconds_per_sample phase += phase_change_per_sample if phase > TWO_PI: phase -= TWO_PI bits += 1 logger.debug("bits = %d, time = %.7f ms, expected time = %.7f ms, error = %.7f ms, baud rate = %.6f Hz" \ % (bits, 1000 * seconds, 1000 * bits / BAUD_RATE, 1000 * (seconds - bits / BAUD_RATE), bits / seconds))
python
def modulate(data): ''' Generate Bell 202 AFSK samples for the given symbol generator Consumes raw wire symbols and produces the corresponding AFSK samples. ''' seconds_per_sample = 1.0 / audiogen.sampler.FRAME_RATE phase, seconds, bits = 0, 0, 0 # construct generators clock = (x / BAUD_RATE for x in itertools.count(1)) tones = (MARK_HZ if bit else SPACE_HZ for bit in data) for boundary, frequency in itertools.izip(clock, tones): # frequency of current symbol is determined by how much # we advance the signal's phase in each audio frame phase_change_per_sample = TWO_PI / (audiogen.sampler.FRAME_RATE / frequency) # produce samples for the current symbol # until we reach the next clock boundary while seconds < boundary: yield math.sin(phase) seconds += seconds_per_sample phase += phase_change_per_sample if phase > TWO_PI: phase -= TWO_PI bits += 1 logger.debug("bits = %d, time = %.7f ms, expected time = %.7f ms, error = %.7f ms, baud rate = %.6f Hz" \ % (bits, 1000 * seconds, 1000 * bits / BAUD_RATE, 1000 * (seconds - bits / BAUD_RATE), bits / seconds))
Generate Bell 202 AFSK samples for the given symbol generator Consumes raw wire symbols and produces the corresponding AFSK samples.
https://github.com/casebeer/afsk/blob/a3e7b0d2c7c8ff5b63e0b0a747ee79e3bd08b891/afsk/afsk.py#L43-L74
casebeer/afsk
afsk/afsk.py
nrzi
def nrzi(data): ''' Packet uses NRZI (non-return to zero inverted) encoding, which means that a 0 is encoded as a change in tone, and a 1 is encoded as no change in tone. ''' current = True for bit in data: if not bit: current = not current yield current
python
def nrzi(data): ''' Packet uses NRZI (non-return to zero inverted) encoding, which means that a 0 is encoded as a change in tone, and a 1 is encoded as no change in tone. ''' current = True for bit in data: if not bit: current = not current yield current
Packet uses NRZI (non-return to zero inverted) encoding, which means that a 0 is encoded as a change in tone, and a 1 is encoded as no change in tone.
https://github.com/casebeer/afsk/blob/a3e7b0d2c7c8ff5b63e0b0a747ee79e3bd08b891/afsk/afsk.py#L76-L86
avinassh/haxor
hackernews/__init__.py
HackerNews._get_sync
def _get_sync(self, url): """Internal method used for GET requests Args: url (str): URL to fetch Returns: Individual URL request's response Raises: HTTPError: If HTTP request failed. """ response = self.session.get(url) if response.status_code == requests.codes.ok: return response.json() else: raise HTTPError
python
def _get_sync(self, url): """Internal method used for GET requests Args: url (str): URL to fetch Returns: Individual URL request's response Raises: HTTPError: If HTTP request failed. """ response = self.session.get(url) if response.status_code == requests.codes.ok: return response.json() else: raise HTTPError
Internal method used for GET requests Args: url (str): URL to fetch Returns: Individual URL request's response Raises: HTTPError: If HTTP request failed.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L74-L90
avinassh/haxor
hackernews/__init__.py
HackerNews._get_async
async def _get_async(self, url, session): """Asynchronous internal method used for GET requests Args: url (str): URL to fetch session (obj): aiohttp client session for async loop Returns: data (obj): Individual URL request's response corountine """ data = None async with session.get(url) as resp: if resp.status == 200: data = await resp.json() return data
python
async def _get_async(self, url, session): """Asynchronous internal method used for GET requests Args: url (str): URL to fetch session (obj): aiohttp client session for async loop Returns: data (obj): Individual URL request's response corountine """ data = None async with session.get(url) as resp: if resp.status == 200: data = await resp.json() return data
Asynchronous internal method used for GET requests Args: url (str): URL to fetch session (obj): aiohttp client session for async loop Returns: data (obj): Individual URL request's response corountine
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L92-L107
avinassh/haxor
hackernews/__init__.py
HackerNews._async_loop
async def _async_loop(self, urls): """Asynchronous internal method used to request multiple URLs Args: urls (list): URLs to fetch Returns: responses (obj): All URL requests' response coroutines """ results = [] async with aiohttp.ClientSession( connector=aiohttp.TCPConnector(ssl=False) ) as session: for url in urls: result = asyncio.ensure_future(self._get_async(url, session)) results.append(result) responses = await asyncio.gather(*results) return responses
python
async def _async_loop(self, urls): """Asynchronous internal method used to request multiple URLs Args: urls (list): URLs to fetch Returns: responses (obj): All URL requests' response coroutines """ results = [] async with aiohttp.ClientSession( connector=aiohttp.TCPConnector(ssl=False) ) as session: for url in urls: result = asyncio.ensure_future(self._get_async(url, session)) results.append(result) responses = await asyncio.gather(*results) return responses
Asynchronous internal method used to request multiple URLs Args: urls (list): URLs to fetch Returns: responses (obj): All URL requests' response coroutines
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L109-L127
avinassh/haxor
hackernews/__init__.py
HackerNews._run_async
def _run_async(self, urls): """Asynchronous event loop execution Args: urls (list): URLs to fetch Returns: results (obj): All URL requests' responses """ loop = asyncio.get_event_loop() results = loop.run_until_complete(self._async_loop(urls)) return results
python
def _run_async(self, urls): """Asynchronous event loop execution Args: urls (list): URLs to fetch Returns: results (obj): All URL requests' responses """ loop = asyncio.get_event_loop() results = loop.run_until_complete(self._async_loop(urls)) return results
Asynchronous event loop execution Args: urls (list): URLs to fetch Returns: results (obj): All URL requests' responses
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L129-L141
avinassh/haxor
hackernews/__init__.py
HackerNews._get_stories
def _get_stories(self, page, limit): """ Hacker News has different categories (i.e. stories) like 'topstories', 'newstories', 'askstories', 'showstories', 'jobstories'. This method, first fetches the relevant story ids of that category The URL is: https://hacker-news.firebaseio.com/v0/<story_name>.json e.g. https://hacker-news.firebaseio.com/v0/topstories.json Then, asynchronously it fetches each story and returns the Item objects The URL for individual story is: https://hacker-news.firebaseio.com/v0/item/<item_id>.json e.g. https://hacker-news.firebaseio.com/v0/item/69696969.json """ url = urljoin(self.base_url, F"{page}.json") story_ids = self._get_sync(url)[:limit] return self.get_items_by_ids(item_ids=story_ids)
python
def _get_stories(self, page, limit): """ Hacker News has different categories (i.e. stories) like 'topstories', 'newstories', 'askstories', 'showstories', 'jobstories'. This method, first fetches the relevant story ids of that category The URL is: https://hacker-news.firebaseio.com/v0/<story_name>.json e.g. https://hacker-news.firebaseio.com/v0/topstories.json Then, asynchronously it fetches each story and returns the Item objects The URL for individual story is: https://hacker-news.firebaseio.com/v0/item/<item_id>.json e.g. https://hacker-news.firebaseio.com/v0/item/69696969.json """ url = urljoin(self.base_url, F"{page}.json") story_ids = self._get_sync(url)[:limit] return self.get_items_by_ids(item_ids=story_ids)
Hacker News has different categories (i.e. stories) like 'topstories', 'newstories', 'askstories', 'showstories', 'jobstories'. This method, first fetches the relevant story ids of that category The URL is: https://hacker-news.firebaseio.com/v0/<story_name>.json e.g. https://hacker-news.firebaseio.com/v0/topstories.json Then, asynchronously it fetches each story and returns the Item objects The URL for individual story is: https://hacker-news.firebaseio.com/v0/item/<item_id>.json e.g. https://hacker-news.firebaseio.com/v0/item/69696969.json
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L143-L163
avinassh/haxor
hackernews/__init__.py
HackerNews.get_item
def get_item(self, item_id, expand=False): """Returns Hacker News `Item` object. Fetches the data from url: https://hacker-news.firebaseio.com/v0/item/<item_id>.json e.g. https://hacker-news.firebaseio.com/v0/item/69696969.json Args: item_id (int or string): Unique item id of Hacker News story, comment etc. expand (bool): expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `Item` object representing Hacker News item. Raises: InvalidItemID: If corresponding Hacker News story does not exist. """ url = urljoin(self.item_url, F"{item_id}.json") response = self._get_sync(url) if not response: raise InvalidItemID item = Item(response) if expand: item.by = self.get_user(item.by) item.kids = self.get_items_by_ids(item.kids) if item.kids else None item.parent = self.get_item(item.parent) if item.parent else None item.poll = self.get_item(item.poll) if item.poll else None item.parts = ( self.get_items_by_ids(item.parts) if item.parts else None ) return item
python
def get_item(self, item_id, expand=False): """Returns Hacker News `Item` object. Fetches the data from url: https://hacker-news.firebaseio.com/v0/item/<item_id>.json e.g. https://hacker-news.firebaseio.com/v0/item/69696969.json Args: item_id (int or string): Unique item id of Hacker News story, comment etc. expand (bool): expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `Item` object representing Hacker News item. Raises: InvalidItemID: If corresponding Hacker News story does not exist. """ url = urljoin(self.item_url, F"{item_id}.json") response = self._get_sync(url) if not response: raise InvalidItemID item = Item(response) if expand: item.by = self.get_user(item.by) item.kids = self.get_items_by_ids(item.kids) if item.kids else None item.parent = self.get_item(item.parent) if item.parent else None item.poll = self.get_item(item.poll) if item.poll else None item.parts = ( self.get_items_by_ids(item.parts) if item.parts else None ) return item
Returns Hacker News `Item` object. Fetches the data from url: https://hacker-news.firebaseio.com/v0/item/<item_id>.json e.g. https://hacker-news.firebaseio.com/v0/item/69696969.json Args: item_id (int or string): Unique item id of Hacker News story, comment etc. expand (bool): expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `Item` object representing Hacker News item. Raises: InvalidItemID: If corresponding Hacker News story does not exist.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L165-L202
avinassh/haxor
hackernews/__init__.py
HackerNews.get_items_by_ids
def get_items_by_ids(self, item_ids, item_type=None): """Given a list of item ids, return all the Item objects Args: item_ids (obj): List of item IDs to query item_type (str): (optional) Item type to filter results with Returns: List of `Item` objects for given item IDs and given item type """ urls = [urljoin(self.item_url, F"{i}.json") for i in item_ids] result = self._run_async(urls=urls) items = [Item(r) for r in result if r] if item_type: return [item for item in items if item.item_type == item_type] else: return items
python
def get_items_by_ids(self, item_ids, item_type=None): """Given a list of item ids, return all the Item objects Args: item_ids (obj): List of item IDs to query item_type (str): (optional) Item type to filter results with Returns: List of `Item` objects for given item IDs and given item type """ urls = [urljoin(self.item_url, F"{i}.json") for i in item_ids] result = self._run_async(urls=urls) items = [Item(r) for r in result if r] if item_type: return [item for item in items if item.item_type == item_type] else: return items
Given a list of item ids, return all the Item objects Args: item_ids (obj): List of item IDs to query item_type (str): (optional) Item type to filter results with Returns: List of `Item` objects for given item IDs and given item type
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L204-L221
avinassh/haxor
hackernews/__init__.py
HackerNews.get_user
def get_user(self, user_id, expand=False): """Returns Hacker News `User` object. Fetches data from the url: https://hacker-news.firebaseio.com/v0/user/<user_id>.json e.g. https://hacker-news.firebaseio.com/v0/user/pg.json Args: user_id (string): unique user id of a Hacker News user. expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `User` object representing a user on Hacker News. Raises: InvalidUserID: If no such user exists on Hacker News. """ url = urljoin(self.user_url, F"{user_id}.json") response = self._get_sync(url) if not response: raise InvalidUserID user = User(response) if expand and user.submitted: items = self.get_items_by_ids(user.submitted) user_opt = { 'stories': 'story', 'comments': 'comment', 'jobs': 'job', 'polls': 'poll', 'pollopts': 'pollopt' } for key, value in user_opt.items(): setattr( user, key, [i for i in items if i.item_type == value] ) return user
python
def get_user(self, user_id, expand=False): """Returns Hacker News `User` object. Fetches data from the url: https://hacker-news.firebaseio.com/v0/user/<user_id>.json e.g. https://hacker-news.firebaseio.com/v0/user/pg.json Args: user_id (string): unique user id of a Hacker News user. expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `User` object representing a user on Hacker News. Raises: InvalidUserID: If no such user exists on Hacker News. """ url = urljoin(self.user_url, F"{user_id}.json") response = self._get_sync(url) if not response: raise InvalidUserID user = User(response) if expand and user.submitted: items = self.get_items_by_ids(user.submitted) user_opt = { 'stories': 'story', 'comments': 'comment', 'jobs': 'job', 'polls': 'poll', 'pollopts': 'pollopt' } for key, value in user_opt.items(): setattr( user, key, [i for i in items if i.item_type == value] ) return user
Returns Hacker News `User` object. Fetches data from the url: https://hacker-news.firebaseio.com/v0/user/<user_id>.json e.g. https://hacker-news.firebaseio.com/v0/user/pg.json Args: user_id (string): unique user id of a Hacker News user. expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `User` object representing a user on Hacker News. Raises: InvalidUserID: If no such user exists on Hacker News.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L223-L266
avinassh/haxor
hackernews/__init__.py
HackerNews.get_users_by_ids
def get_users_by_ids(self, user_ids): """ Given a list of user ids, return all the User objects """ urls = [urljoin(self.user_url, F"{i}.json") for i in user_ids] result = self._run_async(urls=urls) return [User(r) for r in result if r]
python
def get_users_by_ids(self, user_ids): """ Given a list of user ids, return all the User objects """ urls = [urljoin(self.user_url, F"{i}.json") for i in user_ids] result = self._run_async(urls=urls) return [User(r) for r in result if r]
Given a list of user ids, return all the User objects
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L268-L274
avinassh/haxor
hackernews/__init__.py
HackerNews.top_stories
def top_stories(self, raw=False, limit=None): """Returns list of item ids of current top stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to represent all objects in raw json. Returns: `list` object containing ids of top stories. """ top_stories = self._get_stories('topstories', limit) if raw: top_stories = [story.raw for story in top_stories] return top_stories
python
def top_stories(self, raw=False, limit=None): """Returns list of item ids of current top stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to represent all objects in raw json. Returns: `list` object containing ids of top stories. """ top_stories = self._get_stories('topstories', limit) if raw: top_stories = [story.raw for story in top_stories] return top_stories
Returns list of item ids of current top stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to represent all objects in raw json. Returns: `list` object containing ids of top stories.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L276-L291
avinassh/haxor
hackernews/__init__.py
HackerNews.new_stories
def new_stories(self, raw=False, limit=None): """Returns list of item ids of current new stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of new stories. """ new_stories = self._get_stories('newstories', limit) if raw: new_stories = [story.raw for story in new_stories] return new_stories
python
def new_stories(self, raw=False, limit=None): """Returns list of item ids of current new stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of new stories. """ new_stories = self._get_stories('newstories', limit) if raw: new_stories = [story.raw for story in new_stories] return new_stories
Returns list of item ids of current new stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of new stories.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L293-L308
avinassh/haxor
hackernews/__init__.py
HackerNews.ask_stories
def ask_stories(self, raw=False, limit=None): """Returns list of item ids of latest Ask HN stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Ask HN stories. """ ask_stories = self._get_stories('askstories', limit) if raw: ask_stories = [story.raw for story in ask_stories] return ask_stories
python
def ask_stories(self, raw=False, limit=None): """Returns list of item ids of latest Ask HN stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Ask HN stories. """ ask_stories = self._get_stories('askstories', limit) if raw: ask_stories = [story.raw for story in ask_stories] return ask_stories
Returns list of item ids of latest Ask HN stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Ask HN stories.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L310-L325
avinassh/haxor
hackernews/__init__.py
HackerNews.show_stories
def show_stories(self, raw=False, limit=None): """Returns list of item ids of latest Show HN stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Show HN stories. """ show_stories = self._get_stories('showstories', limit) if raw: show_stories = [story.raw for story in show_stories] return show_stories
python
def show_stories(self, raw=False, limit=None): """Returns list of item ids of latest Show HN stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Show HN stories. """ show_stories = self._get_stories('showstories', limit) if raw: show_stories = [story.raw for story in show_stories] return show_stories
Returns list of item ids of latest Show HN stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Show HN stories.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L327-L342
avinassh/haxor
hackernews/__init__.py
HackerNews.job_stories
def job_stories(self, raw=False, limit=None): """Returns list of item ids of latest Job stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Job stories. """ job_stories = self._get_stories('jobstories', limit) if raw: job_stories = [story.raw for story in job_stories] return job_stories
python
def job_stories(self, raw=False, limit=None): """Returns list of item ids of latest Job stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Job stories. """ job_stories = self._get_stories('jobstories', limit) if raw: job_stories = [story.raw for story in job_stories] return job_stories
Returns list of item ids of latest Job stories Args: limit (int): specifies the number of stories to be returned. raw (bool): Flag to indicate whether to transform all objects into raw json. Returns: `list` object containing ids of Job stories.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L344-L359
avinassh/haxor
hackernews/__init__.py
HackerNews.updates
def updates(self): """Returns list of item ids and user ids that have been changed/updated recently. Fetches data from URL: https://hacker-news.firebaseio.com/v0/updates.json Returns: `dict` with two keys whose values are `list` objects """ url = urljoin(self.base_url, 'updates.json') response = self._get_sync(url) return { 'items': self.get_items_by_ids(item_ids=response['items']), 'profiles': self.get_users_by_ids(user_ids=response['profiles']) }
python
def updates(self): """Returns list of item ids and user ids that have been changed/updated recently. Fetches data from URL: https://hacker-news.firebaseio.com/v0/updates.json Returns: `dict` with two keys whose values are `list` objects """ url = urljoin(self.base_url, 'updates.json') response = self._get_sync(url) return { 'items': self.get_items_by_ids(item_ids=response['items']), 'profiles': self.get_users_by_ids(user_ids=response['profiles']) }
Returns list of item ids and user ids that have been changed/updated recently. Fetches data from URL: https://hacker-news.firebaseio.com/v0/updates.json Returns: `dict` with two keys whose values are `list` objects
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L361-L377
avinassh/haxor
hackernews/__init__.py
HackerNews.get_max_item
def get_max_item(self, expand=False): """The current largest item id Fetches data from URL: https://hacker-news.firebaseio.com/v0/maxitem.json Args: expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `int` if successful. """ url = urljoin(self.base_url, 'maxitem.json') response = self._get_sync(url) if expand: return self.get_item(response) else: return response
python
def get_max_item(self, expand=False): """The current largest item id Fetches data from URL: https://hacker-news.firebaseio.com/v0/maxitem.json Args: expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `int` if successful. """ url = urljoin(self.base_url, 'maxitem.json') response = self._get_sync(url) if expand: return self.get_item(response) else: return response
The current largest item id Fetches data from URL: https://hacker-news.firebaseio.com/v0/maxitem.json Args: expand (bool): Flag to indicate whether to transform all IDs into objects. Returns: `int` if successful.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L379-L398
avinassh/haxor
hackernews/__init__.py
HackerNews.get_last
def get_last(self, num=10): """Returns last `num` of HN stories Downloads all the HN articles and returns them as Item objects Returns: `list` object containing ids of HN stories. """ max_item = self.get_max_item() urls = [urljoin(self.item_url, F"{i}.json") for i in range( max_item - num + 1, max_item + 1)] result = self._run_async(urls=urls) return [Item(r) for r in result if r]
python
def get_last(self, num=10): """Returns last `num` of HN stories Downloads all the HN articles and returns them as Item objects Returns: `list` object containing ids of HN stories. """ max_item = self.get_max_item() urls = [urljoin(self.item_url, F"{i}.json") for i in range( max_item - num + 1, max_item + 1)] result = self._run_async(urls=urls) return [Item(r) for r in result if r]
Returns last `num` of HN stories Downloads all the HN articles and returns them as Item objects Returns: `list` object containing ids of HN stories.
https://github.com/avinassh/haxor/blob/71dbecf87531f7a24bb39c736d53127427aaca84/hackernews/__init__.py#L412-L425
pytries/DAWG-Python
dawg_python/dawgs.py
DAWG.load
def load(self, path): """ Loads DAWG from a file. """ self.dct = wrapper.Dictionary.load(path) return self
python
def load(self, path): """ Loads DAWG from a file. """ self.dct = wrapper.Dictionary.load(path) return self
Loads DAWG from a file.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/dawgs.py#L22-L27
pytries/DAWG-Python
dawg_python/dawgs.py
DAWG.similar_keys
def similar_keys(self, key, replaces): """ Returns all variants of ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings. This may be useful e.g. for handling single-character umlauts. """ return self._similar_keys("", key, self.dct.ROOT, replaces)
python
def similar_keys(self, key, replaces): """ Returns all variants of ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings. This may be useful e.g. for handling single-character umlauts. """ return self._similar_keys("", key, self.dct.ROOT, replaces)
Returns all variants of ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings. This may be useful e.g. for handling single-character umlauts.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/dawgs.py#L65-L77
pytries/DAWG-Python
dawg_python/dawgs.py
DAWG.prefixes
def prefixes(self, key): ''' Returns a list with keys of this DAWG that are prefixes of the ``key``. ''' res = [] index = self.dct.ROOT if not isinstance(key, bytes): key = key.encode('utf8') pos = 1 for ch in key: index = self.dct.follow_char(int_from_byte(ch), index) if not index: break if self._has_value(index): res.append(key[:pos].decode('utf8')) pos += 1 return res
python
def prefixes(self, key): ''' Returns a list with keys of this DAWG that are prefixes of the ``key``. ''' res = [] index = self.dct.ROOT if not isinstance(key, bytes): key = key.encode('utf8') pos = 1 for ch in key: index = self.dct.follow_char(int_from_byte(ch), index) if not index: break if self._has_value(index): res.append(key[:pos].decode('utf8')) pos += 1 return res
Returns a list with keys of this DAWG that are prefixes of the ``key``.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/dawgs.py#L94-L114
pytries/DAWG-Python
dawg_python/dawgs.py
CompletionDAWG.load
def load(self, path): """ Loads DAWG from a file. """ self.dct = wrapper.Dictionary() self.guide = wrapper.Guide() with open(path, 'rb') as f: self.dct.read(f) self.guide.read(f) return self
python
def load(self, path): """ Loads DAWG from a file. """ self.dct = wrapper.Dictionary() self.guide = wrapper.Guide() with open(path, 'rb') as f: self.dct.read(f) self.guide.read(f) return self
Loads DAWG from a file.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/dawgs.py#L157-L168
pytries/DAWG-Python
dawg_python/dawgs.py
BytesDAWG.get
def get(self, key, default=None): """ Returns a list of payloads (as byte objects) for a given key or ``default`` if the key is not found. """ if not isinstance(key, bytes): key = key.encode('utf8') return self.b_get_value(key) or default
python
def get(self, key, default=None): """ Returns a list of payloads (as byte objects) for a given key or ``default`` if the key is not found. """ if not isinstance(key, bytes): key = key.encode('utf8') return self.b_get_value(key) or default
Returns a list of payloads (as byte objects) for a given key or ``default`` if the key is not found.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/dawgs.py#L200-L208
pytries/DAWG-Python
dawg_python/dawgs.py
BytesDAWG.similar_items
def similar_items(self, key, replaces): """ Returns a list of (key, value) tuples for all variants of ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings. """ return self._similar_items("", key, self.dct.ROOT, replaces)
python
def similar_items(self, key, replaces): """ Returns a list of (key, value) tuples for all variants of ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings. """ return self._similar_items("", key, self.dct.ROOT, replaces)
Returns a list of (key, value) tuples for all variants of ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/dawgs.py#L359-L369
pytries/DAWG-Python
dawg_python/dawgs.py
BytesDAWG.similar_item_values
def similar_item_values(self, key, replaces): """ Returns a list of values for all variants of the ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings. """ return self._similar_item_values(0, key, self.dct.ROOT, replaces)
python
def similar_item_values(self, key, replaces): """ Returns a list of values for all variants of the ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings. """ return self._similar_item_values(0, key, self.dct.ROOT, replaces)
Returns a list of values for all variants of the ``key`` in this DAWG according to ``replaces``. ``replaces`` is an object obtained from ``DAWG.compile_replaces(mapping)`` where mapping is a dict that maps single-char unicode sitrings to another single-char unicode strings.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/dawgs.py#L402-L412
pytries/DAWG-Python
dawg_python/wrapper.py
Dictionary.value
def value(self, index): "Gets a value from a given index." offset = units.offset(self._units[index]) value_index = (index ^ offset) & units.PRECISION_MASK return units.value(self._units[value_index])
python
def value(self, index): "Gets a value from a given index." offset = units.offset(self._units[index]) value_index = (index ^ offset) & units.PRECISION_MASK return units.value(self._units[value_index])
Gets a value from a given index.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/wrapper.py#L24-L28
pytries/DAWG-Python
dawg_python/wrapper.py
Dictionary.read
def read(self, fp): "Reads a dictionary from an input stream." base_size = struct.unpack(str("=I"), fp.read(4))[0] self._units.fromfile(fp, base_size)
python
def read(self, fp): "Reads a dictionary from an input stream." base_size = struct.unpack(str("=I"), fp.read(4))[0] self._units.fromfile(fp, base_size)
Reads a dictionary from an input stream.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/wrapper.py#L30-L33
pytries/DAWG-Python
dawg_python/wrapper.py
Dictionary.contains
def contains(self, key): "Exact matching." index = self.follow_bytes(key, self.ROOT) if index is None: return False return self.has_value(index)
python
def contains(self, key): "Exact matching." index = self.follow_bytes(key, self.ROOT) if index is None: return False return self.has_value(index)
Exact matching.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/wrapper.py#L35-L40
pytries/DAWG-Python
dawg_python/wrapper.py
Dictionary.find
def find(self, key): "Exact matching (returns value)" index = self.follow_bytes(key, self.ROOT) if index is None: return -1 if not self.has_value(index): return -1 return self.value(index)
python
def find(self, key): "Exact matching (returns value)" index = self.follow_bytes(key, self.ROOT) if index is None: return -1 if not self.has_value(index): return -1 return self.value(index)
Exact matching (returns value)
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/wrapper.py#L42-L49
pytries/DAWG-Python
dawg_python/wrapper.py
Dictionary.follow_char
def follow_char(self, label, index): "Follows a transition" offset = units.offset(self._units[index]) next_index = (index ^ offset ^ label) & units.PRECISION_MASK if units.label(self._units[next_index]) != label: return None return next_index
python
def follow_char(self, label, index): "Follows a transition" offset = units.offset(self._units[index]) next_index = (index ^ offset ^ label) & units.PRECISION_MASK if units.label(self._units[next_index]) != label: return None return next_index
Follows a transition
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/wrapper.py#L51-L59
pytries/DAWG-Python
dawg_python/wrapper.py
Dictionary.follow_bytes
def follow_bytes(self, s, index): "Follows transitions." for ch in s: index = self.follow_char(int_from_byte(ch), index) if index is None: return None return index
python
def follow_bytes(self, s, index): "Follows transitions." for ch in s: index = self.follow_char(int_from_byte(ch), index) if index is None: return None return index
Follows transitions.
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/wrapper.py#L61-L68
pytries/DAWG-Python
dawg_python/wrapper.py
Completer.next
def next(self): "Gets the next key" if not self._index_stack: return False index = self._index_stack[-1] if self._last_index != self._dic.ROOT: child_label = self._guide.child(index) # UCharType if child_label: # Follows a transition to the first child. index = self._follow(child_label, index) if index is None: return False else: while True: sibling_label = self._guide.sibling(index) # Moves to the previous node. if len(self.key) > 0: self.key.pop() #self.key[-1] = 0 self._index_stack.pop() if not self._index_stack: return False index = self._index_stack[-1] if sibling_label: # Follows a transition to the next sibling. index = self._follow(sibling_label, index) if index is None: return False break return self._find_terminal(index)
python
def next(self): "Gets the next key" if not self._index_stack: return False index = self._index_stack[-1] if self._last_index != self._dic.ROOT: child_label = self._guide.child(index) # UCharType if child_label: # Follows a transition to the first child. index = self._follow(child_label, index) if index is None: return False else: while True: sibling_label = self._guide.sibling(index) # Moves to the previous node. if len(self.key) > 0: self.key.pop() #self.key[-1] = 0 self._index_stack.pop() if not self._index_stack: return False index = self._index_stack[-1] if sibling_label: # Follows a transition to the next sibling. index = self._follow(sibling_label, index) if index is None: return False break return self._find_terminal(index)
Gets the next key
https://github.com/pytries/DAWG-Python/blob/e56241ec919b78735ff79014bf18d7fd1f8e08b9/dawg_python/wrapper.py#L117-L154
cloudendpoints/endpoints-management-python
endpoints_management/control/check_request.py
convert_response
def convert_response(check_response, project_id): """Computes a http status code and message `CheckResponse` The return value a tuple (code, message, api_key_is_bad) where code: is the http status code message: is the message to return api_key_is_bad: indicates that a given api_key is bad Args: check_response (:class:`endpoints_management.gen.servicecontrol_v1_messages.CheckResponse`): the response from calling an api Returns: tuple(code, message, bool) """ if not check_response or not check_response.checkErrors: return _IS_OK # only check the first error for now, as per ESP theError = check_response.checkErrors[0] error_tuple = _CHECK_ERROR_CONVERSION.get(theError.code, _IS_UNKNOWN) if error_tuple[1].find(u'{') == -1: # no replacements needed: return error_tuple updated_msg = error_tuple[1].format(project_id=project_id, detail=theError.detail or u'') return error_tuple[0], updated_msg, error_tuple[2]
python
def convert_response(check_response, project_id): """Computes a http status code and message `CheckResponse` The return value a tuple (code, message, api_key_is_bad) where code: is the http status code message: is the message to return api_key_is_bad: indicates that a given api_key is bad Args: check_response (:class:`endpoints_management.gen.servicecontrol_v1_messages.CheckResponse`): the response from calling an api Returns: tuple(code, message, bool) """ if not check_response or not check_response.checkErrors: return _IS_OK # only check the first error for now, as per ESP theError = check_response.checkErrors[0] error_tuple = _CHECK_ERROR_CONVERSION.get(theError.code, _IS_UNKNOWN) if error_tuple[1].find(u'{') == -1: # no replacements needed: return error_tuple updated_msg = error_tuple[1].format(project_id=project_id, detail=theError.detail or u'') return error_tuple[0], updated_msg, error_tuple[2]
Computes a http status code and message `CheckResponse` The return value a tuple (code, message, api_key_is_bad) where code: is the http status code message: is the message to return api_key_is_bad: indicates that a given api_key is bad Args: check_response (:class:`endpoints_management.gen.servicecontrol_v1_messages.CheckResponse`): the response from calling an api Returns: tuple(code, message, bool)
https://github.com/cloudendpoints/endpoints-management-python/blob/ec3c4a330ae9d65738861ce6df4dd6c3cb9f7731/endpoints_management/control/check_request.py#L126-L152
cloudendpoints/endpoints-management-python
endpoints_management/control/check_request.py
sign
def sign(check_request): """Obtains a signature for an operation in a `CheckRequest` Args: op (:class:`endpoints_management.gen.servicecontrol_v1_messages.Operation`): an operation used in a `CheckRequest` Returns: string: a secure hash generated from the operation """ if not isinstance(check_request, sc_messages.CheckRequest): raise ValueError(u'Invalid request') op = check_request.operation if op is None or op.operationName is None or op.consumerId is None: logging.error(u'Bad %s: not initialized => not signed', check_request) raise ValueError(u'check request must be initialized with an operation') md5 = hashlib.md5() md5.update(op.operationName.encode('utf-8')) md5.update(b'\x00') md5.update(op.consumerId.encode('utf-8')) if op.labels: signing.add_dict_to_hash(md5, encoding.MessageToPyValue(op.labels)) for value_set in op.metricValueSets: md5.update(b'\x00') md5.update(value_set.metricName.encode('utf-8')) for mv in value_set.metricValues: metric_value.update_hash(md5, mv) md5.update(b'\x00') if op.quotaProperties: # N.B: this differs form cxx implementation, which serializes the # protobuf. This should be OK as the exact hash used does not need to # match across implementations. md5.update(repr(op.quotaProperties).encode('utf-8')) md5.update(b'\x00') return md5.digest()
python
def sign(check_request): """Obtains a signature for an operation in a `CheckRequest` Args: op (:class:`endpoints_management.gen.servicecontrol_v1_messages.Operation`): an operation used in a `CheckRequest` Returns: string: a secure hash generated from the operation """ if not isinstance(check_request, sc_messages.CheckRequest): raise ValueError(u'Invalid request') op = check_request.operation if op is None or op.operationName is None or op.consumerId is None: logging.error(u'Bad %s: not initialized => not signed', check_request) raise ValueError(u'check request must be initialized with an operation') md5 = hashlib.md5() md5.update(op.operationName.encode('utf-8')) md5.update(b'\x00') md5.update(op.consumerId.encode('utf-8')) if op.labels: signing.add_dict_to_hash(md5, encoding.MessageToPyValue(op.labels)) for value_set in op.metricValueSets: md5.update(b'\x00') md5.update(value_set.metricName.encode('utf-8')) for mv in value_set.metricValues: metric_value.update_hash(md5, mv) md5.update(b'\x00') if op.quotaProperties: # N.B: this differs form cxx implementation, which serializes the # protobuf. This should be OK as the exact hash used does not need to # match across implementations. md5.update(repr(op.quotaProperties).encode('utf-8')) md5.update(b'\x00') return md5.digest()
Obtains a signature for an operation in a `CheckRequest` Args: op (:class:`endpoints_management.gen.servicecontrol_v1_messages.Operation`): an operation used in a `CheckRequest` Returns: string: a secure hash generated from the operation
https://github.com/cloudendpoints/endpoints-management-python/blob/ec3c4a330ae9d65738861ce6df4dd6c3cb9f7731/endpoints_management/control/check_request.py#L155-L191
cloudendpoints/endpoints-management-python
endpoints_management/control/check_request.py
Info.as_check_request
def as_check_request(self, timer=datetime.utcnow): """Makes a `ServicecontrolServicesCheckRequest` from this instance Returns: a ``ServicecontrolServicesCheckRequest`` Raises: ValueError: if the fields in this instance are insufficient to to create a valid ``ServicecontrolServicesCheckRequest`` """ if not self.service_name: raise ValueError(u'the service name must be set') if not self.operation_id: raise ValueError(u'the operation id must be set') if not self.operation_name: raise ValueError(u'the operation name must be set') op = super(Info, self).as_operation(timer=timer) labels = {} if self.android_cert_fingerprint: labels[_KNOWN_LABELS.SCC_ANDROID_CERT_FINGERPRINT.label_name] = self.android_cert_fingerprint if self.android_package_name: labels[_KNOWN_LABELS.SCC_ANDROID_PACKAGE_NAME.label_name] = self.android_package_name if self.client_ip: labels[_KNOWN_LABELS.SCC_CALLER_IP.label_name] = self.client_ip if self.ios_bundle_id: labels[_KNOWN_LABELS.SCC_IOS_BUNDLE_ID.label_name] = self.ios_bundle_id if self.referer: labels[_KNOWN_LABELS.SCC_REFERER.label_name] = self.referer # Forcibly add system label reporting here, as the base service # config does not specify it as a label. labels[_KNOWN_LABELS.SCC_SERVICE_AGENT.label_name] = SERVICE_AGENT labels[_KNOWN_LABELS.SCC_USER_AGENT.label_name] = USER_AGENT op.labels = encoding.PyValueToMessage( sc_messages.Operation.LabelsValue, labels) check_request = sc_messages.CheckRequest(operation=op) return sc_messages.ServicecontrolServicesCheckRequest( serviceName=self.service_name, checkRequest=check_request)
python
def as_check_request(self, timer=datetime.utcnow): """Makes a `ServicecontrolServicesCheckRequest` from this instance Returns: a ``ServicecontrolServicesCheckRequest`` Raises: ValueError: if the fields in this instance are insufficient to to create a valid ``ServicecontrolServicesCheckRequest`` """ if not self.service_name: raise ValueError(u'the service name must be set') if not self.operation_id: raise ValueError(u'the operation id must be set') if not self.operation_name: raise ValueError(u'the operation name must be set') op = super(Info, self).as_operation(timer=timer) labels = {} if self.android_cert_fingerprint: labels[_KNOWN_LABELS.SCC_ANDROID_CERT_FINGERPRINT.label_name] = self.android_cert_fingerprint if self.android_package_name: labels[_KNOWN_LABELS.SCC_ANDROID_PACKAGE_NAME.label_name] = self.android_package_name if self.client_ip: labels[_KNOWN_LABELS.SCC_CALLER_IP.label_name] = self.client_ip if self.ios_bundle_id: labels[_KNOWN_LABELS.SCC_IOS_BUNDLE_ID.label_name] = self.ios_bundle_id if self.referer: labels[_KNOWN_LABELS.SCC_REFERER.label_name] = self.referer # Forcibly add system label reporting here, as the base service # config does not specify it as a label. labels[_KNOWN_LABELS.SCC_SERVICE_AGENT.label_name] = SERVICE_AGENT labels[_KNOWN_LABELS.SCC_USER_AGENT.label_name] = USER_AGENT op.labels = encoding.PyValueToMessage( sc_messages.Operation.LabelsValue, labels) check_request = sc_messages.CheckRequest(operation=op) return sc_messages.ServicecontrolServicesCheckRequest( serviceName=self.service_name, checkRequest=check_request)
Makes a `ServicecontrolServicesCheckRequest` from this instance Returns: a ``ServicecontrolServicesCheckRequest`` Raises: ValueError: if the fields in this instance are insufficient to to create a valid ``ServicecontrolServicesCheckRequest``
https://github.com/cloudendpoints/endpoints-management-python/blob/ec3c4a330ae9d65738861ce6df4dd6c3cb9f7731/endpoints_management/control/check_request.py#L213-L257
cloudendpoints/endpoints-management-python
endpoints_management/control/check_request.py
Aggregator.flush
def flush(self): """Flushes this instance's cache. The driver of this instance should call this method every `flush_interval`. Returns: list['CheckRequest']: corresponding to CheckRequests that were pending """ if self._cache is None: return [] with self._cache as c: flushed_items = list(c.out_deque) c.out_deque.clear() cached_reqs = [item.extract_request() for item in flushed_items] cached_reqs = [req for req in cached_reqs if req is not None] return cached_reqs
python
def flush(self): """Flushes this instance's cache. The driver of this instance should call this method every `flush_interval`. Returns: list['CheckRequest']: corresponding to CheckRequests that were pending """ if self._cache is None: return [] with self._cache as c: flushed_items = list(c.out_deque) c.out_deque.clear() cached_reqs = [item.extract_request() for item in flushed_items] cached_reqs = [req for req in cached_reqs if req is not None] return cached_reqs
Flushes this instance's cache. The driver of this instance should call this method every `flush_interval`. Returns: list['CheckRequest']: corresponding to CheckRequests that were pending
https://github.com/cloudendpoints/endpoints-management-python/blob/ec3c4a330ae9d65738861ce6df4dd6c3cb9f7731/endpoints_management/control/check_request.py#L349-L367