-
Notifications
You must be signed in to change notification settings - Fork 0
/
flickrexplorer.py
1818 lines (1569 loc) · 74.1 KB
/
flickrexplorer.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# -*- coding: utf-8 -*-
# Python3-Kompatibilität:
from __future__ import absolute_import # sucht erst top-level statt im akt. Verz.
from __future__ import division # // -> int, / -> float
from __future__ import print_function # PYTHON2-Statement -> Funktion
from kodi_six import xbmc, xbmcaddon, xbmcplugin, xbmcgui, xbmcvfs
# o. Auswirkung auf die unicode-Strings in PYTHON3:
from kodi_six.utils import py2_encode, py2_decode
import os, sys
PYTHON2 = sys.version_info.major == 2
PYTHON3 = sys.version_info.major == 3
if PYTHON2:
from urllib import quote, unquote, quote_plus, unquote_plus, urlencode, urlretrieve
from urllib2 import Request, urlopen, URLError
from urlparse import urljoin, urlparse, urlunparse, urlsplit, parse_qs
elif PYTHON3:
from urllib.parse import quote, unquote, quote_plus, unquote_plus, urlencode, urljoin, urlparse, urlunparse, urlsplit, parse_qs
from urllib.request import Request, urlopen, urlretrieve
from urllib.error import URLError
try: # https://github.com/xbmc/xbmc/pull/18345 (Matrix 19.0-alpha 2)
xbmc.translatePath = xbmcvfs.translatePath
except:
pass
# Python
import ssl # HTTPS-Handshake
from io import BytesIO # Python2+3 -> get_page (compressed Content), Ersatz für StringIO
import gzip, zipfile
from threading import Thread # thread_getpic
import shutil # thread_getpic
import json # json -> Textstrings
import re # u.a. Reguläre Ausdrücke
import math # für math.ceil (aufrunden)
import resources.lib.updater as updater
# Addonmodule + Funktionsziele (util_imports.py)
import resources.lib.util_flickr as util
PLog=util.PLog; check_DataStores=util.check_DataStores; make_newDataDir=util. make_newDataDir;
Dict=util.Dict; name=util.name; ClearUp=util.ClearUp;
UtfToStr=util.UtfToStr; addDir=util.addDir; R=util.R; RLoad=util.RLoad; RSave=util.RSave;
repl_json_chars=util.repl_json_chars; mystrip=util.mystrip; DirectoryNavigator=util.DirectoryNavigator;
stringextract=util.stringextract; blockextract=util.blockextract;
cleanhtml=util.cleanhtml; decode_url=util.decode_url; unescape=util.unescape;
transl_json=util.transl_json; repl_json_chars=util.repl_json_chars; seconds_translate=util.seconds_translate;
get_keyboard_input=util.get_keyboard_input; L=util.L; RequestUrl=util.RequestUrl; PlayVideo=util.PlayVideo;
make_filenames=util.make_filenames; CheckStorage=util.CheckStorage; MyDialog=util.MyDialog;
del_slides=util.del_slides;
# +++++ FlickrExplorer - Addon Kodi-Version, migriert von der Plexmediaserver-Version +++++
VERSION = '0.7.6'
VDATE = '05.04.2023'
#
#
#
# (c) 2019 by Roland Scholz, [email protected]
#
# Licensed under MIT License (MIT)
# (previously licensed under GPL 3.0)
# A copy of the License you find here:
# https://github.com/rols1/Kodi-Addon-FlickrExplorer/blob/master/LICENSE.md
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED,
# INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR
# PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE
# FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
# OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
# DEALINGS IN THE SOFTWARE.
# Flickr: https://www.flickr.com/
# Wikipedia: https://de.wikipedia.org/wiki/Flickr
FANART = 'art-flickr.png' # Hintergrund
ICON_FLICKR = 'icon-flickr.png'
ICON_SEARCH = 'icon-search.png'
ICON_FOLDER = 'Dir-folder.png'
ICON_OK = "icon-ok.png"
ICON_WARNING = "icon-warning.png"
ICON_NEXT = "icon-next.png"
ICON_CANCEL = "icon-error.png"
ICON_MEHR = "icon-mehr.png"
ICON_MEHR_1 = "icon-mehr_1.png"
ICON_MEHR_10 = "icon-mehr_10.png"
ICON_MEHR_100 = "icon-mehr_100.png"
ICON_MEHR_500 = "icon-mehr_500.png"
ICON_WENIGER_1 = "icon-weniger_1.png"
ICON_WENIGER_10 = "icon-weniger_10.png"
ICON_WENIGER_100 = "icon-weniger_100.png"
ICON_WENIGER_500 = "icon-weniger_500.png"
ICON_WORK = "icon-work.png"
ICON_GALLERY = "icon-gallery.png"
ICON_MAIN_UPDATER = 'plugin-update.png'
ICON_UPDATER_NEW = 'plugin-update-new.png'
ICON_INFO = "icon-info.png"
NAME = 'FlickrExplorer'
BASE = "https://www.flickr.com"
GALLERY_PATH = "https://www.flickr.com/photos/flickr/galleries/"
PHOTO_PATH = "https://www.flickr.com/photos/"
REPO_NAME = 'Kodi-Addon-FlickrExplorer'
GITHUB_REPOSITORY = 'rols1/' + REPO_NAME
REPO_URL = 'https://github.com/{0}/releases/latest'.format(GITHUB_REPOSITORY)
PLog('Addon: lade Code')
PluginAbsPath = os.path.dirname(os.path.abspath(__file__)) # abs. Pfad für Dateioperationen
RESOURCES_PATH = os.path.join("%s", 'resources') % PluginAbsPath
ADDON_ID = 'plugin.image.flickrexplorer'
SETTINGS = xbmcaddon.Addon(id=ADDON_ID)
ADDON_NAME = SETTINGS.getAddonInfo('name')
SETTINGS_LOC = SETTINGS.getAddonInfo('profile')
ADDON_PATH = SETTINGS.getAddonInfo('path')
ADDON_VERSION = SETTINGS.getAddonInfo('version')
PLUGIN_URL = sys.argv[0]
HANDLE = int(sys.argv[1])
PLog("ICON: " + R(ICON_FLICKR))
TEMP_ADDON = xbmc.translatePath("special://temp")
USERDATA = xbmc.translatePath("special://userdata")
ADDON_DATA = os.path.join("%s", "%s", "%s") % (USERDATA, "addon_data", ADDON_ID)
PLog("ADDON_DATA: " + ADDON_DATA)
DICTSTORE = os.path.join("%s/Dict") % ADDON_DATA
SLIDESTORE = os.path.join("%s/slides") % ADDON_DATA
PLog(DICTSTORE);
check = check_DataStores() # Check /Initialisierung / Migration
PLog('check: ' + str(check))
try: # 28.11.2019 exceptions.IOError möglich, Bsp. iOS ARM (Thumb) 32-bit
from platform import system, architecture, machine, release, version # Debug
OS_SYSTEM = system()
OS_ARCH_BIT = architecture()[0]
OS_ARCH_LINK = architecture()[1]
OS_MACHINE = machine()
OS_RELEASE = release()
OS_VERSION = version()
OS_DETECT = OS_SYSTEM + '-' + OS_ARCH_BIT + '-' + OS_ARCH_LINK
OS_DETECT += ' | host: [%s][%s][%s]' %(OS_MACHINE, OS_RELEASE, OS_VERSION)
except:
OS_DETECT =''
KODI_VERSION = xbmc.getInfoLabel('System.BuildVersion')
PLog('Addon: ClearUp')
ARDStartCacheTime = 300 # 5 Min.
# Dict: Simpler Ersatz für Dict-Modul aus Plex-Framework
days = SETTINGS.getSetting('DICT_store_days')
if days == 'delete': # slides-Ordner löschen
del_slides(SLIDESTORE)
SETTINGS.setSetting('DICT_store_days','100')
xbmc.sleep(100)
days = 100
else:
days = int(days)
Dict('ClearUp', days) # Dict bereinigen
####################################################################################################
# Auswahl Sprachdatei / Browser-locale-setting
# Locale-Probleme unter Plex s. Plex-Version
# hier Ersatz der Plex-Funktion Locale.LocalString durch einfachen Textvergleich -
# s. util.L
# Kodi aktualisiert nicht autom., daher Aktualsierung jeweils in home.
def ValidatePrefs():
PLog('ValidatePrefs:')
try:
lang = SETTINGS.getSetting('language').split('/') # Format Bsp.: "English/en/en_GB"
loc = str(lang[1]) # en
if len(lang) >= 2:
loc_browser = str(lang[2]) # en_GB
else:
loc_browser = loc # Kennungen identisch
except Exception as exception:
PLog(repr(exception))
loc = 'en' # Fallback (Problem Setting)
loc_browser = 'en-US'
loc_file = os.path.join("%s", "%s", "%s") % (RESOURCES_PATH, "Strings", '%s.json' % loc)
PLog(loc_file)
if os.path.exists(loc_file) == False: # Fallback Sprachdatei: englisch
loc_file = os.path.join("%s", "%s", "%s") % (RESOURCES_PATH, "Strings", 'en.json')
Dict('store', 'loc', loc)
Dict('store', 'loc_file', loc_file)
Dict('store', 'loc_browser', loc_browser)
PLog('loc: %s' % loc)
PLog('loc_file: %s' % loc_file)
PLog('loc_browser: %s' % loc_browser)
####################################################################################################
def Main():
PLog('Main:');
PLog('Addon-Version: ' + VERSION); PLog('Addon-Datum: ' + VDATE)
PLog(OS_DETECT)
PLog('Addon-Python-Version: %s' % sys.version)
PLog('Kodi-Version: %s' % KODI_VERSION)
PLog(PluginAbsPath)
ValidatePrefs()
li = xbmcgui.ListItem()
title=L('Suche') + ': ' + L('im oeffentlichen Inhalt')
fparams="&fparams={}"
addDir(li=li, label=title, action="dirList", dirID="Search", fanart=R(ICON_SEARCH), thumb=R(ICON_SEARCH),
fparams=fparams, summary=L('Suchbegriff im Suchfeld eingeben und Return druecken'))
if SETTINGS.getSetting('username'): # Menü MyFlickr für angemeldete User
summ = 'User: ' + SETTINGS.getSetting('username')
fparams="&fparams={}"
addDir(li=li, label='MyFlickr', action="dirList", dirID="MyMenu", fanart=R('icon-my.png'), thumb=R('icon-my.png'),
fparams=fparams, summary=summ)
title=L('Photostream')
summ = L('Fotos') + ' ' + L('im oeffentlichen Inhalt')
fparams="&fparams={'query': 'None', 'user_id': 'None'}"
addDir(li=li, label=title, action="dirList", dirID="Search_Work", fanart=R('icon-stream.png'), thumb=R('icon-stream.png'),
fparams=fparams, summary=summ)
title = L('Web Galleries')
fparams="&fparams={'pagenr': '1'}"
addDir(li=li, label=title, action="dirList", dirID="WebGalleries", fanart=R(ICON_GALLERY), thumb=R(ICON_GALLERY),
fparams=fparams)
title = L('Flickr Nutzer')
tag = L("Suche Nutzer und ihre Inhalte") + ': [B]%s[/B]' % str(SETTINGS.getSetting('FlickrPeople'))
summ = L(u"Der Name für FlickrPeople kann im Setting geändert werden")
fparams="&fparams={}"
addDir(li=li, label=title, action="dirList", dirID="FlickrPeople", fanart=R('icon-user.png'), thumb=R('icon-user.png'),
fparams=fparams, tagline=tag, summary=summ)
# Updater-Modul einbinden:
repo_url = 'https://github.com/{0}/releases/'.format(GITHUB_REPOSITORY)
call_update = False
if SETTINGS.getSetting('pref_info_update') == 'true': # Updatehinweis beim Start des Addons
ret = updater.update_available(VERSION)
if ret[0] == False:
msg1 = L("Github ist nicht errreichbar")
msg2 = 'update_available: False'
PLog("%s | %s" % (msg1, msg2))
MyDialog(msg1, msg2, '')
else:
int_lv = ret[0] # Version Github
int_lc = ret[1] # Version aktuell
latest_version = ret[2] # Version Github, Format 1.4.1
if int_lv > int_lc: # Update-Button "installieren" zeigen
call_update = True
title = 'neues Update vorhanden - jetzt installieren'
summary = 'Addon aktuell: ' + VERSION + ', neu auf Github: ' + latest_version
# Bsp.: https://github.com/rols1/Kodi-Addon-ARDundZDF/releases/download/0.5.4/Kodi-Addon-ARDundZDF.zip
url = 'https://github.com/{0}/releases/download/{1}/{2}.zip'.format(GITHUB_REPOSITORY, latest_version, REPO_NAME)
url=py2_encode(url);
fparams="&fparams={'url': '%s', 'ver': '%s'}" % (quote_plus(url), latest_version)
addDir(li=li, label=title, action="dirList", dirID="resources.lib.updater.update", fanart=R(FANART),
thumb=R(ICON_UPDATER_NEW), fparams=fparams, summary=summary)
if call_update == False: # Update-Button "Suche" zeigen
title = 'Addon-Update | akt. Version: ' + VERSION + ' vom ' + VDATE
summary='Suche nach neuen Updates starten'
tagline='Bezugsquelle: ' + repo_url
fparams="&fparams={'title': 'Addon-Update'}"
addDir(li=li, label=title, action="dirList", dirID="SearchUpdate", fanart=R(FANART),
thumb=R(ICON_MAIN_UPDATER), fparams=fparams, summary=summary, tagline=tagline)
# Info-Button
summary = L('Stoerungsmeldungen an Forum oder [email protected]')
tagline = u'für weitere Infos (changelog.txt) klicken'
path = os.path.join(ADDON_PATH, "changelog.txt")
title = u"Änderungsliste (changelog.txt)"
path=py2_encode(path); title=py2_encode(title);
fparams="&fparams={'path': '%s', 'title': '%s'}" % (quote(path), quote(title))
addDir(li=li, label='Info', action="dirList", dirID="ShowText", fanart=R(FANART), thumb=R(ICON_INFO),
fparams=fparams, summary=summary, tagline=tagline)
xbmcplugin.endOfDirectory(HANDLE, cacheToDisc=False)
#----------------------------------------------------------------
def ShowText(path, title):
PLog('ShowText:');
page = RLoad(path, abs_path=True)
page = page.replace('\t', ' ') # ersetze Tab's durch Blanks
dialog = xbmcgui.Dialog()
dialog.textviewer(title, page)
return
#----------------------------------------------------------------
# sender neu belegt in Senderwahl (Classic: deaktiviert)
####################################################################################################
# Doppelnutzung MyMenu: SETTINGS.getSetting('username') + FlickrPeople
#
# Rücksprung aus MyMenu/User -> Main
# Rücksprung aus MyMenu/SETTINGS.getSetting('username') -> FlickrPeople
# Rücksprung aus Untermenüs ohne user_id -> Main
# Rücksprung aus Untermenüs mit user_id -> MyMenu
#
def home(li,user_id,username='', returnto=''):
PLog('home:') # eingetragener User (Einstellungen)
PLog('user_id: %s, username: %s, returnto: %s' % (str(user_id), str(username), str(returnto)))
li = xbmcgui.ListItem()
if returnto == 'FlickrPeople': # MyMenu -> FlickrPeople
title = py2_decode(L('Zurueck zu')) + ' ' + py2_decode(L('Flickr Nutzer'))
fparams="&fparams={}"
addDir(li=li, label=title, action="dirList", dirID="FlickrPeople", fanart=R('homePeople.png'),
thumb=R('homePeople.png'), fparams=fparams)
return li
if returnto == 'Main':
title = L('Zurueck zum Hauptmenue') # MyMenu -> Hauptmenue
fparams="&fparams={}"
addDir(li=li, label=title, action="dirList", dirID="Main", fanart=R('home.png'),
thumb=R('home.png'), fparams=fparams)
return li
if user_id: # Untermenüs: User (SETTINGS.getSetting('username') oder Flickr People)
if username == '':
user_id,nsid,username,realname = GetUserID(user_id)
title = py2_decode(L('Zurueck zu')) + ' ' + username
username=py2_encode(username); user_id=py2_encode(user_id);
fparams="&fparams={'username': '%s', 'user_id': '%s'}" % (quote(username), quote(user_id))
addDir(li=li, label=title, action="dirList", dirID="MyMenu", fanart=R('homePeople.png'),
thumb=R('homePeople.png'), fparams=fparams)
return li
title = L('Zurueck zum Hauptmenue') # Untermenüs: ohne user_id
fparams="&fparams={}"
addDir(li=li, label=title, action="dirList", dirID="Main", fanart=R('home.png'), thumb=R('home.png'), fparams=fparams)
return li
####################################################################################################
# Userabhängige Menüs
# 2-fache Verwendung:
# 1. Aufrufer Main - für den User aus Einstellungen SETTINGS.getSetting('username')
# 2. Aufrufer FlickrPeople - für einen ausgewählten User aus FlickrPeople
#
def MyMenu(username='',user_id=''):
PLog('MyMenu:')
PLog('user_id: %s, username: %s' % (str(user_id), str(username)))
if username=='' and user_id=='': # aus Main, User aus Einstellungen
if SETTINGS.getSetting('username'):
user = SETTINGS.getSetting('username').strip()
user_id,nsid,username,realname = GetUserID(user)
# Ergebnis zusätzl. in Dicts (nicht bei ausgewählten usern (FlickrPeople):
Dict('store', 'user', user); Dict('store', 'nsid', nsid); Dict('store', 'username', username);
Dict('store', 'realname', realname);
PLog('user_id: %s, nsid: %s, username: %s, realname: %s' % (user_id,nsid,username,realname))
if 'User not found' in user_id: # err code aus GetUserID
msg1 = L("User not found") + ': %s' % user
MyDialog(msg1, '', '')
return
PLog(Dict('load','nsid'))
nsid = user_id
if nsid == Dict('load','nsid'):
returnto ='Main'
else:
returnto ='FlickrPeople'
li = xbmcgui.ListItem()
li = home(li, user_id=user_id, returnto=returnto) # Home-Button
title = 'Search: content owned by %s' % (username)
summ = L('Suche') + ' ' + L('Fotos')
title=py2_encode(title);
fparams="&fparams={'user_id': '%s', 'title': '%s'}" % (nsid, quote(title))
addDir(li=li, label=title, action="dirList", dirID="Search", fanart=R(ICON_SEARCH), thumb=R(ICON_SEARCH),
fparams=fparams, summary=summ)
title='%s: Photostream' % username
fparams="&fparams={'query': '%s', 'user_id': '%s'}" % (quote('&Photostream&'), nsid)
addDir(li=li, label=title, action="dirList", dirID="Search_Work", fanart=R('icon-stream.png'), thumb=R('icon-stream.png'),
fparams=fparams, summary=title)
title='%s: Albums' % username
title=py2_encode(title);
fparams="&fparams={'title': '%s', 'user_id': '%s', 'pagenr': '1'}" % ( quote(title), nsid)
addDir(li=li, label=title, action="dirList", dirID="MyAlbums", fanart=R('icon-album.png'), thumb=R('icon-album.png'),
fparams=fparams, summary=title)
title='%s: Galleries' % username
title=py2_encode(title);
fparams="&fparams={'title': '%s', 'user_id': '%s'}" % (quote(title), nsid)
addDir(li=li, label=title, action="dirList", dirID="MyGalleries", fanart=R('icon-gallery.png'),
thumb=R('icon-gallery.png'), fparams=fparams, summary=title)
title='%s: Faves' % username
fparams="&fparams={'query': '%s', 'user_id': '%s'}" % (quote('&Faves&'), nsid)
addDir(li=li, label=title, action="dirList", dirID="Search_Work", fanart=R('icon-fav.png'), thumb=R('icon-fav.png'),
fparams=fparams, summary=title)
xbmcplugin.endOfDirectory(HANDLE, cacheToDisc=False)
#------------------------------------------------------------------------------------------
# Begrenzung der Anzahl auf 100 festgelegt. Keine Vorgabe in Einstellungen, da Flickr unterschiedlich mit
# den Mengen umgeht (seitenweise, einzeln, ohne). Z.B. in galleries.getList nur 1 Seite - Mehr-Sprünge daher
# mit max_count=100.
# Flickr-Ausgabe im xml-Format.
def MyGalleries(title, user_id, offset=0):
PLog('MyGalleries:'); PLog('offset: ' + str(offset))
offset = int(offset)
title_org = title
max_count = 100 # Begrenzung fest wie Flickr Default
path = BuildPath(method='flickr.galleries.getList', query_flickr='', user_id=user_id, pagenr=1)
page, msg = RequestUrl(CallerName='MyGalleries', url=path)
if page == '':
msg1 = msg
MyDialog(msg1, '', '')
return
PLog(page[:100])
cnt = stringextract('total="', '"', page) # im Header
pages = stringextract('pages="', '"', page)
PLog('Galleries: %s, Seiten: %s' % (cnt, pages))
if cnt == '0' or pages == '':
msg1 = L('Keine Gallerien gefunden')
MyDialog(msg1, '', '')
return
li = xbmcgui.ListItem()
li = home(li, user_id=user_id) # Home-Button
records = blockextract('<gallery id', '', page)
pagemax = int(len(records))
PLog('total: ' + str(pagemax))
i=0 + offset
loop_i = 0 # Schleifenzähler
# PLog(records[i])
for r in records:
title = stringextract('<title>', '</title>', records[i])
title = unescape(title)
url = stringextract('url="', '"', records[i])
username = stringextract('username="', '"', records[i])
count_photos = stringextract('count_photos="', '"', records[i])
summ = '%s: %s %s' % (username, count_photos, L('Fotos'))
img_src = R(ICON_FLICKR)
i=i+1; loop_i=loop_i+1
if i >= pagemax:
break
if loop_i > max_count:
break
gallery_id = url.split('/')[-1] # Bsp. 72157697209149355
if url.endswith('/'):
gallery_id = url.split('/')[-2] # Url-Ende bei FlickrPeople ohne /
PLog(i); PLog(url);PLog(title);PLog(img_src); PLog(gallery_id);
title=py2_encode(title);
fparams="&fparams={'title': '%s', 'gallery_id': '%s', 'user_id': '%s'}" % (quote(title), gallery_id, user_id)
addDir(li=li, label=title, action="dirList", dirID="Gallery_single", fanart=R(img_src), thumb=R(img_src),
fparams=fparams, summary=summ)
PLog(offset); PLog(pagemax); # pagemax hier Anzahl Galleries
tag = 'total: %s ' % pagemax + L('Galerien')
name = title_org
if (int(offset)+100) < int(pagemax):
offset = min(int(offset) +100, pagemax)
PLog(offset)
title_org=py2_encode(title_org);
fparams="&fparams={'title': '%s', 'offset': '%s'}" % (quote(title_org), offset)
addDir(li=li, label=title_org, action="dirList", dirID="MyGalleries", fanart=R(ICON_MEHR_100),
thumb=R(ICON_MEHR_100), fparams=fparams, summary=L('Mehr (+ 100)'), tagline=tag)
# weniger
if int(offset) > 100:
offset = max(int(offset)-100-max_count, 0)
PLog(offset)
title_org=py2_encode(title_org);
fparams="&fparams={'title': '%s', 'offset': '%s'}" % (quote(title_org), offset)
addDir(li=li, label=title_org, action="dirList", dirID="MyGalleries", fanart=R(ICON_WENIGER_100),
thumb=R(ICON_WENIGER_100), fparams=fparams, summary=L('Weniger (- 100)'), tagline=tag)
xbmcplugin.endOfDirectory(HANDLE, cacheToDisc=True)
#------------------------------------------------------------------------------------------
# Bezeichnung in Flickr-API: Photosets
# Mehrere Seiten - anders als MyGalleries
# Flickr-Ausgabe im xml-Format.
# Workflow:
# MyAlbums -> MyAlbumsSingle -> BuildPath -> BuildPages -> SeparateVideos -> ShowPhotoObject
#
def MyAlbums(title, user_id, pagenr):
PLog('MyAlbums:'); PLog('page: ' + str(pagenr))
title_org = title # title_org: Username
path = BuildPath(method='flickr.photosets.getList', query_flickr='', user_id=user_id, pagenr=pagenr)
page, msg = RequestUrl(CallerName='MyAlbums', url=path)
if page == '':
msg1 = msg
MyDialog(msg1, '', '')
return
PLog(page[:100])
pages = stringextract('pages="', '"', page) # im Header, Anz. Seiten
alben_max = stringextract('total="', '"', page) # im Header
perpage = stringextract('perpage="', '"', page) # im Header
thispagenr = stringextract('page="', '"', page) # im Header, sollte pagenr entsprechen
PLog('Alben: %s, Seite: %s von %s, perpage: %s' % (alben_max, thispagenr, pages, perpage))
name = '%s %s/%s' % (L('Seite'), pagenr, pages)
li = xbmcgui.ListItem()
li = home(li, user_id=user_id) # Home-Button
if alben_max == '0':
msg1 = L('Keine Alben gefunden')
MyDialog(msg1, '', '')
return
records = blockextract('<photoset id', '', page)
PLog('records: ' + str(len(records)))
for rec in records:
title = stringextract('<title>', '</title>', rec)
photoset_id = stringextract('id="', '"', rec)
description = stringextract('description="', '"', rec)
count_photos = stringextract('photos="', '"', rec)
secret = stringextract('secret=\"', '\"', rec)
serverid = stringextract('server=\"', '\"', rec)
farmid = stringextract('farm=\"', '\"', rec)
title=unescape(title); title=repl_json_chars(title)
# Url-Format: https://www.flickr.com/services/api/misc.urls.html
# thumb_src = 'https://farm%s.staticflickr.com/%s/%s_%s_z.jpg' % (farmid, serverid, photoset_id, secret) # m=small (240)
# Anforderung Url-Set in BuildPath -> BuildExtras
thumb_src = stringextract('url_z="', '"', rec) # z=640
summ = "%s %s (%s)" % (count_photos, L('Fotos'), title_org) # Anzahl stimmt nicht
if description:
summ = '%s | %s' % (summ, description)
img_src = R(ICON_FLICKR)
PLog('1Satz:')
PLog(title);PLog(photoset_id);PLog(thumb_src);
title=py2_encode(title);
fparams="&fparams={'title': '%s', 'photoset_id': '%s', 'user_id': '%s'}" % (quote(title), photoset_id,
user_id)
addDir(li=li, label=title, action="dirList", dirID="MyAlbumsSingle", fanart=thumb_src, thumb=thumb_src,
fparams=fparams, summary=summ)
# auf mehr prüfen:
PLog(pagenr); PLog(pages);
page_next = int(pagenr) + 1
tag = 'total: %s %s, %s %s ' % (alben_max, L('Alben'), pages, L('Seiten'))
title_org=py2_encode(title_org);
if page_next <= int(pages):
fparams="&fparams={'title': '%s', 'user_id': '%s', 'pagenr': '%s'}" % (quote(title_org), user_id, int(page_next))
addDir(li=li, label=title_org, action="dirList", dirID="MyAlbums", fanart=R(ICON_MEHR_1), thumb=R(ICON_MEHR_1),
fparams=fparams, summary=L('Mehr (+ 1)'), tagline=tag)
if (page_next+10) < int(pages):
fparams="&fparams={'title': '%s', 'user_id': '%s', 'pagenr': '%s'}" % (quote(title_org), user_id, int(page_next))
addDir(li=li, label=title_org, action="dirList", dirID="MyAlbums", fanart=R(ICON_MEHR_10), thumb=R(ICON_MEHR_10),
fparams=fparams, summary=L('Mehr (+ 10)'), tagline=tag)
if (page_next+100) < int(pages):
fparams="&fparams={'title': '%s', 'user_id': '%s', 'pagenr': '%s'}" % (quote(title_org), user_id, int(page_next))
addDir(li=li, label=title_org, action="dirList", dirID="MyAlbums", fanart=R(ICON_MEHR_100), thumb=R(ICON_MEHR_100),
fparams=fparams, summary=L('Mehr (+ 100)'), tagline=tag)
# weniger
page_next = int(pagenr) - 1
if page_next >= 1:
page_next = page_next - 1
fparams="&fparams={'title': '%s', 'user_id': '%s', 'pagenr': '%s'}" % (quote(title_org), user_id, int(page_next))
addDir(li=li, label=title_org, action="dirList", dirID="MyAlbums", fanart=R(ICON_WENIGER_1), thumb=R(ICON_WENIGER_1),
fparams=fparams, summary=L('Weniger (- 1)'), tagline=tag)
if page_next > 10:
page_next = page_next - 10
fparams="&fparams={'title': '%s', 'user_id': '%s', 'pagenr': '%s'}" % (quote(title_org), user_id, int(page_next))
addDir(li=li, label=title_org, action="dirList", dirID="MyAlbums", fanart=R(ICON_WENIGER_10), thumb=R(ICON_WENIGER_10),
fparams=fparams, summary=L('Weniger (- 10)'), tagline=tag)
if page_next > 100:
page_next = page_next - 100
fparams="&fparams={'title': '%s', 'user_id': '%s', 'pagenr': '%s'}" % (quote(title_org), user_id, int(page_next))
addDir(li=li, label=title_org, action="dirList", dirID="MyAlbums", fanart=R(ICON_WENIGER_100), thumb=R(ICON_WENIGER_100),
fparams=fparams, summary=L('Weniger (- 100)'), tagline=tag)
xbmcplugin.endOfDirectory(HANDLE, cacheToDisc=True)
#------------------------------------------------------------------------------------------
# Bezeichnung in Flickr-API: Photosets
# Mehrere Seiten - anders als MyGalleries
# Flickr-Ausgabe im xml-Format.
# Seitensteuerung durch BuildPages (-> SeparateVideos -> ShowPhotoObject, ShowVideos)
#
def MyAlbumsSingle(title, photoset_id, user_id, pagenr=1):
PLog('MyAlbumsSingle:')
mymethod = 'flickr.photosets.getPhotos'
path = BuildPath(method=mymethod, query_flickr=mymethod, user_id=user_id, pagenr=1,
photoset_id=photoset_id)
page, msg = RequestUrl(CallerName='MyAlbumsSingle', url=path)
if page == '':
msg1 = msg
MyDialog(msg1, '', '')
return
PLog(page[:100])
pagemax = stringextract('pages="', '"', page)
perpage = stringextract('perpage="', '"', page)
PLog(pagemax); PLog(perpage) # flickr-Angabe stimmt nicht mit?
records = blockextract('<photo id', '', page) # ShowPhotoObject: nur '<photo id'-Blöcke zulässig
maxPageContent = SETTINGS.getSetting('maxPageContent')
mypagemax = len(records) / int(maxPageContent)
PLog('2Satz:')
PLog('records: %s, maxPageContent: %s, mypagemax: %s' % (str(len(records)), maxPageContent, str(mypagemax)))
# mypagemax = int(round(mypagemax + 0.49)) # zwangsw. aufrunden - entfällt
# PLog('mypagemax: %s' % str(mypagemax))
searchname = '#MyAlbumsSingle#'
li = BuildPages(title=title, searchname=searchname, SEARCHPATH=path, pagemax=pagemax, perpage=perpage,
pagenr=1)
xbmcplugin.endOfDirectory(HANDLE, cacheToDisc=True)
####################################################################################################
# --------------------------
# FlickrPeople: gesucht wird auf der Webseite mit dem Suchbegriff fuer Menue Flickr Nutzer.
# Flickr liefert bei Fehlschlag den angemeldeten Nutzer zurück
# Exaktheit der Websuche nicht beeinflussbar.
#
def FlickrPeople(pagenr=1):
PLog('FlickrPeople: ' + str(SETTINGS.getSetting('FlickrPeople')))
PLog('pagenr: ' + str(pagenr))
pagenr = int(pagenr)
if SETTINGS.getSetting('FlickrPeople'):
username = SETTINGS.getSetting('FlickrPeople').replace(' ', '%20') # Leerz. -> url-konform
path = 'https://www.flickr.com/search/people/?username=%s&page=%s' % (username, pagenr)
else:
msg1 = L('Einstellungen: Suchbegriff für Flickr Nutzer fehlt')
MyDialog(msg1, '', '')
return
title2 = 'Flickr People ' + L('Seite') + ' ' + str(pagenr)
li = xbmcgui.ListItem()
li = home(li, user_id='') # Home-Button
page, msg = RequestUrl(CallerName='FlickrPeople', url=path)
if page == '':
msg1 = msg
MyDialog(msg1, '', '')
return
PLog(page[:100])
page = page.replace('\\', '') # Pfadbehandl. im json-Bereich
total = 0
# totalItems[2] enthält die Anzahl. Falls page zu groß (keine weiteren
# Ergebnisse), enthalten sie 0.
try:
totalItems = re.findall(r'totalItems":(\d+)', page) # Bsp. "totalItems":7}]
PLog(totalItems)
total = int(totalItems[0])
except Exception as exception:
PLog(str(exception))
PLog("total: " + str(total))
page = unquote(page) # "44837724%40N07" -> "44837724@N07"
records = blockextract('_flickrModelRegistry":"search-contact-models"', 'flickrModelRegistry', page)
PLog(len(records))
thumb=R('icon-my.png')
i = 0 # loop count
for rec in records:
# PLog(rec)
nsid = stringextract('id":"', '"', rec)
if '@N' not in nsid:
continue
username = stringextract('username":"', '"', rec)
username=unescape(username); username=unquote(username)
realname = stringextract('realname":"', '"', rec)
alias = stringextract('pathAlias":"', '"', rec) # kann fehlen
alias = unescape(alias); alias = unquote(alias)
if alias == '':
alias = username
iconfarm = stringextract('iconfarm":"', '"', rec)
iconserver = stringextract('iconserver":"', '"', rec)
followersCount = stringextract('followersCount":', ',', rec)
if followersCount == '':
followersCount = '0'
photosCount = stringextract('photosCount":', ',', rec)
if photosCount == '': # # photosCount kann fehlen
photosCount = '0'
iconserver = stringextract('iconserver":"', '"', rec)
title = "%s | %s" % (username, realname)
PLog(title)
title=unescape(title); title=unquote(title)
summ = "%s: %s" % (L('Fotos'), photosCount)
summ = summ + " | %s: %s | Alias: %s" % (L('Followers'), followersCount, alias)
PLog('5Satz')
PLog("username: %s, nsid: %s" % (username, nsid)); PLog(title)
if realname:
label=realname
else:
label=username
label=unescape(label); label=unquote(label)
username=py2_encode(username);
fparams="&fparams={'username': '%s', 'user_id': '%s'}" % (quote(username), nsid)
addDir(li=li, label=label, action="dirList", dirID="MyMenu", fanart=thumb, thumb=thumb,
fparams=fparams, summary=summ)
i = i + 1
if i == 0:
msg = SETTINGS.getSetting('FlickrPeople') + ': ' + L('kein Treffer')
PLog(msg)
msg1=msg
MyDialog(msg1, '', '')
xbmcplugin.endOfDirectory(HANDLE, cacheToDisc=True)
# plus/minus 1 Seite:
PLog(pagenr * len(records)); PLog(total)
if (pagenr * len(records)) < total:
title = 'FlickrPeople ' + L('Seite') + ' ' + str(pagenr+1)
fparams="&fparams={'pagenr': '%s'}" % (pagenr+1)
addDir(li=li, label=title, action="dirList", dirID="FlickrPeople", fanart=R(ICON_MEHR_1),
thumb=R(ICON_MEHR_1), fparams=fparams, summary=L('Mehr (+ 1)'))
if pagenr > 1:
title = 'FlickrPeople ' + L('Seite') + ' ' + str(pagenr-1)
fparams="&fparams={'pagenr': '%s'}" % (pagenr-1)
addDir(li=li, label=title, action="dirList", dirID="FlickrPeople", fanart=R(ICON_WENIGER_1),
thumb=R(ICON_WENIGER_1), fparams=fparams, summary=L('Weniger (- 1)'))
xbmcplugin.endOfDirectory(HANDLE, cacheToDisc=True)
####################################################################################################
# für Gallerie-Liste ohne user_id kein API-Call verfügbar - Auswertung der Webseite (komb. html/json)
# Keine Sortierung durch Flickr möglich - i.G. zu MyGalleries (sort_groups)
# 08.09.2019 Blockmerkmal geändert ('gallery-hunk clearfix -> 'class="tile-container">'
# Scrollmechnismus - nur ein Teil der Webinhalte verfügbar.
#
def WebGalleries(pagenr):
PLog('WebGalleries: pagenr=' + pagenr)
if int(pagenr) < 1:
pagenr = "1"
path = GALLERY_PATH + 'page%s/' % (pagenr) # Zusatz '?rb=1' nur in Watchdog erforderlich (302 Found)
page, msg = RequestUrl(CallerName='WebGalleries: page %s' % pagenr, url=path)
if page == '':
msg1 = msg
MyDialog(msg1, '', '')
return
PLog(page[:50])
# die enthaltenen Parameter page + perPage wirken sich verm. nicht auf die
# Seitenberechnung aus. Das Web zeigt jeweils 3 Vorschaubilder zu jeder Gallerie,
# nach 24 Galerien erscheinen beim Scrolldown jeweils neue 24 Galerien.
#
# Alternative ohne Bilder: Bereich "class="view pagination-view" enthält die
# Links zu den einzelnen Seiten.
totalItems = stringextract('totalItems":', '}', page) # Anzahl Galerien json-Bereich
PageSize = stringextract('viewPageSize":', ',', page)
PLog(totalItems); PLog(PageSize);
try:
pages = float(totalItems) / float(PageSize)
pagemax = int(math.ceil(pages)) # max. Seitenzahl, aufrunden für Seitenrest
except Exception as exception:
PLog(str(exception))
pagemax = 1
msg1 = "WebGalleries: " + L('Ermittlung der Seitenzahl gescheitert')
msg2 = "Gezeigt wird nur die erste Seite"
MyDialog(msg1, '', '')
PLog('pagemax: ' + str(pagemax));
name = L('Seite') + ' ' + pagenr + L('von') + ' ' + str(pagemax)
li = xbmcgui.ListItem()
li = home(li, user_id='') # Home-Button
records = blockextract('class="tile-container">', '', page) # oder gallery-case gallery-case-user
if len(records) == 0:
msg1 = L("Keine Gallerien gefunden")
MyDialog(msg1, '', '')
return
PLog(len(records))
for rec in records: # Elemente pro Seite: 12
# PLog(rec) # bei Bedarf
href = BASE + stringextract('href="', '"', rec) # Bsp. https://www.flickr.com/photos/flickr/galleries/..
try:
href_id = href.split('/')[-2]
except:
href_id = ''
img_src = img_via_id(href_id, page)
gallery_id = href_id
title = stringextract('gallery-title">', '</h4>', rec) # in href
title=py2_encode(title);
title=cleanhtml(title); title=mystrip(title);
title=unescape(title); title=repl_json_chars(title)
nr_shown = stringextract('stat item-count">', '</span>', rec) # Anzahl, Bsp.: 15 photos
nr_shown = mystrip(nr_shown)
views = stringextract('stat view-count">', '</span>', rec) # Views, Bsp.: 3.3K views
views = views.strip()
comments = stringextract('stat comment-count">', '</span>', rec) # Views, Bsp.: 17 comments
comments = mystrip(comments)
summ = "%s | %s | %s" % (nr_shown, views, comments )
PLog('6Satz:')
PLog(href);PLog(img_src);PLog(title);PLog(summ);PLog(gallery_id);
title=py2_encode(title);
fparams="&fparams={'title': '%s', 'gallery_id': '%s', 'user_id': '%s'}" % (quote(title), gallery_id, '')
addDir(li=li, label=title, action="dirList", dirID="Gallery_single", fanart=img_src, thumb=img_src,
fparams=fparams, summary=summ)
# auf mehr prüfen:
PLog("pagenr: %s, pagemax: %s" % (pagenr, pagemax))
pagenr = int(pagenr)
if pagenr < pagemax:
page_next = pagenr + 1 # Pfad-Offset + 1
path = GALLERY_PATH + 'page%s/' % str(page_next)
PLog(path);
title = "%s, %s %s %s %s" % (L('Galerien'), L('Seite'), str(page_next), L('von'), str(pagemax))
fparams="&fparams={'pagenr': '%s'}" % str(page_next)
addDir(li=li, label=title, action="dirList", dirID="WebGalleries", fanart=R(ICON_MEHR_1),
thumb=R(ICON_MEHR_1), fparams=fparams)
# weniger
if pagenr > 1:
page_next = pagenr - 1 # Pfad-Offset - 1
title = "%s, %s %s %s %s" % (L('Galerien'), L('Seite'), str(page_next), L('von'), str(pagemax))
fparams="&fparams={'pagenr': '%s'}" % str(page_next)
addDir(li=li, label=title, action="dirList", dirID="WebGalleries", fanart=R(ICON_WENIGER_1),
thumb=R(ICON_WENIGER_1), fparams=fparams)
xbmcplugin.endOfDirectory(HANDLE, cacheToDisc=True)
#---------------------------------------
# img_via_id: ermittelt im json-Teil (ARD-Neu) via href_id
def img_via_id(href_id, page):
PLog("img_via_id: " + href_id)
if href_id == '':
img_src = R(ICON_FOLDER)
return img_src # Fallback bei fehlender href_id
records = blockextract('"compoundId":', '', page)
for rec in records:
if href_id in rec:
img_src = stringextract('"displayUrl":"', '"', rec)
img_src = img_src.replace('\\', '')
img_src = img_src.replace('_s', '') # ..475efd8f73_s.jpg
if img_src.startswith('https') == False:
img_src = 'https:' + img_src
if len(img_src) > 10:
return img_src
else:
return R(ICON_FOLDER)
#------------------------------------------------------------------------------------------
# Erzeugt Foto-Objekte für WebGalleries + MyGalleries (Pfade -> Rückgabe im xml-Format).
# Die Thumbnails von Flickr werden nicht gebraucht - erzeugt Plex selbst aus den Originalen
# max. Anzahl Fotos in Galerie: 50 (https://www.flickr.com/help/forum/en-us/72157646468539299/)
# z.Z. keine Steuerung mehr / weniger nötig
def Gallery_single(title, gallery_id, user_id):
PLog('Gallery_single: ' + gallery_id)
searchname = '#Gallery#'
# pagenr hier weglassen - neu in BuildPages
href = BuildPath(method='flickr.galleries.getPhotos', query_flickr='', user_id=user_id, pagenr='')
href = href + "&gallery_id=%s" % (gallery_id)
li = BuildPages(title=title, searchname=searchname, SEARCHPATH=href, pagemax='?', perpage=1,
pagenr='?')
return li
####################################################################################################
# API-Format: https://api.flickr.com/services/rest/?method=flickr.photos.search&api_key=
# 24df437b03dd7bf070ba220aa717027e&text=Suchbegriff&page=3&format=rest
# Rückgabeformat XML
#
# Verwendet wird die freie Textsuche (s. API): Treffer möglich in Titel, Beschreibung + Tags
# Mehrere Suchbegriffe, getrennt durch Blanks, bewirken UND-Verknüpfung.
#
# 23.09.2020 Liste für letzte Suchbegriffe - hier ohne Rücksicht auf
# das Suchergebnis
#
def Search(query='', user_id='', pagenr=1, title=''):
PLog('Search: ' + query);
# wir springen direkt - Ablauf:
# Search -> Search_Work -> BuildPages (-> SeparateVideos -> ShowPhotoObject, ShowVideos)
query_file = os.path.join("%s/search_terms") % ADDON_DATA
if query == '': # Liste letzte Sucheingaben
query_recent = RLoad(query_file, abs_path=True)
if query_recent.strip():
head = L('Suche')
search_list = [head]
query_recent= query_recent.strip().splitlines()
query_recent=sorted(query_recent, key=str.lower)
search_list = search_list + query_recent
title = L('Suche') + ': ' + L('im oeffentlichen Inhalt')
ret = xbmcgui.Dialog().select(title, search_list, preselect=0)
PLog(ret)
if ret == -1:
PLog("Liste Sucheingabe abgebrochen")
return Main()
elif ret == 0:
query = ''
else:
query = search_list[ret]
if query == '':
query = get_keyboard_input() # Modul util
if query == None or query.strip() == '':
return ""
query = query.strip(); query_org = query
# wg. fehlender Rückgabewerte speichern wir ohne Rücksicht
# auf das Suchergebnis:
if query: # leere Eingabe vermeiden
query_recent= RLoad(query_file, abs_path=True) # Sucheingabe speichern
query_recent= query_recent.strip().splitlines()
if len(query_recent) >= 24: # 1. Eintrag löschen (ältester)
del query_recent[0]
query_org=py2_encode(query_org) # unquoted speichern
if query_org not in query_recent:
query_recent.append(query_org)
query_recent = "\n".join(query_recent)
query_recent = py2_encode(query_recent)
RSave(query_file, query_recent) # withcodec: code-error
Search_Work(query=py2_encode(query), user_id=user_id)
return
# --------------------------
# Search_Work: ermöglicht die Flickr-Suchfunktion außerhalb der normalen Suchfunktion, z.B.
# Photostream + Faves. Die normale Suchfunktion startet in Search, alle anderen hier.
# Ablauf:
# Search_Work -> Seitensteuerung durch BuildPages (-> SeparateVideos -> ShowPhotoObject, ShowVideos)
#
# query='#Suchbegriff#' möglich (MyMenu: MyPhotostream, MyFaves) - Behandl. in BuildPath
# 10.04.2020 wg. coding-Problemen geändert in '&Suchbegriff&'
# query='None' möglich (Photostream)
#
# URL's: viele Foto-Sets enthalten unterschiedliche Größen - erster Ansatz, Anforderung mit b=groß,
# schlug häufig fehl. Daher Anforderung mit einer Suffix-Liste (extras), siehe
# https://www.flickr.com/services/api/misc.urls.html, und Entnahme der "größten" URL.
#
def Search_Work(query, user_id, SEARCHPATH=''):
PLog('Search_Work: ' + query);
query_flickr = quote(query)
if query == '&Faves&': # MyFaves
SEARCHPATH = BuildPath(method='flickr.favorites.getList', query_flickr=query_flickr, user_id=user_id, pagenr='')
else:
# BuildPath liefert zusätzlich Dict['extras_list'] für Fotoauswahl (s.u.)
SEARCHPATH = BuildPath(method='flickr.photos.search', query_flickr=query_flickr, user_id=user_id, pagenr='')
PLog(SEARCHPATH)
if query == 'None': # von Photostream
searchname = L('Seite')
title='Photostream'
else:
searchname = L('Suche') + ': ' + query + ' ' + L('Seite')
title=query
if query.startswith('&') and query.endswith('&'):# von MyPhotostream / MyFaves
title = query.replace('&', '')
searchname = L('Seite') # Ergänzung in BuildPages
PLog(title)
BuildPages(title=title, searchname=searchname, SEARCHPATH=SEARCHPATH, pagemax=1, perpage=1, pagenr='?')
return
#----------------------------------------------------------------