Skip to content

Reference

plugin.video.picta.resources.plugin.

add_next_page(**kwargs)

Add a ListItem to the Kodi interface to show the next page.

Parameters:

Name Type Description Default
kwargs dict

"argument=value" pairs

required
Source code in resources\plugin.py
484
485
486
487
488
489
490
491
492
493
494
495
def add_next_page(**kwargs) -> None:
    """
    Add a ListItem to the Kodi interface to show the next page.

    :param kwargs: "argument=value" pairs
    :type kwargs: dict
    """
    if COLLECTION["next_href"] > 1:
        list_item = xbmcgui.ListItem(label=addon.getLocalizedString(NEXT))
        url = get_url(**kwargs)
        is_folder = True
        xbmcplugin.addDirectoryItem(_HANDLE, url, list_item, is_folder)

get_canales(next_page=COLLECTION['next_href'])

Get lis of Channels

Parameters:

Name Type Description Default
next_page int

Next page

COLLECTION['next_href']

Returns:

Type Description
list

the list of Channels

Source code in resources\plugin.py
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
def get_canales(next_page: int = COLLECTION["next_href"]) -> List["Canal"]:
    """
    Get lis of Channels

    :param next_page: Next page
    :type next_page: int

    :return: the list of Channels
    :rtype: list
    """

    COLLECTION[CANALES] = []
    url_canales = f"{API_BASE_URL}canal/?page={next_page}&page_size=10&ordering=-cantidad_suscripciones"
    r = requests.get(url_canales)
    result = r.json()

    for ch in result["results"]:
        COLLECTION[CANALES].append(
            {
                "name": ch["nombre"],
                "id": ch["id"],
                "thumb": ch["url_imagen"] + "_380x250",
                "plot": ch["descripcion"],
            }
        )

    COLLECTION["next_href"] = int(result.get("next") or 0)

    return COLLECTION[CANALES]

get_canales_videos(canal_nombre_raw, next_page=COLLECTION['next_href'])

Get list of Channels´s videos

Parameters:

Name Type Description Default
canal_nombre_raw str

Unquote Channel´s name

required

Returns:

Type Description
list

the list of videos in the Channel

Source code in resources\plugin.py
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
def get_canales_videos(
    canal_nombre_raw: str, next_page: int = COLLECTION["next_href"]
) -> List["Video"]:
    """
    Get list of Channels´s videos

    :param canal_nombre_raw: Unquote Channel´s name
    :type canal_nombre_raw: str

    :return: the list of videos in the Channel
    :rtype: list
    """
    VIDEOS: List["Video"] = []

    url_canal_videos = f"{API_BASE_URL}publicacion/?canal_nombre_raw={canal_nombre_raw}&page={next_page}&page_size=10"
    r = requests.get(url_canal_videos)
    result = r.json()

    for v in result["results"]:
        # Videos diferentes tipologias no siempre tienen genero
        likes = get_likes(v)
        VIDEOS.append(
            {
                "name": f'{v["nombre"]}\n{likes}',
                "thumb": v["url_imagen"] + "_380x250",
                "video": v["url_manifiesto"],
                "genre": "",
                "plot": v["descripcion"],
                "sub": v["url_subtitulo"],
            }
        )

    COLLECTION["next_href"] = int(result.get("next") or 0)

    return VIDEOS

get_categories()

Get the list of video categories.

Here you can insert some parsing code that retrieves the list of video categories (e.g. 'Movies', 'TV-shows', 'Documentaries' etc.) from some site or API.

.. note:: Consider using generator functions <https://wiki.python.org/moin/Generators>_ instead of returning lists.

Returns:

Type Description
list

The list of video categories

Source code in resources\plugin.py
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
def get_categories() -> List[Categoria]:

    """
    Get the list of video categories.

    Here you can insert some parsing code that retrieves
    the list of video categories (e.g. 'Movies', 'TV-shows', 'Documentaries' etc.)
    from some site or API.

    .. note:: Consider using `generator functions <https://wiki.python.org/moin/Generators>`_
        instead of returning lists.

    :return: The list of video categories
    :rtype: list
    """
    return list(COLLECTION.keys())[:-1]

get_episodes(id, temp)

Get list of Episodes

param id: Serie´s ID

Parameters:

Name Type Description Default
temp str

Index of Season

required

Returns:

Type Description
list

the list of episodes

Source code in resources\plugin.py
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
def get_episodes(id: str, temp: str) -> List["Video"]:
    """
    Get list of Episodes

    param id: Serie´s ID
    :type id: str

    :param temp: Index of Season
    :type temp: str

    :return: the list of episodes
    :rtype: list
    """
    EPISODIOS: List["Video"] = []
    url_temp = f"{API_BASE_URL}temporada/?serie_pelser_id={id}&ordering=nombre"
    r = requests.get(url_temp)
    result = r.json()

    try:
        t = int(temp)
        temp_id = result["results"][t]["id"]
        size = result["results"][t]["cantidad_capitulos"]

        url_publicacion = f"{API_BASE_URL}publicacion/?temporada_id={temp_id}&page=1&page_size={size}&ordering=nombre"
        r = requests.get(url_publicacion)
        result = r.json()

        for e in result["results"]:
            generos = ", ".join(
                g["nombre"]
                for g in e["categoria"]["capitulo"]["temporada"]["serie"]["genero"]
            )
            likes = get_likes(e)

            EPISODIOS.append(
                {
                    "name": f'{e["nombre"]}\n{likes}',
                    "thumb": e["url_imagen"] + "_380x250",
                    "video": e["url_manifiesto"],
                    "genre": generos,
                    "plot": e["descripcion"],
                    "sub": e["url_subtitulo"],
                }
            )
    except IndexError:
        xbmc.executebuiltin(
            "Notification(Aviso,La temporada todavía no se encuentra disponible,5000)"
        )

    return EPISODIOS

get_generos(next_page=COLLECTION['next_href'])

Get list of Genres

Parameters:

Name Type Description Default
next_page int

Next page

COLLECTION['next_href']

Returns:

Type Description
list

the list of Genres

Source code in resources\plugin.py
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
def get_generos(next_page: int = COLLECTION["next_href"]) -> List["Genero"]:
    """
    Get list of Genres

    :param next_page: Next page
    :type next_page: int

    :return: the list of Genres
    :rtype: list
    """
    COLLECTION[GENEROS] = []
    url_generos = f"{API_BASE_URL}genero/?tipo=ci&page={next_page}&page_size=100"
    r = requests.get(url_generos)
    result = r.json()

    for g in result["results"]:
        COLLECTION[GENEROS].append(
            {
                "id": g["id"],
                "nombre": g["nombre"],
                "tipo": g["tipo"],
            }
        )

    COLLECTION["next_href"] = int(result.get("next") or 0)

    return COLLECTION[GENEROS]

Get list of videos from search

Parameters:

Name Type Description Default
query str

Search query

required

Returns:

Type Description
list

the list of videos from search

Source code in resources\plugin.py
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
def get_search(query: str, next_page: int = COLLECTION["next_href"]) -> List["Video"]:
    """
    Get list of videos from search

    :param query: Search query
    :type query: str

    :return: the list of videos from search
    :rtype: list
    """
    COLLECTION[SEARCH] = []

    url_search = (
        f"{API_BASE_URL}s/buscar/?criterio={query}&page={next_page}&page_size=10"
    )
    r = requests.get(url_search)
    result = r.json()

    for v in result["results"]:
        # TODO: Search by kind/tipo de contenido: canal, serie, etc
        if v["tipo"] == "publicacion":
            # Videos diferentes tipologias no siempre tienen genero
            likes = get_likes(v)
            COLLECTION[SEARCH].append(
                {
                    "name": f'{v["nombre"]}\n{likes}',
                    "thumb": v["url_imagen"] + "_380x250",
                    "video": v["url_manifiesto"],
                    "genre": "",
                    "plot": v["descripcion"],
                    "sub": v["url_subtitulo"],
                }
            )

    COLLECTION["next_href"] = int(result.get("next") or 0)

    return COLLECTION[SEARCH]

get_series(next_page=COLLECTION['next_href'])

Get list of Series

Returns:

Type Description
list

the list of Series

Source code in resources\plugin.py
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
def get_series(next_page: int = COLLECTION["next_href"]) -> List["Serie"]:
    """
    Get list of Series

    :return: the list of Series
    :rtype: list
    """

    COLLECTION[SERIES] = []
    url_series = f"{API_BASE_URL}serie/?page={next_page}&page_size=10&ordering=-id"
    r = requests.get(url_series)
    result = r.json()

    for v in result["results"]:
        generos = ", ".join(g["nombre"] for g in v["genero"])

        COLLECTION[SERIES].append(
            {
                "name": v["nombre"],
                "id": v["pelser_id"],
                "thumb": v["imagen_secundaria"] + "_380x250",
                "genre": generos,
                "cant_temp": v["cantidad_temporadas"],
            }
        )

    COLLECTION["next_href"] = int(result.get("next") or 0)

    return COLLECTION[SERIES]

get_url(**kwargs)

Create a URL for calling the plugin recursively from the given set of keyword arguments.

Parameters:

Name Type Description Default
kwargs dict

"argument=value" pairs

required

Returns:

Type Description
str

plugin call URL

Source code in resources\plugin.py
114
115
116
117
118
119
120
121
122
123
124
def get_url(**kwargs: Union[str, int]) -> str:
    """
    Create a URL for calling the plugin recursively from the given set of keyword arguments.

    :param kwargs: "argument=value" pairs
    :type kwargs: dict
    :return: plugin call URL
    :rtype: str
    """
    # Get the plugin url in plugin:// notation.
    return f"{_URL}?{urlencode(kwargs)}"

get_videos(category, next_page=COLLECTION['next_href'])

Get the list of videofiles/streams.

Here you can insert some parsing code that retrieves the list of video streams in the given category from some site or API.

.. note:: Consider using generators functions <https://wiki.python.org/moin/Generators>_ instead of returning lists.

Parameters:

Name Type Description Default
category int

Category id

required

Returns:

Type Description
list

the list of videos in the category

Source code in resources\plugin.py
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
def get_videos(
    category: int, next_page: int = COLLECTION["next_href"]
) -> List["Video"]:
    """
    Get the list of videofiles/streams.

    Here you can insert some parsing code that retrieves
    the list of video streams in the given category from some site or API.

    .. note:: Consider using `generators functions <https://wiki.python.org/moin/Generators>`_
        instead of returning lists.

    :param category: Category id
    :type category: int

    :return: the list of videos in the category
    :rtype: list
    """
    result = {}
    COLLECTION[category] = []

    if category == DOCUMENTALES:
        url_docum = f"{API_BASE_URL}publicacion/?page={next_page}&page_size=10&tipologia_nombre_raw=Documental&ordering=-fecha_creacion"
        r = requests.get(url_docum)
        result = r.json()
    elif category == PELICULAS:
        url_pelic = f"{API_BASE_URL}publicacion/?page={next_page}&page_size=10&tipologia_nombre_raw=Pel%C3%ADcula&ordering=-fecha_creacion"
        r = requests.get(url_pelic)
        result = r.json()
    elif category == MUSICALES:
        url_musicales = f"{API_BASE_URL}publicacion/?page={next_page}&page_size=10&tipologia_nombre_raw=Video%20Musical&ordering=-fecha_creacion"
        r = requests.get(url_musicales)
        result = r.json()

    for v in result["results"]:
        generos = ""
        likes = get_likes(v)

        if category == MUSICALES:
            generos = ", ".join(g["nombre"] for g in v["categoria"]["video"]["genero"])
        elif category == PELICULAS:
            generos = ", ".join(
                g["nombre"] for g in v["categoria"]["pelicula"]["genero"]
            )

        COLLECTION[category].append(
            {
                "name": f'{v["nombre"]}\n{likes}',
                "thumb": v["url_imagen"] + "_380x250",
                "video": v["url_manifiesto"],
                "genre": generos,
                "plot": v["descripcion"],
                "sub": v["url_subtitulo"],
            }
        )

    COLLECTION["next_href"] = int(result.get("next") or 0)

    return COLLECTION[category]

list_canales(category, next_page=COLLECTION['next_href'])

Create list of Channels

Source code in resources\plugin.py
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
def list_canales(category: int, next_page: int = COLLECTION["next_href"]) -> None:
    """Create list of Channels"""
    xbmcplugin.setPluginCategory(_HANDLE, addon.getLocalizedString(CANALES))

    canales = get_canales(next_page)

    for canal in canales:
        list_item = xbmcgui.ListItem(label=canal["name"])
        list_item.setInfo(
            "video",
            {"title": canal["name"], "plot": canal["plot"], "mediatype": "video"},
        )
        list_item.setArt(
            {"thumb": canal["thumb"], "icon": canal["thumb"], "fanart": canal["thumb"]}
        )
        url = get_url(action="getChannelVideos", canal_nombre_raw=canal["name"])
        is_folder = True
        xbmcplugin.addDirectoryItem(_HANDLE, url, list_item, is_folder)

    add_next_page(
        action="listing", category=category, next_href=str(COLLECTION["next_href"])
    )

    # xbmcplugin.addSortMethod(_HANDLE, xbmcplugin.SORT_METHOD_EPISODE)
    xbmcplugin.endOfDirectory(_HANDLE)

list_categories()

Create the list of video categories in the Kodi interface.

Source code in resources\plugin.py
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
def list_categories() -> None:
    """
    Create the list of video categories in the Kodi interface.
    """
    xbmcplugin.setPluginCategory(_HANDLE, addon.getLocalizedString(CATEGORIAS))
    categories = get_categories()

    for category in categories:
        list_item = xbmcgui.ListItem(label=addon.getLocalizedString(category))
        # Create a URL for a plugin recursive call.
        # Example: plugin://plugin.video.picta/?action=listing&category=30905
        url = get_url(action="listing", category=category)
        is_folder = True
        # Add our item to the Kodi virtual folder listing.
        xbmcplugin.addDirectoryItem(_HANDLE, url, list_item, is_folder)
    # Add a sort method for the virtual folder items (alphabetically, ignore articles)
    # xbmcplugin.addSortMethod(_HANDLE, xbmcplugin.SORT_METHOD_LABEL_IGNORE_THE)
    # Finish creating a virtual folder.
    xbmcplugin.endOfDirectory(_HANDLE)

list_episodes(serie_id, temp, name)

Create list of Episodes

Parameters:

Name Type Description Default
serie_id str

Serie´s ID

required
temp str

Index of Season

required
name str

Season´s name

required
Source code in resources\plugin.py
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
def list_episodes(serie_id: str, temp: str, name: str) -> None:
    """
    Create list of Episodes

    :param serie_id: Serie´s ID
    :type serie_id: str

    :param temp: Index of Season
    :type temp: str

    :param name: Season´s name
    :type name: str
    """
    xbmcplugin.setPluginCategory(_HANDLE, name)
    xbmcplugin.setContent(_HANDLE, "episodes")

    episodes = get_episodes(serie_id, temp)

    for video in episodes:
        set_video_list(video)

    xbmcplugin.endOfDirectory(_HANDLE)

list_search_root(category)

Show search root menu

Parameters:

Name Type Description Default
category int

Category of search

required
Source code in resources\plugin.py
653
654
655
656
657
658
659
660
661
662
663
664
665
def list_search_root(category: int) -> None:
    """
    Show search root menu

    :param category: Category of search
    :type category: int
    """
    xbmcplugin.setPluginCategory(_HANDLE, addon.getLocalizedString(category))
    list_item = xbmcgui.ListItem(label=addon.getLocalizedString(NEW_SEARCH))
    url = get_url(action="newSearch")
    is_folder = True
    xbmcplugin.addDirectoryItem(_HANDLE, url, list_item, is_folder)
    xbmcplugin.endOfDirectory(_HANDLE)

list_seasons(pelser_id, temporada, name)

Create list of Seasons

Parameters:

Name Type Description Default
pelser_id str

ID of the Serie

required
temporada str

Count of Seasons

required
name str

Serie´s name

required
Source code in resources\plugin.py
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
def list_seasons(pelser_id: str, temporada: str, name: str) -> None:
    """
    Create list of Seasons

    :param pelser_id: ID of the Serie
    :type pelser_id: str

    :param temporada: Count of Seasons
    :type temporada: str

    :param name: Serie´s name
    :type name: str
    """
    xbmcplugin.setPluginCategory(_HANDLE, name)
    xbmcplugin.setContent(_HANDLE, "season")
    # Note:
    # La cantidad_temporadas para una serie no está actualizada mediante la API
    # Ejemplo:
    #   Serie = {"pelser_id": 107, "nombre": "Rick and Morty", "cantidad_temporadas": 4}
    # Si consultas {{temporadaBySerieEndpoint}} "count": 5,
    cant_temp = int(temporada) + 1

    for i in range(cant_temp):
        temp_name = f"Temporada {i + 1}"
        list_item = xbmcgui.ListItem(label=temp_name)
        url = get_url(action="getEpisodes", serie_id=pelser_id, temp=i, name=temp_name)
        is_folder = True
        xbmcplugin.addDirectoryItem(_HANDLE, url, list_item, is_folder)

    xbmcplugin.endOfDirectory(_HANDLE)

list_series(category, next_page=COLLECTION['next_href'])

Create list of Series

Source code in resources\plugin.py
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
def list_series(category: int, next_page: int = COLLECTION["next_href"]) -> None:
    """Create list of Series"""
    xbmcplugin.setPluginCategory(_HANDLE, addon.getLocalizedString(SERIES))

    xbmcplugin.setContent(_HANDLE, "tvshows")

    series = get_series(next_page)

    for serie in series:
        list_item = xbmcgui.ListItem(label=serie["name"])
        list_item.setInfo(
            "video",
            {"title": serie["name"], "genre": serie["genre"], "mediatype": "tvshow"},
        )
        list_item.setArt(
            {"thumb": serie["thumb"], "icon": serie["thumb"], "fanart": serie["thumb"]}
        )
        url = get_url(
            action="getSeasons",
            id=serie["id"],
            temp=serie["cant_temp"],
            name=serie["name"],
        )
        is_folder = True
        xbmcplugin.addDirectoryItem(_HANDLE, url, list_item, is_folder)

    add_next_page(
        action="listing", category=category, next_href=str(COLLECTION["next_href"])
    )

    # xbmcplugin.addSortMethod(_HANDLE, xbmcplugin.SORT_METHOD_EPISODE)
    xbmcplugin.endOfDirectory(_HANDLE)

list_videos_channels(category, category_label, videos, query='')

Create the list of playable videos in the Kodi interface.

Parameters:

Name Type Description Default
category_id int

Category ID

required
category_label str

label name

required
videos List[Video]

list of videos

required
Source code in resources\plugin.py
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
def list_videos_channels(
    category, category_label: str, videos: List["Video"], query=""
) -> None:
    """
    Create the list of playable videos in the Kodi interface.

    :param category_id: Category ID
    :type category_id: int
    :param category_label: label name
    :type category_label: str
    :param videos: list of videos
    :type videos: list[Video]
    """
    xbmcplugin.setPluginCategory(_HANDLE, category_label)

    for video in videos:
        set_video_list(video)

    if category == 0:
        add_next_page(
            action="getChannelVideos",
            canal_nombre_raw=category_label,
            next_href=str(COLLECTION["next_href"]),
        )
    elif category == SEARCH:
        add_next_page(
            action="newSearch",
            query=query,
            next_href=str(COLLECTION["next_href"]),
        )
    else:
        add_next_page(
            action="listing", category=category, next_href=str(COLLECTION["next_href"])
        )

    xbmcplugin.endOfDirectory(_HANDLE)

play_video(path)

Play a video by the provided path.

Parameters:

Name Type Description Default
path str

Fully-qualified video URL

required
Source code in resources\plugin.py
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
def play_video(path: str) -> None:
    """
    Play a video by the provided path.

    :param path: Fully-qualified video URL
    :type path: str
    """
    # TODO: Add support for HLS(m3u8) like IPTV
    # Create a playable item with a path to play.
    play_item = xbmcgui.ListItem(path=path)
    play_item.setContentLookup(False)
    play_item.setMimeType("application/xml+dash")
    play_item.setProperty("inputstream", "inputstream.adaptive")
    play_item.setProperty("inputstream.adaptive.manifest_type", "mpd")
    # Pass the item to the Kodi player.
    xbmcplugin.setResolvedUrl(_HANDLE, True, listitem=play_item)

router(paramstring)

Router function that calls other functions depending on the provided paramstring

:Raises ValueError if invalid paramstring

Parameters:

Name Type Description Default
paramstring str

URL encoded plugin paramstring

required
Source code in resources\plugin.py
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
def router(paramstring: str) -> None:
    """
    Router function that calls other functions
    depending on the provided paramstring

    :param paramstring: URL encoded plugin paramstring
    :type paramstring: str

    :Raises
    ValueError if invalid paramstring
    """
    # Set plugin content. It allows Kodi to select appropriate views
    # for this type of content.
    xbmcplugin.setContent(_HANDLE, "videos")

    # Parse a URL-encoded paramstring to the dictionary of
    # {<parameter>: <value>} elements
    params = dict(parse_qsl(paramstring))
    # Check the parameters passed to the plugin
    if params:
        next_page = int(params.get("next_href") or 1)

        if params["action"] == "listing":
            # Display the list of videos in a provided category.
            category_id = int(params["category"])

            if category_id == SEARCH:
                list_search_root(category_id)
            elif category_id == SERIES:
                list_series(category_id, next_page)
            elif category_id == CANALES:
                list_canales(category_id, next_page)
            else:
                category_label = addon.getLocalizedString(category_id)
                videos = get_videos(category_id, next_page)
                list_videos_channels(category_id, category_label, videos)
        elif params["action"] == "getSeasons":
            list_seasons(params["id"], params["temp"], params["name"])
        elif params["action"] == "getEpisodes":
            list_episodes(params["serie_id"], params["temp"], params["name"])
        elif params["action"] == "getChannelVideos":
            category_id = 0
            canal_nombre_raw: str = unquote_plus(params["canal_nombre_raw"])
            videos = get_canales_videos(canal_nombre_raw, next_page)
            list_videos_channels(category_id, canal_nombre_raw, videos)
        elif params["action"] == "newSearch":
            query = params.get("query")
            if not query:
                query = xbmcgui.Dialog().input(addon.getLocalizedString(SEARCH))
            if query:
                videos = get_search(query, next_page)
                list_videos_channels(
                    SEARCH, addon.getLocalizedString(SEARCH), videos, query
                )
        elif params["action"] == "play":
            # Play a video from a provided URL.
            play_video(params["video"])
        else:
            # If the provided paramstring does not contain a supported action
            # we raise an exception. This helps to catch coding errors,
            # e.g. typos in action names.
            raise ValueError(
                "Invalid paramstring: {0} debug: {1}".format(paramstring, params)
            )
    else:
        # If the plugin is called from Kodi UI without any parameters,
        # display the list of video categories
        list_categories()

run()

Main entrypoint

Source code in resources\plugin.py
756
757
758
759
760
def run() -> None:
    """Main entrypoint"""
    # Call the router function and pass the plugin call parameters to it.
    # We use string slicing to trim the leading '?' from the plugin call paramstring
    router(sys.argv[2][1:])

set_video_list(video)

Set Info and Directory to ListItem

Parameters:

Name Type Description Default
video Video

Video Dict

required
Source code in resources\plugin.py
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
def set_video_list(video: "Video") -> None:
    """
    Set Info and Directory to ListItem

    :param video: Video Dict
    :type video: Dict

    """
    list_item = xbmcgui.ListItem(label=video["name"])
    list_item.setInfo(
        "video",
        {
            "title": video["name"],
            "genre": video["genre"],
            "plot": video["plot"],
            "mediatype": "video",
        },
    )
    list_item.setSubtitles([video["sub"]])
    list_item.setArt(
        {"thumb": video["thumb"], "icon": video["thumb"], "fanart": video["thumb"]}
    )
    list_item.setProperty("IsPlayable", "true")
    url = get_url(action="play", video=video["video"])
    is_folder = False
    xbmcplugin.addDirectoryItem(_HANDLE, url, list_item, is_folder)