hydrus/include/ClientMedia.py

1718 lines
59 KiB
Python
Raw Normal View History

2015-03-18 21:46:29 +00:00
import bisect
import collections
import ClientConstants as CC
import ClientData
import ClientFiles
import ClientRatings
2015-12-09 23:16:41 +00:00
import ClientSearch
2015-03-18 21:46:29 +00:00
import HydrusConstants as HC
import HydrusTags
import os
import random
import time
import traceback
import wx
2015-03-25 22:04:19 +00:00
import HydrusData
import HydrusFileHandling
import HydrusExceptions
import HydrusGlobals
2015-08-05 18:42:35 +00:00
import itertools
2015-03-18 21:46:29 +00:00
2015-08-05 18:42:35 +00:00
def MergeTagsManagers( tags_managers ):
def CurrentAndPendingFilter( items ):
for ( service_key, statuses_to_tags ) in items:
filtered = { status : tags for ( status, tags ) in statuses_to_tags.items() if status in ( HC.CURRENT, HC.PENDING ) }
yield ( service_key, filtered )
# [[( service_key, statuses_to_tags )]]
s_k_s_t_t_tupled = ( CurrentAndPendingFilter( tags_manager.GetServiceKeysToStatusesToTags().items() ) for tags_manager in tags_managers )
# [(service_key, statuses_to_tags)]
flattened_s_k_s_t_t = itertools.chain.from_iterable( s_k_s_t_t_tupled )
# service_key : [ statuses_to_tags ]
s_k_s_t_t_dict = HydrusData.BuildKeyToListDict( flattened_s_k_s_t_t )
# now let's merge so we have service_key : statuses_to_tags
merged_service_keys_to_statuses_to_tags = collections.defaultdict( HydrusData.default_dict_set )
for ( service_key, several_statuses_to_tags ) in s_k_s_t_t_dict.items():
# [[( status, tags )]]
s_t_t_tupled = ( s_t_t.items() for s_t_t in several_statuses_to_tags )
# [( status, tags )]
flattened_s_t_t = itertools.chain.from_iterable( s_t_t_tupled )
statuses_to_tags = HydrusData.default_dict_set()
for ( status, tags ) in flattened_s_t_t: statuses_to_tags[ status ].update( tags )
merged_service_keys_to_statuses_to_tags[ service_key ] = statuses_to_tags
return TagsManagerSimple( merged_service_keys_to_statuses_to_tags )
class LocationsManager( object ):
LOCAL_LOCATIONS = { CC.LOCAL_FILE_SERVICE_KEY, CC.TRASH_SERVICE_KEY }
2016-06-01 20:04:15 +00:00
def __init__( self, current, deleted, pending, petitioned, urls = None, service_keys_to_filenames = None, current_to_timestamps = None ):
2015-08-05 18:42:35 +00:00
self._current = current
self._deleted = deleted
self._pending = pending
self._petitioned = petitioned
2016-06-01 20:04:15 +00:00
if urls is None:
urls = []
self._urls = urls
if service_keys_to_filenames is None:
service_keys_to_filenames = {}
self._service_keys_to_filenames = service_keys_to_filenames
2016-04-20 20:42:21 +00:00
if current_to_timestamps is None:
current_to_timestamps = {}
self._current_to_timestamps = current_to_timestamps
2015-08-05 18:42:35 +00:00
def DeletePending( self, service_key ):
self._pending.discard( service_key )
self._petitioned.discard( service_key )
def GetCDPP( self ): return ( self._current, self._deleted, self._pending, self._petitioned )
def GetCurrent( self ): return self._current
def GetCurrentRemote( self ):
return self._current - self.LOCAL_LOCATIONS
def GetDeleted( self ): return self._deleted
def GetDeletedRemote( self ):
return self._deleted - self.LOCAL_LOCATIONS
2016-02-24 21:42:54 +00:00
def GetPending( self ): return self._pending
def GetPendingRemote( self ):
return self._pending - self.LOCAL_LOCATIONS
def GetPetitioned( self ): return self._petitioned
def GetPetitionedRemote( self ):
return self._petitioned - self.LOCAL_LOCATIONS
def GetRemoteLocationStrings( self ):
2015-08-05 18:42:35 +00:00
current = self.GetCurrentRemote()
pending = self.GetPendingRemote()
petitioned = self.GetPetitionedRemote()
2016-02-24 21:42:54 +00:00
remote_services = HydrusGlobals.client_controller.GetServicesManager().GetServices( ( HC.FILE_REPOSITORY, HC.IPFS ) )
2015-08-05 18:42:35 +00:00
2016-02-24 21:42:54 +00:00
remote_services = list( remote_services )
2015-08-05 18:42:35 +00:00
2016-02-24 21:42:54 +00:00
def key( s ):
return s.GetName()
2015-08-05 18:42:35 +00:00
2016-02-24 21:42:54 +00:00
remote_services.sort( key = key )
2015-08-05 18:42:35 +00:00
2016-02-24 21:42:54 +00:00
remote_service_strings = []
2015-08-05 18:42:35 +00:00
2016-02-24 21:42:54 +00:00
for remote_service in remote_services:
name = remote_service.GetName()
service_key = remote_service.GetServiceKey()
2015-08-05 18:42:35 +00:00
if service_key in pending:
2016-02-24 21:42:54 +00:00
remote_service_strings.append( name + ' (+)' )
2015-08-05 18:42:35 +00:00
elif service_key in current:
if service_key in petitioned:
2016-02-24 21:42:54 +00:00
remote_service_strings.append( name + ' (-)' )
2015-08-05 18:42:35 +00:00
else:
2016-02-24 21:42:54 +00:00
remote_service_strings.append( name )
2015-08-05 18:42:35 +00:00
2016-02-24 21:42:54 +00:00
return remote_service_strings
2015-08-05 18:42:35 +00:00
2016-06-01 20:04:15 +00:00
def GetTimestamp( self, service_key ):
2016-04-20 20:42:21 +00:00
if service_key in self._current_to_timestamps:
return self._current_to_timestamps[ service_key ]
else:
return None
2016-06-01 20:04:15 +00:00
def GetURLs( self ):
return self._urls
2015-08-05 18:42:35 +00:00
def HasDownloading( self ): return CC.LOCAL_FILE_SERVICE_KEY in self._pending
def HasLocal( self ): return len( self._current.intersection( self.LOCAL_LOCATIONS ) ) > 0
def ProcessContentUpdate( self, service_key, content_update ):
( data_type, action, row ) = content_update.ToTuple()
if action == HC.CONTENT_UPDATE_ADD:
self._current.add( service_key )
self._deleted.discard( service_key )
self._pending.discard( service_key )
if service_key == CC.LOCAL_FILE_SERVICE_KEY:
self._current.discard( CC.TRASH_SERVICE_KEY )
2016-04-20 20:42:21 +00:00
self._current_to_timestamps[ service_key ] = HydrusData.GetNow()
2015-08-05 18:42:35 +00:00
elif action == HC.CONTENT_UPDATE_DELETE:
self._deleted.add( service_key )
self._current.discard( service_key )
self._petitioned.discard( service_key )
if service_key == CC.LOCAL_FILE_SERVICE_KEY:
self._current.add( CC.TRASH_SERVICE_KEY )
2016-04-20 20:42:21 +00:00
self._current_to_timestamps[ CC.TRASH_SERVICE_KEY ] = self._current_to_timestamps[ CC.LOCAL_FILE_SERVICE_KEY ]
2015-08-05 18:42:35 +00:00
elif action == HC.CONTENT_UPDATE_UNDELETE:
self._current.discard( CC.TRASH_SERVICE_KEY )
self._current.add( CC.LOCAL_FILE_SERVICE_KEY )
2016-04-20 20:42:21 +00:00
self._current_to_timestamps[ CC.LOCAL_FILE_SERVICE_KEY ] = self._current_to_timestamps[ CC.TRASH_SERVICE_KEY ]
2015-09-23 21:21:02 +00:00
elif action == HC.CONTENT_UPDATE_PEND:
2015-08-05 18:42:35 +00:00
if service_key not in self._current: self._pending.add( service_key )
elif action == HC.CONTENT_UPDATE_PETITION:
if service_key not in self._deleted: self._petitioned.add( service_key )
2015-09-23 21:21:02 +00:00
elif action == HC.CONTENT_UPDATE_RESCIND_PEND: self._pending.discard( service_key )
2015-08-05 18:42:35 +00:00
elif action == HC.CONTENT_UPDATE_RESCIND_PETITION: self._petitioned.discard( service_key )
def ResetService( self, service_key ):
self._current.discard( service_key )
self._pending.discard( service_key )
self._deleted.discard( service_key )
self._petitioned.discard( service_key )
2016-04-06 19:52:45 +00:00
def ShouldHaveThumbnail( self ):
return len( self._current ) > 0
2015-03-18 21:46:29 +00:00
class Media( object ):
def __init__( self ):
2015-07-01 22:02:07 +00:00
self._id = HydrusData.GenerateKey()
2016-01-06 21:17:20 +00:00
self._id_hash = self._id.__hash__()
2015-03-18 21:46:29 +00:00
def __eq__( self, other ): return self.__hash__() == other.__hash__()
2016-01-06 21:17:20 +00:00
def __hash__( self ): return self._id_hash
2015-03-18 21:46:29 +00:00
def __ne__( self, other ): return self.__hash__() != other.__hash__()
class MediaList( object ):
def __init__( self, file_service_key, media_results ):
self._file_service_key = file_service_key
2016-01-20 23:57:33 +00:00
self._hashes = set()
2015-03-18 21:46:29 +00:00
self._sort_by = CC.SORT_BY_SMALLEST
self._collect_by = None
self._collect_map_singletons = {}
self._collect_map_collected = {}
2015-03-25 22:04:19 +00:00
self._sorted_media = SortedList( [ self._GenerateMediaSingleton( media_result ) for media_result in media_results ] )
2015-03-18 21:46:29 +00:00
self._singleton_media = set( self._sorted_media )
self._collected_media = set()
2016-01-06 21:17:20 +00:00
self._RecalcHashes()
2015-03-18 21:46:29 +00:00
def _CalculateCollectionKeysToMedias( self, collect_by, medias ):
namespaces_to_collect_by = [ data for ( collect_by_type, data ) in collect_by if collect_by_type == 'namespace' ]
ratings_to_collect_by = [ data for ( collect_by_type, data ) in collect_by if collect_by_type == 'rating' ]
2015-09-16 18:11:00 +00:00
services_manager = HydrusGlobals.client_controller.GetServicesManager()
2015-03-18 21:46:29 +00:00
local_ratings_to_collect_by = [ service_key for service_key in ratings_to_collect_by if services_manager.GetService( service_key ).GetServiceType() in ( HC.LOCAL_RATING_LIKE, HC.LOCAL_RATING_NUMERICAL ) ]
remote_ratings_to_collect_by = [ service_key for service_key in ratings_to_collect_by if services_manager.GetService( service_key ).GetServiceType() in ( HC.RATING_LIKE_REPOSITORY, HC.RATING_NUMERICAL_REPOSITORY ) ]
keys_to_medias = collections.defaultdict( list )
for media in medias:
if len( namespaces_to_collect_by ) > 0: namespace_key = media.GetTagsManager().GetNamespaceSlice( namespaces_to_collect_by, collapse_siblings = True )
else: namespace_key = None
if len( ratings_to_collect_by ) > 0:
( local_ratings, remote_ratings ) = media.GetRatings()
if len( local_ratings_to_collect_by ) > 0: local_rating_key = local_ratings.GetRatingSlice( local_ratings_to_collect_by )
else: local_rating_key = None
if len( remote_ratings_to_collect_by ) > 0: remote_rating_key = remote_ratings.GetRatingSlice( remote_ratings_to_collect_by )
else: remote_rating_key = None
rating_key = ( local_rating_key, remote_rating_key )
else: rating_key = None
keys_to_medias[ ( namespace_key, rating_key ) ].append( media )
return keys_to_medias
def _GenerateMediaCollection( self, media_results ): return MediaCollection( self._file_service_key, media_results )
def _GenerateMediaSingleton( self, media_result ): return MediaSingleton( media_result )
def _GetFirst( self ): return self._sorted_media[ 0 ]
def _GetLast( self ): return self._sorted_media[ -1 ]
def _GetMedia( self, hashes, discriminator = None ):
if discriminator is None: medias = self._sorted_media
elif discriminator == 'singletons': medias = self._singleton_media
elif discriminator == 'collections': medias = self._collected_media
return [ media for media in medias if not hashes.isdisjoint( media.GetHashes() ) ]
def _GetNext( self, media ):
if media is None: return None
next_index = self._sorted_media.index( media ) + 1
if next_index == len( self._sorted_media ): return self._GetFirst()
else: return self._sorted_media[ next_index ]
def _GetPrevious( self, media ):
if media is None: return None
previous_index = self._sorted_media.index( media ) - 1
if previous_index == -1: return self._GetLast()
else: return self._sorted_media[ previous_index ]
2016-01-06 21:17:20 +00:00
def _RecalcHashes( self ):
self._hashes = set()
2016-01-13 22:08:19 +00:00
for media in self._collected_media:
self._hashes.update( media.GetHashes() )
for media in self._singleton_media:
self._hashes.add( media.GetHash() )
2016-01-06 21:17:20 +00:00
2015-03-18 21:46:29 +00:00
def _RemoveMedia( self, singleton_media, collected_media ):
2016-01-13 22:08:19 +00:00
if not isinstance( singleton_media, set ):
singleton_media = set( singleton_media )
if not isinstance( collected_media, set ):
collected_media = set( collected_media )
2015-03-18 21:46:29 +00:00
self._singleton_media.difference_update( singleton_media )
self._collected_media.difference_update( collected_media )
keys_to_remove = [ key for ( key, media ) in self._collect_map_singletons if media in singleton_media ]
2016-01-13 22:08:19 +00:00
for key in keys_to_remove:
del self._collect_map_singletons[ key ]
2015-03-18 21:46:29 +00:00
keys_to_remove = [ key for ( key, media ) in self._collect_map_collected if media in collected_media ]
2016-01-13 22:08:19 +00:00
for key in keys_to_remove:
del self._collect_map_collected[ key ]
2015-03-18 21:46:29 +00:00
self._sorted_media.remove_items( singleton_media.union( collected_media ) )
2016-01-13 22:08:19 +00:00
self._RecalcHashes()
2015-03-18 21:46:29 +00:00
2015-12-09 23:16:41 +00:00
def AddMedia( self, new_media, append = True ):
if append:
2016-01-06 21:17:20 +00:00
for media in new_media:
self._hashes.add( media.GetHash() )
2015-12-09 23:16:41 +00:00
self._singleton_media.update( new_media )
self._sorted_media.append_items( new_media )
else:
2016-01-06 21:17:20 +00:00
for media in new_media:
self._hashes.update( media.GetHashes() )
2015-12-09 23:16:41 +00:00
if self._collect_by is not None:
keys_to_medias = self._CalculateCollectionKeysToMedias( self._collect_by, new_media )
new_media = []
for ( key, medias ) in keys_to_medias.items():
if key in self._collect_map_singletons:
singleton_media = self._collect_map_singletons[ key ]
self._sorted_media.remove_items( singleton_media )
self._singleton_media.discard( singleton_media )
del self._collect_map_singletons[ key ]
medias.append( singleton_media )
collected_media = self._GenerateMediaCollection( [ media.GetMediaResult() for media in medias ] )
collected_media.Sort( self._sort_by )
self._collected_media.add( collected_media )
self._collect_map_collected[ key ] = collected_media
new_media.append( collected_media )
elif key in self._collect_map_collected:
collected_media = self._collect_map_collected[ key ]
self._sorted_media.remove_items( collected_media )
collected_media.AddMedia( medias )
collected_media.Sort( self._sort_by )
new_media.append( collected_media )
elif len( medias ) == 1:
( singleton_media, ) = medias
self._singleton_media.add( singleton_media )
self._collect_map_singletons[ key ] = singleton_media
else:
collected_media = self._GenerateMediaCollection( [ media.GetMediaResult() for media in medias ] )
collected_media.Sort( self._sort_by )
self._collected_media.add( collected_media )
self._collect_map_collected[ key ] = collected_media
new_media.append( collected_media )
self._sorted_media.insert_items( new_media )
return new_media
2015-03-18 21:46:29 +00:00
def Collect( self, collect_by = -1 ):
if collect_by == -1: collect_by = self._collect_by
self._collect_by = collect_by
for media in self._collected_media: self._singleton_media.update( [ self._GenerateMediaSingleton( media_result ) for media_result in media.GenerateMediaResults() ] )
self._collected_media = set()
self._collect_map_singletons = {}
self._collect_map_collected = {}
if collect_by is not None:
keys_to_medias = self._CalculateCollectionKeysToMedias( collect_by, self._singleton_media )
self._collect_map_singletons = { key : medias[0] for ( key, medias ) in keys_to_medias.items() if len( medias ) == 1 }
self._collect_map_collected = { key : self._GenerateMediaCollection( [ media.GetMediaResult() for media in medias ] ) for ( key, medias ) in keys_to_medias.items() if len( medias ) > 1 }
self._singleton_media = set( self._collect_map_singletons.values() )
self._collected_media = set( self._collect_map_collected.values() )
2015-03-25 22:04:19 +00:00
self._sorted_media = SortedList( list( self._singleton_media ) + list( self._collected_media ) )
2015-03-18 21:46:29 +00:00
def DeletePending( self, service_key ):
for media in self._collected_media: media.DeletePending( service_key )
2015-08-19 21:48:21 +00:00
def GenerateMediaResults( self, has_location = None, discriminant = None, selected_media = None, unrated = None, for_media_viewer = False ):
2015-03-18 21:46:29 +00:00
media_results = []
for media in self._sorted_media:
2015-07-08 21:45:38 +00:00
if has_location is not None:
locations_manager = media.GetLocationsManager()
if has_location not in locations_manager.GetCurrent():
continue
2015-03-18 21:46:29 +00:00
if selected_media is not None and media not in selected_media: continue
2015-08-19 21:48:21 +00:00
if media.IsCollection(): media_results.extend( media.GenerateMediaResults( has_location = has_location, discriminant = discriminant, selected_media = selected_media, unrated = unrated, for_media_viewer = True ) )
2015-03-18 21:46:29 +00:00
else:
if discriminant is not None:
2015-07-15 20:28:26 +00:00
2015-07-22 19:40:39 +00:00
locations_manager = media.GetLocationsManager()
2015-07-15 20:28:26 +00:00
inbox_failed = discriminant == CC.DISCRIMINANT_INBOX and not media.HasInbox()
2015-07-22 19:40:39 +00:00
local_failed = discriminant == CC.DISCRIMINANT_LOCAL and not locations_manager.HasLocal()
not_local_failed = discriminant == CC.DISCRIMINANT_NOT_LOCAL and locations_manager.HasLocal()
downloading_failed = discriminant == CC.DISCRIMINANT_DOWNLOADING and CC.LOCAL_FILE_SERVICE_KEY not in locations_manager.GetPending()
2015-07-15 20:28:26 +00:00
2015-07-22 19:40:39 +00:00
if inbox_failed or local_failed or not_local_failed or downloading_failed: continue
2015-07-15 20:28:26 +00:00
2015-03-18 21:46:29 +00:00
if unrated is not None:
( local_ratings, remote_ratings ) = media.GetRatings()
if local_ratings.GetRating( unrated ) is not None: continue
2015-08-19 21:48:21 +00:00
if for_media_viewer:
if HC.options[ 'mime_media_viewer_actions' ][ media.GetMime() ] == CC.MEDIA_VIEWER_DO_NOT_SHOW:
continue
2015-03-18 21:46:29 +00:00
media_results.append( media.GetMediaResult() )
return media_results
def GetFlatMedia( self ):
flat_media = []
for media in self._sorted_media:
if media.IsCollection(): flat_media.extend( media.GetFlatMedia() )
else: flat_media.append( media )
return flat_media
def GetMediaIndex( self, media ): return self._sorted_media.index( media )
def GetSortedMedia( self ): return self._sorted_media
def HasMedia( self, media ):
if media is None: return False
if media in self._singleton_media: return True
elif media in self._collected_media: return True
else:
for media_collection in self._collected_media:
if media_collection.HasMedia( media ): return True
return False
def HasNoMedia( self ): return len( self._sorted_media ) == 0
def ProcessContentUpdate( self, service_key, content_update ):
( data_type, action, row ) = content_update.ToTuple()
hashes = content_update.GetHashes()
for media in self._GetMedia( hashes, 'collections' ): media.ProcessContentUpdate( service_key, content_update )
2015-10-14 21:02:25 +00:00
if data_type == HC.CONTENT_TYPE_FILES:
2015-03-18 21:46:29 +00:00
2015-07-08 21:45:38 +00:00
if action == HC.CONTENT_UPDATE_DELETE:
2015-03-18 21:46:29 +00:00
2015-07-15 20:28:26 +00:00
local_service_keys = ( CC.TRASH_SERVICE_KEY, CC.LOCAL_FILE_SERVICE_KEY )
deleted_from_trash_and_local_view = service_key == CC.TRASH_SERVICE_KEY and self._file_service_key in local_service_keys
2015-03-18 21:46:29 +00:00
2015-07-15 20:28:26 +00:00
deleted_from_local_and_option_set = HC.options[ 'remove_trashed_files' ] and service_key == CC.LOCAL_FILE_SERVICE_KEY and self._file_service_key in local_service_keys
2015-07-08 21:45:38 +00:00
2015-07-15 20:28:26 +00:00
deleted_from_repo_and_repo_view = service_key not in local_service_keys and self._file_service_key == service_key
if deleted_from_trash_and_local_view or deleted_from_local_and_option_set or deleted_from_repo_and_repo_view:
2015-07-08 21:45:38 +00:00
affected_singleton_media = self._GetMedia( hashes, 'singletons' )
affected_collected_media = [ media for media in self._collected_media if media.HasNoMedia() ]
self._RemoveMedia( affected_singleton_media, affected_collected_media )
2015-03-18 21:46:29 +00:00
def ProcessContentUpdates( self, service_keys_to_content_updates ):
for ( service_key, content_updates ) in service_keys_to_content_updates.items():
for content_update in content_updates: self.ProcessContentUpdate( service_key, content_update )
def ProcessServiceUpdates( self, service_keys_to_service_updates ):
for ( service_key, service_updates ) in service_keys_to_service_updates.items():
for service_update in service_updates:
( action, row ) = service_update.ToTuple()
if action == HC.SERVICE_UPDATE_DELETE_PENDING: self.DeletePending( service_key )
elif action == HC.SERVICE_UPDATE_RESET: self.ResetService( service_key )
def ResetService( self, service_key ):
2016-01-06 21:17:20 +00:00
if service_key == self._file_service_key:
self._RemoveMedia( self._singleton_media, self._collected_media )
2015-03-18 21:46:29 +00:00
else:
for media in self._collected_media: media.ResetService( service_key )
def Sort( self, sort_by = None ):
for media in self._collected_media: media.Sort( sort_by )
if sort_by is None: sort_by = self._sort_by
self._sort_by = sort_by
( sort_by_type, sort_by_data ) = sort_by
def deal_with_none( x ):
2016-04-20 20:42:21 +00:00
if x is None: return -1
2015-03-18 21:46:29 +00:00
else: return x
if sort_by_type == 'system':
if sort_by_data == CC.SORT_BY_RANDOM: sort_function = lambda x: random.random()
elif sort_by_data == CC.SORT_BY_SMALLEST: sort_function = lambda x: deal_with_none( x.GetSize() )
elif sort_by_data == CC.SORT_BY_LARGEST: sort_function = lambda x: -deal_with_none( x.GetSize() )
elif sort_by_data == CC.SORT_BY_SHORTEST: sort_function = lambda x: deal_with_none( x.GetDuration() )
elif sort_by_data == CC.SORT_BY_LONGEST: sort_function = lambda x: -deal_with_none( x.GetDuration() )
2016-06-01 20:04:15 +00:00
elif sort_by_data == CC.SORT_BY_OLDEST: sort_function = lambda x: deal_with_none( x.GetTimestamp( self._file_service_key ) )
elif sort_by_data == CC.SORT_BY_NEWEST: sort_function = lambda x: -deal_with_none( x.GetTimestamp( self._file_service_key ) )
2015-03-18 21:46:29 +00:00
elif sort_by_data == CC.SORT_BY_MIME: sort_function = lambda x: x.GetMime()
elif sort_by_type == 'namespaces':
def namespace_sort_function( namespaces, x ):
x_tags_manager = x.GetTagsManager()
return [ x_tags_manager.GetComparableNamespaceSlice( ( namespace, ), collapse_siblings = True ) for namespace in namespaces ]
sort_function = lambda x: namespace_sort_function( sort_by_data, x )
elif sort_by_type in ( 'rating_descend', 'rating_ascend' ):
service_key = sort_by_data
def ratings_sort_function( service_key, reverse, x ):
( x_local_ratings, x_remote_ratings ) = x.GetRatings()
2015-09-16 18:11:00 +00:00
service = HydrusGlobals.client_controller.GetServicesManager().GetService( service_key )
2015-03-18 21:46:29 +00:00
if service.GetServiceType() in ( HC.LOCAL_RATING_LIKE, HC.LOCAL_RATING_NUMERICAL ): rating = deal_with_none( x_local_ratings.GetRating( service_key ) )
else: rating = deal_with_none( x_remote_ratings.GetScore( service_key ) )
if reverse: rating *= -1
return rating
reverse = sort_by_type == 'rating_descend'
sort_function = lambda x: ratings_sort_function( service_key, reverse, x )
self._sorted_media.sort( sort_function )
class ListeningMediaList( MediaList ):
def __init__( self, file_service_key, media_results ):
MediaList.__init__( self, file_service_key, media_results )
2015-12-09 23:16:41 +00:00
self._file_query_result = ClientSearch.FileQueryResult( media_results )
2015-03-18 21:46:29 +00:00
2015-09-16 18:11:00 +00:00
HydrusGlobals.client_controller.sub( self, 'ProcessContentUpdates', 'content_updates_gui' )
HydrusGlobals.client_controller.sub( self, 'ProcessServiceUpdates', 'service_updates_gui' )
2015-03-18 21:46:29 +00:00
def AddMediaResults( self, media_results, append = True ):
self._file_query_result.AddMediaResults( media_results )
new_media = []
for media_result in media_results:
hash = media_result.GetHash()
2016-01-06 21:17:20 +00:00
if hash in self._hashes:
continue
2015-03-18 21:46:29 +00:00
new_media.append( self._GenerateMediaSingleton( media_result ) )
2015-12-09 23:16:41 +00:00
self.AddMedia( new_media, append = append )
2015-03-18 21:46:29 +00:00
return new_media
class MediaCollection( MediaList, Media ):
def __init__( self, file_service_key, media_results ):
Media.__init__( self )
MediaList.__init__( self, file_service_key, media_results )
self._archive = True
self._inbox = False
self._size = 0
self._size_definite = True
self._width = None
self._height = None
self._duration = None
self._num_frames = None
self._num_words = None
self._tags_manager = None
self._locations_manager = None
self._RecalcInternals()
def _RecalcInternals( self ):
2016-01-13 22:08:19 +00:00
self._RecalcHashes()
2015-03-18 21:46:29 +00:00
self._archive = True in ( media.HasArchive() for media in self._sorted_media )
self._inbox = True in ( media.HasInbox() for media in self._sorted_media )
self._size = sum( [ media.GetSize() for media in self._sorted_media ] )
self._size_definite = not False in ( media.IsSizeDefinite() for media in self._sorted_media )
duration_sum = sum( [ media.GetDuration() for media in self._sorted_media if media.HasDuration() ] )
if duration_sum > 0: self._duration = duration_sum
else: self._duration = None
tags_managers = [ m.GetTagsManager() for m in self._sorted_media ]
2015-08-05 18:42:35 +00:00
self._tags_manager = MergeTagsManagers( tags_managers )
2015-03-18 21:46:29 +00:00
# horrible compromise
if len( self._sorted_media ) > 0: self._ratings = self._sorted_media[0].GetRatings()
else: self._ratings = ( ClientRatings.LocalRatingsManager( {} ), ClientRatings.CPRemoteRatingsServiceKeys( {} ) )
all_locations_managers = [ media.GetLocationsManager() for media in self._sorted_media ]
2015-03-25 22:04:19 +00:00
current = HydrusData.IntelligentMassIntersect( [ locations_manager.GetCurrent() for locations_manager in all_locations_managers ] )
deleted = HydrusData.IntelligentMassIntersect( [ locations_manager.GetDeleted() for locations_manager in all_locations_managers ] )
pending = HydrusData.IntelligentMassIntersect( [ locations_manager.GetPending() for locations_manager in all_locations_managers ] )
petitioned = HydrusData.IntelligentMassIntersect( [ locations_manager.GetPetitioned() for locations_manager in all_locations_managers ] )
2015-03-18 21:46:29 +00:00
2015-08-05 18:42:35 +00:00
self._locations_manager = LocationsManager( current, deleted, pending, petitioned )
2015-03-18 21:46:29 +00:00
2015-12-09 23:16:41 +00:00
def AddMedia( self, new_media, append = True ):
MediaList.AddMedia( self, new_media, append = True )
self._RecalcInternals()
2015-03-18 21:46:29 +00:00
def DeletePending( self, service_key ):
MediaList.DeletePending( self, service_key )
self._RecalcInternals()
def GetDisplayMedia( self ): return self._GetFirst().GetDisplayMedia()
def GetDuration( self ): return self._duration
def GetHash( self ): return self.GetDisplayMedia().GetHash()
2015-09-16 18:11:00 +00:00
def GetHashes( self, has_location = None, discriminant = None, not_uploaded_to = None, ordered = False ):
2015-03-18 21:46:29 +00:00
2016-01-06 21:17:20 +00:00
if has_location is None and discriminant is None and not_uploaded_to is None and not ordered:
return self._hashes
2015-03-18 21:46:29 +00:00
else:
2015-09-16 18:11:00 +00:00
if ordered:
result = []
for media in self._sorted_media: result.extend( media.GetHashes( has_location, discriminant, not_uploaded_to, ordered ) )
else:
result = set()
for media in self._sorted_media: result.update( media.GetHashes( has_location, discriminant, not_uploaded_to, ordered ) )
2015-03-18 21:46:29 +00:00
return result
def GetLocationsManager( self ): return self._locations_manager
def GetMime( self ): return HC.APPLICATION_HYDRUS_CLIENT_COLLECTION
2016-01-06 21:17:20 +00:00
def GetNumFiles( self ):
return len( self._hashes )
2015-03-18 21:46:29 +00:00
def GetNumInbox( self ): return sum( ( media.GetNumInbox() for media in self._sorted_media ) )
def GetNumFrames( self ): return sum( ( media.GetNumFrames() for media in self._sorted_media ) )
def GetNumWords( self ): return sum( ( media.GetNumWords() for media in self._sorted_media ) )
2016-04-20 20:42:21 +00:00
def GetPrettyInfoLines( self ):
2015-03-18 21:46:29 +00:00
2015-03-25 22:04:19 +00:00
size = HydrusData.ConvertIntToBytes( self._size )
2015-03-18 21:46:29 +00:00
mime = HC.mime_string_lookup[ HC.APPLICATION_HYDRUS_CLIENT_COLLECTION ]
info_string = size + ' ' + mime
2015-03-25 22:04:19 +00:00
info_string += ' (' + HydrusData.ConvertIntToPrettyString( self.GetNumFiles() ) + ' files)'
2015-03-18 21:46:29 +00:00
2016-04-20 20:42:21 +00:00
return [ info_string ]
2015-03-18 21:46:29 +00:00
def GetRatings( self ): return self._ratings
def GetResolution( self ): return ( self._width, self._height )
def GetSingletonsTagsManagers( self ):
tags_managers = [ m.GetTagsManager() for m in self._singleton_media ]
for m in self._collected_media: tags_managers.extend( m.GetSingletonsTagsManagers() )
return tags_managers
def GetSize( self ): return self._size
def GetTagsManager( self ): return self._tags_manager
2016-06-01 20:04:15 +00:00
def GetTimestamp( self, service_key ): return None
2015-03-18 21:46:29 +00:00
def HasArchive( self ): return self._archive
def HasDuration( self ): return self._duration is not None
def HasImages( self ): return True in ( media.HasImages() for media in self._collected_media | self._singleton_media )
def HasInbox( self ): return self._inbox
def IsCollection( self ): return True
def IsImage( self ): return False
def IsNoisy( self ): return self.GetDisplayMedia().GetMime() in HC.NOISY_MIMES
def IsSizeDefinite( self ): return self._size_definite
def ProcessContentUpdate( self, service_key, content_update ):
MediaList.ProcessContentUpdate( self, service_key, content_update )
self._RecalcInternals()
def ResetService( self, service_key ):
MediaList.ResetService( self, service_key )
self._RecalcInternals()
class MediaSingleton( Media ):
def __init__( self, media_result ):
Media.__init__( self )
self._media_result = media_result
def GetDisplayMedia( self ): return self
def GetDuration( self ): return self._media_result.GetDuration()
def GetHash( self ): return self._media_result.GetHash()
2015-09-16 18:11:00 +00:00
def GetHashes( self, has_location = None, discriminant = None, not_uploaded_to = None, ordered = False ):
2015-03-18 21:46:29 +00:00
if discriminant is not None:
inbox = self._media_result.GetInbox()
2016-01-06 21:17:20 +00:00
locations_manager = self._media_result.GetLocationsManager()
if ( discriminant == CC.DISCRIMINANT_INBOX and not inbox ) or ( discriminant == CC.DISCRIMINANT_ARCHIVE and inbox ) or ( discriminant == CC.DISCRIMINANT_LOCAL and not locations_manager.HasLocal() ) or ( discriminant == CC.DISCRIMINANT_NOT_LOCAL and locations_manager.HasLocal() ):
if ordered:
return []
else:
return set()
2015-03-18 21:46:29 +00:00
2015-07-08 21:45:38 +00:00
if has_location is not None:
2015-03-18 21:46:29 +00:00
2016-01-06 21:17:20 +00:00
locations_manager = self._media_result.GetLocationsManager()
if has_location not in locations_manager.GetCurrent():
if ordered:
return []
else:
return set()
2015-07-08 21:45:38 +00:00
if not_uploaded_to is not None:
2015-03-18 21:46:29 +00:00
2016-01-06 21:17:20 +00:00
locations_manager = self._media_result.GetLocationsManager()
if not_uploaded_to in locations_manager.GetCurrentRemote():
if ordered:
return []
else:
return set()
2015-03-18 21:46:29 +00:00
2015-09-16 18:11:00 +00:00
if ordered:
return [ self._media_result.GetHash() ]
else:
return { self._media_result.GetHash() }
2015-03-18 21:46:29 +00:00
def GetLocationsManager( self ): return self._media_result.GetLocationsManager()
def GetMediaResult( self ): return self._media_result
def GetMime( self ): return self._media_result.GetMime()
def GetNumFiles( self ): return 1
def GetNumFrames( self ): return self._media_result.GetNumFrames()
def GetNumInbox( self ):
if self.HasInbox(): return 1
else: return 0
2015-07-08 21:45:38 +00:00
2015-03-18 21:46:29 +00:00
def GetNumWords( self ): return self._media_result.GetNumWords()
2016-06-01 20:04:15 +00:00
def GetTimestamp( self, service_key ):
2015-03-18 21:46:29 +00:00
2016-04-20 20:42:21 +00:00
return self._media_result.GetLocationsManager().GetTimestamp( service_key )
2015-03-18 21:46:29 +00:00
2016-04-20 20:42:21 +00:00
def GetPrettyInfoLines( self ):
2015-03-18 21:46:29 +00:00
2016-04-20 20:42:21 +00:00
( hash, inbox, size, mime, width, height, duration, num_frames, num_words, tags_manager, locations_manager, local_ratings, remote_ratings ) = self._media_result.ToTuple()
2015-03-18 21:46:29 +00:00
2015-03-25 22:04:19 +00:00
info_string = HydrusData.ConvertIntToBytes( size ) + ' ' + HC.mime_string_lookup[ mime ]
2015-03-18 21:46:29 +00:00
2015-03-25 22:04:19 +00:00
if width is not None and height is not None: info_string += ' (' + HydrusData.ConvertIntToPrettyString( width ) + 'x' + HydrusData.ConvertIntToPrettyString( height ) + ')'
2015-03-18 21:46:29 +00:00
2015-03-25 22:04:19 +00:00
if duration is not None: info_string += ', ' + HydrusData.ConvertMillisecondsToPrettyTime( duration )
2015-03-18 21:46:29 +00:00
2015-03-25 22:04:19 +00:00
if num_frames is not None: info_string += ' (' + HydrusData.ConvertIntToPrettyString( num_frames ) + ' frames)'
2015-03-18 21:46:29 +00:00
2015-03-25 22:04:19 +00:00
if num_words is not None: info_string += ' (' + HydrusData.ConvertIntToPrettyString( num_words ) + ' words)'
2015-03-18 21:46:29 +00:00
2016-04-20 20:42:21 +00:00
lines = [ info_string ]
locations_manager = self._media_result.GetLocationsManager()
current_service_keys = locations_manager.GetCurrent()
if CC.LOCAL_FILE_SERVICE_KEY in current_service_keys:
timestamp = locations_manager.GetTimestamp( CC.LOCAL_FILE_SERVICE_KEY )
lines.append( 'imported ' + HydrusData.ConvertTimestampToPrettyAgo( timestamp ) )
if CC.TRASH_SERVICE_KEY in current_service_keys:
timestamp = locations_manager.GetTimestamp( CC.TRASH_SERVICE_KEY )
lines.append( 'imported ' + HydrusData.ConvertTimestampToPrettyAgo( timestamp ) + ', now in the trash' )
2016-06-01 20:04:15 +00:00
for service_key in current_service_keys:
if service_key in ( CC.LOCAL_FILE_SERVICE_KEY, CC.TRASH_SERVICE_KEY ):
continue
timestamp = locations_manager.GetTimestamp( service_key )
service = HydrusGlobals.client_controller.GetServicesManager().GetService( service_key )
service_type = service.GetServiceType()
if service_type == HC.IPFS:
status = 'pinned '
else:
status = 'uploaded '
lines.append( status + 'to ' + service.GetName() + ' ' + HydrusData.ConvertTimestampToPrettyAgo( timestamp ) )
2016-04-20 20:42:21 +00:00
return lines
2015-03-18 21:46:29 +00:00
def GetRatings( self ): return self._media_result.GetRatings()
def GetResolution( self ):
( width, height ) = self._media_result.GetResolution()
if width is None: return ( 0, 0 )
else: return ( width, height )
def GetSize( self ):
size = self._media_result.GetSize()
if size is None: return 0
else: return size
def GetTagsManager( self ): return self._media_result.GetTagsManager()
2015-04-08 18:10:50 +00:00
def GetTitleString( self ):
title_string = ''
2015-09-16 18:11:00 +00:00
siblings_manager = HydrusGlobals.client_controller.GetManager( 'tag_siblings' )
2015-04-08 18:10:50 +00:00
namespaces = self._media_result.GetTagsManager().GetCombinedNamespaces( ( 'creator', 'series', 'title', 'volume', 'chapter', 'page' ) )
creators = namespaces[ 'creator' ]
series = namespaces[ 'series' ]
titles = namespaces[ 'title' ]
volumes = namespaces[ 'volume' ]
chapters = namespaces[ 'chapter' ]
pages = namespaces[ 'page' ]
if len( creators ) > 0:
creators = siblings_manager.CollapseNamespacedTags( 'creator', creators )
title_string_append = ', '.join( creators )
if len( title_string ) > 0: title_string += ' - ' + title_string_append
else: title_string = title_string_append
if len( series ) > 0:
series = siblings_manager.CollapseNamespacedTags( 'series', series )
title_string_append = ', '.join( series )
if len( title_string ) > 0: title_string += ' - ' + title_string_append
else: title_string = title_string_append
if len( titles ) > 0:
titles = siblings_manager.CollapseNamespacedTags( 'title', titles )
title_string_append = ', '.join( titles )
if len( title_string ) > 0: title_string += ' - ' + title_string_append
else: title_string = title_string_append
if len( volumes ) > 0:
if len( volumes ) == 1:
( volume, ) = volumes
2015-11-04 22:30:28 +00:00
title_string_append = 'volume ' + str( volume )
2015-04-08 18:10:50 +00:00
else:
2016-04-27 19:20:37 +00:00
volumes_sorted = HydrusTags.SortNumericTags( volumes )
2015-04-08 18:10:50 +00:00
2015-11-04 22:30:28 +00:00
title_string_append = 'volumes ' + str( volumes_sorted[0] ) + '-' + str( volumes_sorted[-1] )
2015-04-08 18:10:50 +00:00
if len( title_string ) > 0: title_string += ' - ' + title_string_append
else: title_string = title_string_append
if len( chapters ) > 0:
if len( chapters ) == 1:
( chapter, ) = chapters
2015-11-04 22:30:28 +00:00
title_string_append = 'chapter ' + str( chapter )
2015-04-08 18:10:50 +00:00
else:
2016-04-27 19:20:37 +00:00
chapters_sorted = HydrusTags.SortNumericTags( chapters )
2015-04-08 18:10:50 +00:00
2015-11-04 22:30:28 +00:00
title_string_append = 'chapters ' + str( chapters_sorted[0] ) + '-' + str( chapters_sorted[-1] )
2015-04-08 18:10:50 +00:00
if len( title_string ) > 0: title_string += ' - ' + title_string_append
else: title_string = title_string_append
if len( pages ) > 0:
if len( pages ) == 1:
( page, ) = pages
2015-11-04 22:30:28 +00:00
title_string_append = 'page ' + str( page )
2015-04-08 18:10:50 +00:00
else:
2016-04-27 19:20:37 +00:00
pages_sorted = HydrusTags.SortNumericTags( pages )
2015-04-08 18:10:50 +00:00
2015-11-04 22:30:28 +00:00
title_string_append = 'pages ' + str( pages_sorted[0] ) + '-' + str( pages_sorted[-1] )
2015-04-08 18:10:50 +00:00
if len( title_string ) > 0: title_string += ' - ' + title_string_append
else: title_string = title_string_append
return title_string
2015-03-18 21:46:29 +00:00
def HasArchive( self ): return not self._media_result.GetInbox()
def HasDuration( self ): return self._media_result.GetDuration() is not None and self._media_result.GetNumFrames() > 1
def HasImages( self ): return self.IsImage()
def HasInbox( self ): return self._media_result.GetInbox()
def IsCollection( self ): return False
2015-11-04 22:30:28 +00:00
def IsImage( self ): return self._media_result.GetMime() in HC.IMAGES
2015-03-18 21:46:29 +00:00
2015-11-04 22:30:28 +00:00
def IsNoisy( self ): return self._media_result.GetMime() in HC.NOISY_MIMES
2015-03-18 21:46:29 +00:00
def IsSizeDefinite( self ): return self._media_result.GetSize() is not None
class MediaResult( object ):
def __init__( self, tuple ):
2016-04-20 20:42:21 +00:00
# hash, inbox, size, mime, width, height, duration, num_frames, num_words, tags_manager, locations_manager, local_ratings, remote_ratings
2015-03-18 21:46:29 +00:00
self._tuple = tuple
def DeletePending( self, service_key ):
2016-04-20 20:42:21 +00:00
( hash, inbox, size, mime, width, height, duration, num_frames, num_words, tags_manager, locations_manager, local_ratings, remote_ratings ) = self._tuple
2015-03-18 21:46:29 +00:00
2015-09-16 18:11:00 +00:00
service = HydrusGlobals.client_controller.GetServicesManager().GetService( service_key )
2015-03-18 21:46:29 +00:00
service_type = service.GetServiceType()
if service_type == HC.TAG_REPOSITORY: tags_manager.DeletePending( service_key )
elif service_type in ( HC.FILE_REPOSITORY, HC.LOCAL_FILE ): locations_manager.DeletePending( service_key )
def GetHash( self ): return self._tuple[0]
2016-04-20 20:42:21 +00:00
def GetDuration( self ): return self._tuple[6]
2015-03-18 21:46:29 +00:00
def GetInbox( self ): return self._tuple[1]
2016-04-20 20:42:21 +00:00
def GetLocationsManager( self ): return self._tuple[10]
2015-03-18 21:46:29 +00:00
def GetMime( self ): return self._tuple[3]
2016-04-20 20:42:21 +00:00
def GetNumFrames( self ): return self._tuple[7]
2015-03-18 21:46:29 +00:00
2016-04-20 20:42:21 +00:00
def GetNumWords( self ): return self._tuple[8]
2015-03-18 21:46:29 +00:00
2016-04-20 20:42:21 +00:00
def GetRatings( self ): return ( self._tuple[11], self._tuple[12] )
2015-03-18 21:46:29 +00:00
2016-04-20 20:42:21 +00:00
def GetResolution( self ): return ( self._tuple[4], self._tuple[5] )
2015-03-18 21:46:29 +00:00
def GetSize( self ): return self._tuple[2]
2016-04-20 20:42:21 +00:00
def GetTagsManager( self ): return self._tuple[9]
2015-03-18 21:46:29 +00:00
def ProcessContentUpdate( self, service_key, content_update ):
( data_type, action, row ) = content_update.ToTuple()
2016-04-20 20:42:21 +00:00
( hash, inbox, size, mime, width, height, duration, num_frames, num_words, tags_manager, locations_manager, local_ratings, remote_ratings ) = self._tuple
2015-03-18 21:46:29 +00:00
2015-09-16 18:11:00 +00:00
service = HydrusGlobals.client_controller.GetServicesManager().GetService( service_key )
2015-03-18 21:46:29 +00:00
service_type = service.GetServiceType()
2016-03-16 22:19:14 +00:00
if service_type in HC.TAG_SERVICES: tags_manager.ProcessContentUpdate( service_key, content_update )
2016-02-24 21:42:54 +00:00
elif service_type in ( HC.FILE_REPOSITORY, HC.LOCAL_FILE, HC.IPFS ):
2015-03-18 21:46:29 +00:00
2015-07-15 20:28:26 +00:00
if service_type == HC.LOCAL_FILE:
2015-03-18 21:46:29 +00:00
2015-07-08 21:45:38 +00:00
if action == HC.CONTENT_UPDATE_ARCHIVE: inbox = False
2015-03-18 21:46:29 +00:00
elif action == HC.CONTENT_UPDATE_INBOX: inbox = True
2015-07-15 20:28:26 +00:00
if service_key == CC.LOCAL_FILE_SERVICE_KEY:
if action == HC.CONTENT_UPDATE_ADD and CC.TRASH_SERVICE_KEY not in locations_manager.GetCurrent():
inbox = True
elif service_key == CC.TRASH_SERVICE_KEY:
if action == HC.CONTENT_UPDATE_DELETE:
inbox = False
2016-04-20 20:42:21 +00:00
self._tuple = ( hash, inbox, size, mime, width, height, duration, num_frames, num_words, tags_manager, locations_manager, local_ratings, remote_ratings )
2015-03-18 21:46:29 +00:00
locations_manager.ProcessContentUpdate( service_key, content_update )
elif service_type in HC.RATINGS_SERVICES:
if service_type in ( HC.LOCAL_RATING_LIKE, HC.LOCAL_RATING_NUMERICAL ): local_ratings.ProcessContentUpdate( service_key, content_update )
else: remote_ratings.ProcessContentUpdate( service_key, content_update )
def ResetService( self, service_key ):
2016-04-20 20:42:21 +00:00
( hash, inbox, size, mime, width, height, duration, num_frames, num_words, tags_manager, locations_manager, local_ratings, remote_ratings ) = self._tuple
2015-03-18 21:46:29 +00:00
tags_manager.ResetService( service_key )
locations_manager.ResetService( service_key )
def ToTuple( self ): return self._tuple
2015-03-25 22:04:19 +00:00
class SortedList( object ):
def __init__( self, initial_items = None, sort_function = None ):
if initial_items is None: initial_items = []
do_sort = sort_function is not None
2016-01-20 23:57:33 +00:00
if sort_function is None:
sort_function = lambda x: x
2015-03-25 22:04:19 +00:00
self._sort_function = sort_function
self._sorted_list = list( initial_items )
self._items_to_indices = None
2016-01-20 23:57:33 +00:00
if do_sort:
self.sort()
2015-03-25 22:04:19 +00:00
2016-01-20 23:57:33 +00:00
def __contains__( self, item ):
return self._items_to_indices.__contains__( item )
2015-03-25 22:04:19 +00:00
2016-01-20 23:57:33 +00:00
def __getitem__( self, value ):
return self._sorted_list.__getitem__( value )
2015-03-25 22:04:19 +00:00
def __iter__( self ):
for item in self._sorted_list: yield item
2016-01-06 21:17:20 +00:00
def __len__( self ):
return self._sorted_list.__len__()
2015-03-25 22:04:19 +00:00
2016-01-06 21:17:20 +00:00
def _DirtyIndices( self ):
self._items_to_indices = None
2015-03-25 22:04:19 +00:00
2016-01-06 21:17:20 +00:00
def _RecalcIndices( self ):
self._items_to_indices = { item : index for ( index, item ) in enumerate( self._sorted_list ) }
2015-03-25 22:04:19 +00:00
def append_items( self, items ):
2016-01-06 21:17:20 +00:00
if self._items_to_indices is None:
self._RecalcIndices()
for ( i, item ) in enumerate( items, start = len( self._sorted_list ) ):
self._items_to_indices[ item ] = i
2015-03-25 22:04:19 +00:00
2016-01-06 21:17:20 +00:00
self._sorted_list.extend( items )
2015-03-25 22:04:19 +00:00
def index( self, item ):
2016-01-06 21:17:20 +00:00
if self._items_to_indices is None:
self._RecalcIndices()
2015-03-25 22:04:19 +00:00
try:
result = self._items_to_indices[ item ]
except KeyError:
2016-02-17 22:06:47 +00:00
raise HydrusExceptions.DataMissing()
2015-03-25 22:04:19 +00:00
return result
def insert_items( self, items ):
self.append_items( items )
self.sort()
def remove_items( self, items ):
deletee_indices = [ self.index( item ) for item in items ]
deletee_indices.sort()
deletee_indices.reverse()
2016-01-20 23:57:33 +00:00
for index in deletee_indices:
del self._sorted_list[ index ]
2015-03-25 22:04:19 +00:00
self._DirtyIndices()
def sort( self, f = None ):
2016-01-20 23:57:33 +00:00
if f is not None:
self._sort_function = f
2015-03-25 22:04:19 +00:00
self._sorted_list.sort( key = f )
self._DirtyIndices()
2015-03-18 21:46:29 +00:00
2015-08-05 18:42:35 +00:00
class TagsManagerSimple( object ):
def __init__( self, service_keys_to_statuses_to_tags ):
self._service_keys_to_statuses_to_tags = service_keys_to_statuses_to_tags
self._combined_namespaces_cache = None
def GetCombinedNamespaces( self, namespaces ):
if self._combined_namespaces_cache is None:
combined_statuses_to_tags = self._service_keys_to_statuses_to_tags[ CC.COMBINED_TAG_SERVICE_KEY ]
combined_current = combined_statuses_to_tags[ HC.CURRENT ]
combined_pending = combined_statuses_to_tags[ HC.PENDING ]
self._combined_namespaces_cache = HydrusData.BuildKeyToSetDict( tag.split( ':', 1 ) for tag in combined_current.union( combined_pending ) if ':' in tag )
result = { namespace : self._combined_namespaces_cache[ namespace ] for namespace in namespaces }
return result
def GetComparableNamespaceSlice( self, namespaces, collapse_siblings = False ):
combined_statuses_to_tags = self._service_keys_to_statuses_to_tags[ CC.COMBINED_TAG_SERVICE_KEY ]
combined_current = combined_statuses_to_tags[ HC.CURRENT ]
combined_pending = combined_statuses_to_tags[ HC.PENDING ]
combined = combined_current.union( combined_pending )
2015-09-16 18:11:00 +00:00
siblings_manager = HydrusGlobals.client_controller.GetManager( 'tag_siblings' )
2015-08-05 18:42:35 +00:00
slice = []
for namespace in namespaces:
tags = [ tag for tag in combined if tag.startswith( namespace + ':' ) ]
if collapse_siblings: tags = list( siblings_manager.CollapseTags( tags ) )
tags = [ tag.split( ':', 1 )[1] for tag in tags ]
2016-04-27 19:20:37 +00:00
tags = HydrusTags.SortNumericTags( tags )
2015-08-05 18:42:35 +00:00
tags = tuple( ( HydrusTags.ConvertTagToSortable( tag ) for tag in tags ) )
slice.append( tags )
return tuple( slice )
def GetNamespaceSlice( self, namespaces, collapse_siblings = False ):
combined_statuses_to_tags = self._service_keys_to_statuses_to_tags[ CC.COMBINED_TAG_SERVICE_KEY ]
combined_current = combined_statuses_to_tags[ HC.CURRENT ]
combined_pending = combined_statuses_to_tags[ HC.PENDING ]
slice = { tag for tag in combined_current.union( combined_pending ) if True in ( tag.startswith( namespace + ':' ) for namespace in namespaces ) }
if collapse_siblings:
2015-09-16 18:11:00 +00:00
siblings_manager = HydrusGlobals.client_controller.GetManager( 'tag_siblings' )
2015-08-05 18:42:35 +00:00
slice = siblings_manager.CollapseTags( slice )
slice = frozenset( slice )
return slice
class TagsManager( TagsManagerSimple ):
def __init__( self, service_keys_to_statuses_to_tags ):
TagsManagerSimple.__init__( self, service_keys_to_statuses_to_tags )
self._RecalcCombined()
def _RecalcCombined( self ):
combined_statuses_to_tags = collections.defaultdict( set )
for ( service_key, statuses_to_tags ) in self._service_keys_to_statuses_to_tags.items():
if service_key == CC.COMBINED_TAG_SERVICE_KEY: continue
combined_statuses_to_tags[ HC.CURRENT ].update( statuses_to_tags[ HC.CURRENT ] )
combined_statuses_to_tags[ HC.PENDING ].update( statuses_to_tags[ HC.PENDING ] )
2015-11-11 21:20:41 +00:00
combined_statuses_to_tags[ HC.PETITIONED ].update( statuses_to_tags[ HC.PETITIONED ] )
combined_statuses_to_tags[ HC.DELETED ].update( statuses_to_tags[ HC.DELETED ] )
2015-08-05 18:42:35 +00:00
self._service_keys_to_statuses_to_tags[ CC.COMBINED_TAG_SERVICE_KEY ] = combined_statuses_to_tags
self._combined_namespaces_cache = None
def DeletePending( self, service_key ):
statuses_to_tags = self._service_keys_to_statuses_to_tags[ service_key ]
if len( statuses_to_tags[ HC.PENDING ] ) + len( statuses_to_tags[ HC.PETITIONED ] ) > 0:
statuses_to_tags[ HC.PENDING ] = set()
statuses_to_tags[ HC.PETITIONED ] = set()
self._RecalcCombined()
def GetCurrent( self, service_key = CC.COMBINED_TAG_SERVICE_KEY ):
statuses_to_tags = self._service_keys_to_statuses_to_tags[ service_key ]
return set( statuses_to_tags[ HC.CURRENT ] )
def GetDeleted( self, service_key = CC.COMBINED_TAG_SERVICE_KEY ):
statuses_to_tags = self._service_keys_to_statuses_to_tags[ service_key ]
return set( statuses_to_tags[ HC.DELETED ] )
def GetNumTags( self, service_key, include_current_tags = True, include_pending_tags = False ):
num_tags = 0
statuses_to_tags = self.GetStatusesToTags( service_key )
if include_current_tags: num_tags += len( statuses_to_tags[ HC.CURRENT ] )
if include_pending_tags: num_tags += len( statuses_to_tags[ HC.PENDING ] )
return num_tags
def GetPending( self, service_key = CC.COMBINED_TAG_SERVICE_KEY ):
statuses_to_tags = self._service_keys_to_statuses_to_tags[ service_key ]
return set( statuses_to_tags[ HC.PENDING ] )
def GetPetitioned( self, service_key = CC.COMBINED_TAG_SERVICE_KEY ):
statuses_to_tags = self._service_keys_to_statuses_to_tags[ service_key ]
return set( statuses_to_tags[ HC.PETITIONED ] )
def GetServiceKeysToStatusesToTags( self ): return self._service_keys_to_statuses_to_tags
def GetStatusesToTags( self, service_key ): return self._service_keys_to_statuses_to_tags[ service_key ]
def HasTag( self, tag ):
combined_statuses_to_tags = self._service_keys_to_statuses_to_tags[ CC.COMBINED_TAG_SERVICE_KEY ]
return tag in combined_statuses_to_tags[ HC.CURRENT ] or tag in combined_statuses_to_tags[ HC.PENDING ]
def ProcessContentUpdate( self, service_key, content_update ):
statuses_to_tags = self._service_keys_to_statuses_to_tags[ service_key ]
( data_type, action, row ) = content_update.ToTuple()
if action == HC.CONTENT_UPDATE_PETITION: ( tag, hashes, reason ) = row
else: ( tag, hashes ) = row
if action == HC.CONTENT_UPDATE_ADD:
statuses_to_tags[ HC.CURRENT ].add( tag )
statuses_to_tags[ HC.DELETED ].discard( tag )
statuses_to_tags[ HC.PENDING ].discard( tag )
elif action == HC.CONTENT_UPDATE_DELETE:
statuses_to_tags[ HC.DELETED ].add( tag )
statuses_to_tags[ HC.CURRENT ].discard( tag )
statuses_to_tags[ HC.PETITIONED ].discard( tag )
2015-12-09 23:16:41 +00:00
elif action == HC.CONTENT_UPDATE_PEND:
if tag not in statuses_to_tags[ HC.CURRENT ]:
statuses_to_tags[ HC.PENDING ].add( tag )
2015-09-23 21:21:02 +00:00
elif action == HC.CONTENT_UPDATE_RESCIND_PEND: statuses_to_tags[ HC.PENDING ].discard( tag )
2015-12-09 23:16:41 +00:00
elif action == HC.CONTENT_UPDATE_PETITION:
if tag in statuses_to_tags[ HC.CURRENT ]:
statuses_to_tags[ HC.PETITIONED ].add( tag )
2015-08-05 18:42:35 +00:00
elif action == HC.CONTENT_UPDATE_RESCIND_PETITION: statuses_to_tags[ HC.PETITIONED ].discard( tag )
self._RecalcCombined()
def ResetService( self, service_key ):
if service_key in self._service_keys_to_statuses_to_tags:
del self._service_keys_to_statuses_to_tags[ service_key ]
self._RecalcCombined()
2015-03-18 21:46:29 +00:00