Segnala un problema by alfa
This commit is contained in:
@@ -69,7 +69,6 @@ def getmainlist(view="thumb_"):
|
||||
itemlist.append(Item(title=config.get_localized_string(30100), channel="setting", action="mainlist",
|
||||
thumbnail=get_thumb(thumb_setting, view),
|
||||
category=config.get_localized_string(30100), viewmode="list"))
|
||||
|
||||
itemlist.append(Item(title=config.get_localized_string(30104) + " (v" + config.get_addon_version(with_fix=True) + ")", channel="help", action="mainlist",
|
||||
thumbnail=get_thumb("help.png", view),
|
||||
category=config.get_localized_string(30104), viewmode="list"))
|
||||
|
||||
613
platformcode/envtal.py
Normal file
613
platformcode/envtal.py
Normal file
@@ -0,0 +1,613 @@
|
||||
# -*- coding: utf-8 -*-
|
||||
# ------------------------------------------------------------
|
||||
# Localiza las variables de entorno más habituales (kodi)
|
||||
# ------------------------------------------------------------
|
||||
|
||||
from __future__ import division
|
||||
# from builtins import str
|
||||
from past.utils import old_div
|
||||
import sys
|
||||
|
||||
PY3 = False
|
||||
if sys.version_info[0] >= 3: PY3 = True; unicode = str; unichr = chr; long = int
|
||||
|
||||
import xbmc
|
||||
import xbmcaddon
|
||||
|
||||
import os
|
||||
import subprocess
|
||||
import re
|
||||
import platform
|
||||
|
||||
try:
|
||||
import ctypes
|
||||
except:
|
||||
pass
|
||||
import traceback
|
||||
|
||||
from core import filetools, scrapertools
|
||||
from platformcode import logger, config, platformtools
|
||||
|
||||
|
||||
def get_environment():
|
||||
"""
|
||||
Devuelve las variables de entorno del OS, de Kodi y de Alfa más habituales,
|
||||
necesarias para el diagnóstico de fallos
|
||||
"""
|
||||
|
||||
try:
|
||||
import base64
|
||||
import ast
|
||||
|
||||
environment = config.get_platform(full_version=True)
|
||||
environment['num_version'] = str(environment['num_version'])
|
||||
environment['python_version'] = str(platform.python_version())
|
||||
|
||||
environment['os_release'] = str(platform.release())
|
||||
if xbmc.getCondVisibility("system.platform.Windows"):
|
||||
try:
|
||||
if platform._syscmd_ver()[2]:
|
||||
environment['os_release'] = str(platform._syscmd_ver()[2])
|
||||
except:
|
||||
pass
|
||||
environment['prod_model'] = ''
|
||||
if xbmc.getCondVisibility("system.platform.Android"):
|
||||
environment['os_name'] = 'Android'
|
||||
try:
|
||||
for label_a in subprocess.check_output('getprop').split('\n'):
|
||||
if 'build.version.release' in label_a:
|
||||
environment['os_release'] = str(scrapertools.find_single_match(label_a, ':\s*\[(.*?)\]$'))
|
||||
if 'product.model' in label_a:
|
||||
environment['prod_model'] = str(scrapertools.find_single_match(label_a, ':\s*\[(.*?)\]$'))
|
||||
except:
|
||||
try:
|
||||
for label_a in filetools.read(os.environ['ANDROID_ROOT'] + '/build.prop').split():
|
||||
if 'build.version.release' in label_a:
|
||||
environment['os_release'] = str(scrapertools.find_single_match(label_a, '=(.*?)$'))
|
||||
if 'product.model' in label_a:
|
||||
environment['prod_model'] = str(scrapertools.find_single_match(label_a, '=(.*?)$'))
|
||||
except:
|
||||
pass
|
||||
|
||||
elif xbmc.getCondVisibility("system.platform.Linux.RaspberryPi"):
|
||||
environment['os_name'] = 'RaspberryPi'
|
||||
else:
|
||||
environment['os_name'] = str(platform.system())
|
||||
|
||||
environment['machine'] = str(platform.machine())
|
||||
environment['architecture'] = str(sys.maxsize > 2 ** 32 and "64-bit" or "32-bit")
|
||||
environment['language'] = str(xbmc.getInfoLabel('System.Language'))
|
||||
|
||||
environment['cpu_usage'] = str(xbmc.getInfoLabel('System.CpuUsage'))
|
||||
|
||||
environment['mem_total'] = str(xbmc.getInfoLabel('System.Memory(total)')).replace('MB', '').replace('KB', '')
|
||||
environment['mem_free'] = str(xbmc.getInfoLabel('System.Memory(free)')).replace('MB', '').replace('KB', '')
|
||||
if not environment['mem_total'] or not environment['mem_free']:
|
||||
try:
|
||||
if environment['os_name'].lower() == 'windows':
|
||||
kernel32 = ctypes.windll.kernel32
|
||||
c_ulong = ctypes.c_ulong
|
||||
c_ulonglong = ctypes.c_ulonglong
|
||||
|
||||
class MEMORYSTATUS(ctypes.Structure):
|
||||
_fields_ = [
|
||||
('dwLength', c_ulong),
|
||||
('dwMemoryLoad', c_ulong),
|
||||
('dwTotalPhys', c_ulonglong),
|
||||
('dwAvailPhys', c_ulonglong),
|
||||
('dwTotalPageFile', c_ulonglong),
|
||||
('dwAvailPageFile', c_ulonglong),
|
||||
('dwTotalVirtual', c_ulonglong),
|
||||
('dwAvailVirtual', c_ulonglong),
|
||||
('availExtendedVirtual', c_ulonglong)
|
||||
]
|
||||
|
||||
memoryStatus = MEMORYSTATUS()
|
||||
memoryStatus.dwLength = ctypes.sizeof(MEMORYSTATUS)
|
||||
kernel32.GlobalMemoryStatus(ctypes.byref(memoryStatus))
|
||||
environment['mem_total'] = str(old_div(int(memoryStatus.dwTotalPhys), (1024 ** 2)))
|
||||
environment['mem_free'] = str(old_div(int(memoryStatus.dwAvailPhys), (1024 ** 2)))
|
||||
|
||||
else:
|
||||
with open('/proc/meminfo') as f:
|
||||
meminfo = f.read()
|
||||
environment['mem_total'] = str(
|
||||
old_div(int(re.search(r'MemTotal:\s+(\d+)', meminfo).groups()[0]), 1024))
|
||||
environment['mem_free'] = str(
|
||||
old_div(int(re.search(r'MemAvailable:\s+(\d+)', meminfo).groups()[0]), 1024))
|
||||
except:
|
||||
environment['mem_total'] = ''
|
||||
environment['mem_free'] = ''
|
||||
|
||||
try:
|
||||
environment['kodi_buffer'] = '20'
|
||||
environment['kodi_bmode'] = '0'
|
||||
environment['kodi_rfactor'] = '4.0'
|
||||
if filetools.exists(filetools.join(xbmc.translatePath("special://userdata"), "advancedsettings.xml")):
|
||||
advancedsettings = filetools.read(filetools.join(xbmc.translatePath("special://userdata"),
|
||||
"advancedsettings.xml")).split('\n')
|
||||
for label_a in advancedsettings:
|
||||
if 'memorysize' in label_a:
|
||||
environment['kodi_buffer'] = str(old_div(int(scrapertools.find_single_match
|
||||
(label_a, '>(\d+)<\/')), 1024 ** 2))
|
||||
if 'buffermode' in label_a:
|
||||
environment['kodi_bmode'] = str(scrapertools.find_single_match
|
||||
(label_a, '>(\d+)<\/'))
|
||||
if 'readfactor' in label_a:
|
||||
environment['kodi_rfactor'] = str(scrapertools.find_single_match
|
||||
(label_a, '>(.*?)<\/'))
|
||||
except:
|
||||
pass
|
||||
|
||||
environment['userdata_path'] = str(xbmc.translatePath(config.get_data_path()))
|
||||
try:
|
||||
if environment['os_name'].lower() == 'windows':
|
||||
free_bytes = ctypes.c_ulonglong(0)
|
||||
ctypes.windll.kernel32.GetDiskFreeSpaceExW(ctypes.c_wchar_p(environment['userdata_path']),
|
||||
None, None, ctypes.pointer(free_bytes))
|
||||
environment['userdata_free'] = str(round(float(free_bytes.value) / (1024 ** 3), 3))
|
||||
else:
|
||||
disk_space = os.statvfs(environment['userdata_path'])
|
||||
if not disk_space.f_frsize: disk_space.f_frsize = disk_space.f_frsize.f_bsize
|
||||
environment['userdata_free'] = str(round((float(disk_space.f_bavail) / \
|
||||
(1024 ** 3)) * float(disk_space.f_frsize), 3))
|
||||
except:
|
||||
environment['userdata_free'] = '?'
|
||||
|
||||
try:
|
||||
environment['videolab_series'] = '?'
|
||||
environment['videolab_episodios'] = '?'
|
||||
environment['videolab_pelis'] = '?'
|
||||
environment['videolab_path'] = str(xbmc.translatePath(config.get_videolibrary_path()))
|
||||
if filetools.exists(filetools.join(environment['videolab_path'], \
|
||||
config.get_setting("folder_tvshows"))):
|
||||
environment['videolab_series'] = str(len(filetools.listdir(filetools.join(environment['videolab_path'], \
|
||||
config.get_setting(
|
||||
"folder_tvshows")))))
|
||||
counter = 0
|
||||
for root, folders, files in filetools.walk(filetools.join(environment['videolab_path'], \
|
||||
config.get_setting("folder_tvshows"))):
|
||||
for file in files:
|
||||
if file.endswith('.strm'): counter += 1
|
||||
environment['videolab_episodios'] = str(counter)
|
||||
if filetools.exists(filetools.join(environment['videolab_path'], \
|
||||
config.get_setting("folder_movies"))):
|
||||
environment['videolab_pelis'] = str(len(filetools.listdir(filetools.join(environment['videolab_path'], \
|
||||
config.get_setting(
|
||||
"folder_movies")))))
|
||||
except:
|
||||
pass
|
||||
try:
|
||||
video_updates = ['No', 'Inicio', 'Una vez', 'Inicio+Una vez']
|
||||
environment['videolab_update'] = str(video_updates[config.get_setting("update", "videolibrary")])
|
||||
except:
|
||||
environment['videolab_update'] = '?'
|
||||
try:
|
||||
if environment['os_name'].lower() == 'windows':
|
||||
free_bytes = ctypes.c_ulonglong(0)
|
||||
ctypes.windll.kernel32.GetDiskFreeSpaceExW(ctypes.c_wchar_p(environment['videolab_path']),
|
||||
None, None, ctypes.pointer(free_bytes))
|
||||
environment['videolab_free'] = str(round(float(free_bytes.value) / (1024 ** 3), 3))
|
||||
else:
|
||||
disk_space = os.statvfs(environment['videolab_path'])
|
||||
if not disk_space.f_frsize: disk_space.f_frsize = disk_space.f_frsize.f_bsize
|
||||
environment['videolab_free'] = str(round((float(disk_space.f_bavail) / \
|
||||
(1024 ** 3)) * float(disk_space.f_frsize), 3))
|
||||
except:
|
||||
environment['videolab_free'] = '?'
|
||||
|
||||
environment['torrent_list'] = []
|
||||
environment['torrentcli_option'] = ''
|
||||
environment['torrent_error'] = ''
|
||||
environment['torrentcli_rar'] = config.get_setting("mct_rar_unpack", server="torrent", default=True)
|
||||
environment['torrentcli_backgr'] = config.get_setting("mct_background_download", server="torrent", default=True)
|
||||
environment['torrentcli_lib_path'] = config.get_setting("libtorrent_path", server="torrent", default="")
|
||||
if environment['torrentcli_lib_path']:
|
||||
lib_path = 'Activo'
|
||||
else:
|
||||
lib_path = 'Inactivo'
|
||||
environment['torrentcli_unrar'] = config.get_setting("unrar_path", server="torrent", default="")
|
||||
if environment['torrentcli_unrar']:
|
||||
if xbmc.getCondVisibility("system.platform.Android"):
|
||||
unrar = 'Android'
|
||||
else:
|
||||
unrar, bin = filetools.split(environment['torrentcli_unrar'])
|
||||
unrar = unrar.replace('\\', '/')
|
||||
if not unrar.endswith('/'):
|
||||
unrar = unrar + '/'
|
||||
unrar = scrapertools.find_single_match(unrar, '\/([^\/]+)\/$').capitalize()
|
||||
else:
|
||||
unrar = 'Inactivo'
|
||||
torrent_id = config.get_setting("torrent_client", server="torrent", default=0)
|
||||
environment['torrentcli_option'] = str(torrent_id)
|
||||
torrent_options = platformtools.torrent_client_installed()
|
||||
if lib_path == 'Activo':
|
||||
torrent_options = ['MCT'] + torrent_options
|
||||
torrent_options = ['BT'] + torrent_options
|
||||
environment['torrent_list'].append({'Torrent_opt': str(torrent_id), 'Libtorrent': lib_path, \
|
||||
'RAR_Auto': str(environment['torrentcli_rar']), \
|
||||
'RAR_backgr': str(environment['torrentcli_backgr']), \
|
||||
'UnRAR': unrar})
|
||||
environment['torrent_error'] = config.get_setting("libtorrent_error", server="torrent", default="")
|
||||
if environment['torrent_error']:
|
||||
environment['torrent_list'].append({'Libtorrent_error': environment['torrent_error']})
|
||||
|
||||
for torrent_option in torrent_options:
|
||||
cliente = dict()
|
||||
cliente['D_load_Path'] = ''
|
||||
cliente['Libre'] = '?'
|
||||
cliente['Plug_in'] = torrent_option.replace('Plugin externo: ', '')
|
||||
if cliente['Plug_in'] == 'BT':
|
||||
cliente['D_load_Path'] = str(config.get_setting("bt_download_path", server="torrent", default=''))
|
||||
if not cliente['D_load_Path']: continue
|
||||
cliente['Buffer'] = str(config.get_setting("bt_buffer", server="torrent", default=50))
|
||||
elif cliente['Plug_in'] == 'MCT':
|
||||
cliente['D_load_Path'] = str(config.get_setting("mct_download_path", server="torrent", default=''))
|
||||
if not cliente['D_load_Path']: continue
|
||||
cliente['Buffer'] = str(config.get_setting("mct_buffer", server="torrent", default=50))
|
||||
elif xbmc.getCondVisibility('System.HasAddon("plugin.video.%s")' % cliente['Plug_in']):
|
||||
__settings__ = xbmcaddon.Addon(id="plugin.video.%s" % cliente['Plug_in'])
|
||||
cliente['Plug_in'] = cliente['Plug_in'].capitalize()
|
||||
if cliente['Plug_in'] == 'Torrenter':
|
||||
cliente['D_load_Path'] = str(xbmc.translatePath(__settings__.getSetting('storage')))
|
||||
if not cliente['D_load_Path']:
|
||||
cliente['D_load_Path'] = str(filetools.join(xbmc.translatePath("special://home/"), \
|
||||
"cache", "xbmcup", "plugin.video.torrenter",
|
||||
"Torrenter"))
|
||||
cliente['Buffer'] = str(__settings__.getSetting('pre_buffer_bytes'))
|
||||
else:
|
||||
cliente['D_load_Path'] = str(xbmc.translatePath(__settings__.getSetting('download_path')))
|
||||
cliente['Buffer'] = str(__settings__.getSetting('buffer_size'))
|
||||
if __settings__.getSetting('download_storage') == '1' and __settings__.getSetting('memory_size'):
|
||||
cliente['Memoria'] = str(__settings__.getSetting('memory_size'))
|
||||
|
||||
if cliente['D_load_Path']:
|
||||
try:
|
||||
if environment['os_name'].lower() == 'windows':
|
||||
free_bytes = ctypes.c_ulonglong(0)
|
||||
ctypes.windll.kernel32.GetDiskFreeSpaceExW(ctypes.c_wchar_p(cliente['D_load_Path']),
|
||||
None, None, ctypes.pointer(free_bytes))
|
||||
cliente['Libre'] = str(round(float(free_bytes.value) / \
|
||||
(1024 ** 3), 3)).replace('.', ',')
|
||||
else:
|
||||
disk_space = os.statvfs(cliente['D_load_Path'])
|
||||
if not disk_space.f_frsize: disk_space.f_frsize = disk_space.f_frsize.f_bsize
|
||||
cliente['Libre'] = str(round((float(disk_space.f_bavail) / \
|
||||
(1024 ** 3)) * float(disk_space.f_frsize), 3)).replace('.', ',')
|
||||
except:
|
||||
pass
|
||||
environment['torrent_list'].append(cliente)
|
||||
|
||||
environment['proxy_active'] = ''
|
||||
try:
|
||||
proxy_channel_bloqued_str = base64.b64decode(config.get_setting('proxy_channel_bloqued')).decode('utf-8')
|
||||
proxy_channel_bloqued = dict()
|
||||
proxy_channel_bloqued = ast.literal_eval(proxy_channel_bloqued_str)
|
||||
for channel_bloqued, proxy_active in list(proxy_channel_bloqued.items()):
|
||||
if proxy_active != 'OFF':
|
||||
environment['proxy_active'] += channel_bloqued + ', '
|
||||
except:
|
||||
pass
|
||||
if not environment['proxy_active']: environment['proxy_active'] = 'OFF'
|
||||
environment['proxy_active'] = environment['proxy_active'].rstrip(', ')
|
||||
|
||||
for root, folders, files in filetools.walk(xbmc.translatePath("special://logpath/")):
|
||||
for file in files:
|
||||
if file.lower() in ['kodi.log', 'jarvis.log', 'spmc.log', 'cemc.log', \
|
||||
'mygica.log', 'wonderbox.log', 'leiapp,log', \
|
||||
'leianmc.log', 'kodiapp.log', 'anmc.log', \
|
||||
'latin-anmc.log']:
|
||||
environment['log_path'] = str(filetools.join(root, file))
|
||||
break
|
||||
else:
|
||||
environment['log_path'] = ''
|
||||
break
|
||||
|
||||
if environment['log_path']:
|
||||
environment['log_size_bytes'] = str(filetools.getsize(environment['log_path']))
|
||||
environment['log_size'] = str(round(float(environment['log_size_bytes']) / \
|
||||
(1024 * 1024), 3))
|
||||
else:
|
||||
environment['log_size_bytes'] = ''
|
||||
environment['log_size'] = ''
|
||||
|
||||
environment['debug'] = str(config.get_setting('debug'))
|
||||
environment['addon_version'] = str(config.get_addon_version())
|
||||
|
||||
except:
|
||||
logger.error(traceback.format_exc())
|
||||
environment = {}
|
||||
environment['log_size'] = ''
|
||||
environment['cpu_usage'] = ''
|
||||
environment['python_version'] = ''
|
||||
environment['log_path'] = ''
|
||||
environment['userdata_free'] = ''
|
||||
environment['mem_total'] = ''
|
||||
environment['machine'] = ''
|
||||
environment['platform'] = ''
|
||||
environment['videolab_path'] = ''
|
||||
environment['num_version'] = ''
|
||||
environment['os_name'] = ''
|
||||
environment['video_db'] = ''
|
||||
environment['userdata_path'] = ''
|
||||
environment['log_size_bytes'] = ''
|
||||
environment['name_version'] = ''
|
||||
environment['language'] = ''
|
||||
environment['mem_free'] = ''
|
||||
environment['prod_model'] = ''
|
||||
environment['proxy_active'] = ''
|
||||
environment['architecture'] = ''
|
||||
environment['os_release'] = ''
|
||||
environment['videolab_free'] = ''
|
||||
environment['kodi_buffer'] = ''
|
||||
environment['kodi_bmode'] = ''
|
||||
environment['kodi_rfactor'] = ''
|
||||
environment['videolab_series'] = ''
|
||||
environment['videolab_episodios'] = ''
|
||||
environment['videolab_pelis'] = ''
|
||||
environment['videolab_update'] = ''
|
||||
environment['debug'] = ''
|
||||
environment['addon_version'] = ''
|
||||
environment['torrent_list'] = []
|
||||
environment['torrentcli_option'] = ''
|
||||
environment['torrentcli_rar'] = ''
|
||||
environment['torrentcli_lib_path'] = ''
|
||||
environment['torrentcli_unrar'] = ''
|
||||
environment['torrent_error'] = ''
|
||||
|
||||
return environment
|
||||
|
||||
|
||||
def list_env(environment={}):
|
||||
if not environment:
|
||||
environment = get_environment()
|
||||
|
||||
if environment['debug'] == 'False':
|
||||
logger.log_enable(True)
|
||||
|
||||
logger.info('----------------------------------------------')
|
||||
logger.info('Variables de entorno Alfa: ' + environment['addon_version'] +
|
||||
' Debug: ' + environment['debug'])
|
||||
logger.info("----------------------------------------------")
|
||||
|
||||
logger.info(environment['os_name'] + ' ' + environment['prod_model'] + ' ' +
|
||||
environment['os_release'] + ' ' + environment['machine'] + ' ' +
|
||||
environment['architecture'] + ' ' + environment['language'])
|
||||
|
||||
logger.info('Kodi ' + environment['num_version'] + ', Vídeo: ' +
|
||||
environment['video_db'] + ', Python ' + environment['python_version'])
|
||||
|
||||
if environment['cpu_usage']:
|
||||
logger.info('CPU: ' + environment['cpu_usage'])
|
||||
|
||||
if environment['mem_total'] or environment['mem_free']:
|
||||
logger.info('Memoria: Total: ' + environment['mem_total'] + ' MB / Disp.: ' +
|
||||
environment['mem_free'] + ' MB / Buffers: ' +
|
||||
str(int(environment['kodi_buffer']) * 3) + ' MB / Buffermode: ' +
|
||||
environment['kodi_bmode'] + ' / Readfactor: ' +
|
||||
environment['kodi_rfactor'])
|
||||
|
||||
logger.info('Userdata: ' + environment['userdata_path'] + ' - Libre: ' +
|
||||
environment['userdata_free'].replace('.', ',') + ' GB')
|
||||
|
||||
logger.info('Videoteca: Series/Epis: ' + environment['videolab_series'] + '/' +
|
||||
environment['videolab_episodios'] + ' - Pelis: ' +
|
||||
environment['videolab_pelis'] + ' - Upd: ' +
|
||||
environment['videolab_update'] + ' - Path: ' +
|
||||
environment['videolab_path'] + ' - Libre: ' +
|
||||
environment['videolab_free'].replace('.', ',') + ' GB')
|
||||
|
||||
if environment['torrent_list']:
|
||||
for x, cliente in enumerate(environment['torrent_list']):
|
||||
if x == 0:
|
||||
cliente_alt = cliente.copy()
|
||||
del cliente_alt['Torrent_opt']
|
||||
logger.info('Torrent: Opt: %s, %s' % (str(cliente['Torrent_opt']), \
|
||||
str(cliente_alt).replace('{', '').replace('}', '') \
|
||||
.replace("'", '').replace('_', ' ')))
|
||||
elif x == 1 and environment['torrent_error']:
|
||||
logger.info('- ' + str(cliente).replace('{', '').replace('}', '') \
|
||||
.replace("'", '').replace('_', ' '))
|
||||
else:
|
||||
cliente_alt = cliente.copy()
|
||||
del cliente_alt['Plug_in']
|
||||
cliente_alt['Libre'] = cliente_alt['Libre'].replace('.', ',') + ' GB'
|
||||
logger.info('- %s: %s' % (str(cliente['Plug_in']), str(cliente_alt) \
|
||||
.replace('{', '').replace('}', '').replace("'", '') \
|
||||
.replace('\\\\', '\\')))
|
||||
|
||||
logger.info('Proxy: ' + environment['proxy_active'])
|
||||
|
||||
logger.info('TAMAÑO del LOG: ' + environment['log_size'].replace('.', ',') + ' MB')
|
||||
logger.info("----------------------------------------------")
|
||||
|
||||
if environment['debug'] == 'False':
|
||||
logger.log_enable(False)
|
||||
|
||||
return environment
|
||||
|
||||
|
||||
def paint_env(item, environment={}):
|
||||
from core.item import Item
|
||||
from channelselector import get_thumb
|
||||
|
||||
if not environment:
|
||||
environment = get_environment()
|
||||
environment = list_env(environment)
|
||||
|
||||
itemlist = []
|
||||
|
||||
thumb = get_thumb("setting_0.png")
|
||||
|
||||
cabecera = """\
|
||||
Muestra las [COLOR yellow]variables[/COLOR] del ecosistema de Kodi que puden ser relevantes para el diagnóstico de problema en Alfa:
|
||||
- Versión de Alfa con Fix
|
||||
- Debug Alfa: True/False
|
||||
"""
|
||||
plataform = """\
|
||||
Muestra los datos especificos de la [COLOR yellow]plataforma[/COLOR] en la que está alojado Kodi:
|
||||
- Sistema Operativo
|
||||
- Modelo (opt)
|
||||
- Versión SO
|
||||
- Procesador
|
||||
- Aquitectura
|
||||
- Idioma de Kodi
|
||||
"""
|
||||
kodi = """\
|
||||
Muestra los datos especificos de la instalación de [COLOR yellow]Kodi[/COLOR]:
|
||||
- Versión de Kodi
|
||||
- Base de Datos de Vídeo
|
||||
- Versión de Python
|
||||
"""
|
||||
cpu = """\
|
||||
Muestra los datos consumo actual de [COLOR yellow]CPU(s)[/COLOR]
|
||||
"""
|
||||
memoria = """\
|
||||
Muestra los datos del uso de [COLOR yellow]Memoria[/COLOR] del sistema:
|
||||
- Memoria total
|
||||
- Memoria disponible
|
||||
- en [COLOR yellow]Advancedsettings.xml[/COLOR]
|
||||
- Buffer de memoria
|
||||
configurado:
|
||||
para Kodi: 3 x valor de
|
||||
<memorysize>
|
||||
- Buffermode: cachea:
|
||||
* Internet (0, 2)
|
||||
* También local (1)
|
||||
* No Buffer (3)
|
||||
- Readfactor: readfactor *
|
||||
avg bitrate vídeo
|
||||
"""
|
||||
userdata = """\
|
||||
Muestra los datos del "path" de [COLOR yellow]Userdata[/COLOR]:
|
||||
- Path
|
||||
- Espacio disponible
|
||||
"""
|
||||
videoteca = """\
|
||||
Muestra los datos de la [COLOR yellow]Videoteca[/COLOR]:
|
||||
- Nº de Series y Episodios
|
||||
- Nº de Películas
|
||||
- Tipo de actulización
|
||||
- Path
|
||||
- Espacio disponible
|
||||
"""
|
||||
torrent = """\
|
||||
Muestra los datos generales del estado de [COLOR yellow]Torrent[/COLOR]:
|
||||
- ID del cliente seleccionado
|
||||
- Descompresión automática de archivos RAR?
|
||||
- Está activo Libtorrent?
|
||||
- Se descomprimen los RARs en background?
|
||||
- Está operativo el módulo UnRAR? Qué plataforma?
|
||||
"""
|
||||
torrent_error = """\
|
||||
Muestra los datos del error de importación de [COLOR yellow]Libtorrent[/COLOR]
|
||||
"""
|
||||
torrent_cliente = """\
|
||||
Muestra los datos de los [COLOR yellow]Clientes Torrent[/COLOR]:
|
||||
- Nombre del Cliente
|
||||
- Tamaño de buffer inicial
|
||||
- Path de descargas
|
||||
- Tamaño de buffer en Memoria
|
||||
(opt, si no disco)
|
||||
- Espacio disponible
|
||||
"""
|
||||
proxy = """\
|
||||
Muestra las direcciones de canales o servidores que necesitan [COLOR yellow]Proxy[/COLOR]
|
||||
"""
|
||||
log = """\
|
||||
Muestra el tamaño actual del [COLOR yellow]Log[/COLOR]
|
||||
"""
|
||||
reporte = """\
|
||||
Enlaza con la utilidad que permite el [COLOR yellow]envío del Log[/COLOR] de Kodi a través de un servicio Pastebin
|
||||
"""
|
||||
|
||||
itemlist.append(Item(channel=item.channel, title="[COLOR orange][B]Variables " +
|
||||
"de entorno Alfa: %s Debug: %s[/B][/COLOR]" %
|
||||
(environment['addon_version'], environment['debug']),
|
||||
action="", plot=cabecera, thumbnail=thumb, folder=False))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]%s[/COLOR]' %
|
||||
environment['os_name'] + ' ' + environment['prod_model'] + ' ' +
|
||||
environment['os_release'] + ' ' + environment['machine'] + ' ' +
|
||||
environment['architecture'] + ' ' + environment['language'],
|
||||
action="", plot=plataform, thumbnail=thumb, folder=False))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]Kodi [/COLOR]' +
|
||||
environment['num_version'] + ', Vídeo: ' + environment[
|
||||
'video_db'] +
|
||||
', Python ' + environment['python_version'], action="",
|
||||
plot=kodi, thumbnail=thumb, folder=False))
|
||||
|
||||
if environment['cpu_usage']:
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]CPU: [/COLOR]' +
|
||||
environment['cpu_usage'], action="", plot=cpu, thumbnail=thumb,
|
||||
folder=False))
|
||||
|
||||
if environment['mem_total'] or environment['mem_free']:
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]Memoria: [/COLOR]Total: ' +
|
||||
environment['mem_total'] + ' MB / Disp.: ' +
|
||||
environment['mem_free'] + ' MB / Buffers: ' +
|
||||
str(int(
|
||||
environment['kodi_buffer']) * 3) + ' MB / Buffermode: ' +
|
||||
environment['kodi_bmode'] + ' / Readfactor: ' +
|
||||
environment['kodi_rfactor'],
|
||||
action="", plot=memoria, thumbnail=thumb, folder=False))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]Userdata: [/COLOR]' +
|
||||
environment['userdata_path'] + ' - Free: ' + environment[
|
||||
'userdata_free'].replace('.', ',') +
|
||||
' GB', action="", plot=userdata, thumbnail=thumb, folder=False))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]Videoteca: [/COLOR]Series/Epis: ' +
|
||||
environment['videolab_series'] + '/' + environment[
|
||||
'videolab_episodios'] +
|
||||
' - Pelis: ' + environment['videolab_pelis'] + ' - Upd: ' +
|
||||
environment['videolab_update'] + ' - Path: ' +
|
||||
environment['videolab_path'] + ' - Free: ' + environment[
|
||||
'videolab_free'].replace('.', ',') +
|
||||
' GB', action="", plot=videoteca, thumbnail=thumb, folder=False))
|
||||
|
||||
if environment['torrent_list']:
|
||||
for x, cliente in enumerate(environment['torrent_list']):
|
||||
if x == 0:
|
||||
cliente_alt = cliente.copy()
|
||||
del cliente_alt['Torrent_opt']
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]Torrent: [/COLOR]Opt: %s, %s' \
|
||||
% (str(cliente['Torrent_opt']),
|
||||
str(cliente_alt).replace('{', '').replace('}', '') \
|
||||
.replace("'", '').replace('_', ' ')), action="",
|
||||
plot=torrent, thumbnail=thumb,
|
||||
folder=False))
|
||||
elif x == 1 and environment['torrent_error']:
|
||||
itemlist.append(Item(channel=item.channel,
|
||||
title='[COLOR magenta]- %s[/COLOR]' % str(cliente).replace('{', '').replace('}',
|
||||
'') \
|
||||
.replace("'", '').replace('_', ' '), action="", plot=torrent_error,
|
||||
thumbnail=thumb,
|
||||
folder=False))
|
||||
else:
|
||||
cliente_alt = cliente.copy()
|
||||
del cliente_alt['Plug_in']
|
||||
cliente_alt['Libre'] = cliente_alt['Libre'].replace('.', ',') + ' GB'
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]- %s: [/COLOR]: %s' %
|
||||
(str(cliente['Plug_in']),
|
||||
str(cliente_alt).replace('{', '').replace('}', '') \
|
||||
.replace("'", '').replace('\\\\', '\\')), action="",
|
||||
plot=torrent_cliente,
|
||||
thumbnail=thumb, folder=False))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]Proxy: [/COLOR]' +
|
||||
environment['proxy_active'], action="", plot=proxy,
|
||||
thumbnail=thumb,
|
||||
folder=False))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, title='[COLOR yellow]TAMAÑO del LOG: [/COLOR]' +
|
||||
environment['log_size'].replace('.', ',') + ' MB', action="",
|
||||
plot=log, thumbnail=thumb,
|
||||
folder=False))
|
||||
|
||||
itemlist.append(Item(title="[COLOR hotpink][B]==> Reportar un fallo[/B][/COLOR]",
|
||||
channel="setting", action="report_menu", category='Configuración',
|
||||
unify=False, plot=reporte, thumbnail=get_thumb("error.png")))
|
||||
|
||||
return (itemlist, environment)
|
||||
@@ -5805,3 +5805,63 @@ msgstr ""
|
||||
msgctxt "#707417"
|
||||
msgid "Favourite quality"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707418"
|
||||
msgid "Follow the steps below:"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707419"
|
||||
msgid "%s) click here to enable debug logging"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707420"
|
||||
msgid "%s) repeat what you did to cause the error"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707421"
|
||||
msgid "%s) click here to create the report"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707422"
|
||||
msgid "%s) click here to disable debug logging"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707423"
|
||||
msgid "Explain the issue and share this link:"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707424"
|
||||
msgid "Service not available. Try again later"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707425"
|
||||
msgid "Debug should be active"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707426"
|
||||
msgid "before generating the report"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707427"
|
||||
msgid "Unable to read kodi log"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707428"
|
||||
msgid "Failed to upload report"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707429"
|
||||
msgid "Report an issue"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707430"
|
||||
msgid "Debug logging"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707431"
|
||||
msgid "Enabled"
|
||||
msgstr ""
|
||||
|
||||
msgctxt "#707432"
|
||||
msgid "Disabled"
|
||||
msgstr ""
|
||||
@@ -5809,3 +5809,63 @@ msgstr "Ogni quanto vuoi che vengano controllati? (ore)"
|
||||
msgctxt "#707417"
|
||||
msgid "Favourite quality"
|
||||
msgstr "Qualità preferita"
|
||||
|
||||
msgctxt "#707418"
|
||||
msgid "Follow the steps below:"
|
||||
msgstr "Segui i seguenti passi:"
|
||||
|
||||
msgctxt "#707419"
|
||||
msgid "%s) click here to enable debug logging"
|
||||
msgstr "%s) clicca qui per attivare il logging di debug"
|
||||
|
||||
msgctxt "#707420"
|
||||
msgid "%s) repeat what you did to cause the error"
|
||||
msgstr "%s) ripeti ciò che hai fatto per causare l'errore"
|
||||
|
||||
msgctxt "#707421"
|
||||
msgid "%s) click here to create the report"
|
||||
msgstr "%s) clicca qui per creare il report"
|
||||
|
||||
msgctxt "#707422"
|
||||
msgid "%s) click here to disable debug logging"
|
||||
msgstr "%s) clicca qui per disattivare il logging di debug"
|
||||
|
||||
msgctxt "#707423"
|
||||
msgid "Explain the issue and share this link:"
|
||||
msgstr "Spiega il problema e condividi questo link:"
|
||||
|
||||
msgctxt "#707424"
|
||||
msgid "Service not available. Try again later"
|
||||
msgstr "Servizio non disponibile Riprova più tardi"
|
||||
|
||||
msgctxt "#707425"
|
||||
msgid "Debug should be active"
|
||||
msgstr "Il debug dovrebbe essere attivo"
|
||||
|
||||
msgctxt "#707426"
|
||||
msgid "before generating the report"
|
||||
msgstr "prima di generare il report"
|
||||
|
||||
msgctxt "#707427"
|
||||
msgid "Unable to read kodi log"
|
||||
msgstr "Impossibile leggere il log di kodi"
|
||||
|
||||
msgctxt "#707428"
|
||||
msgid "Failed to upload report"
|
||||
msgstr "Impossibile caricare il report"
|
||||
|
||||
msgctxt "#707429"
|
||||
msgid "Report an issue"
|
||||
msgstr "Segnala un problema"
|
||||
|
||||
msgctxt "#707430"
|
||||
msgid "Debug logging"
|
||||
msgstr "Logging di debug"
|
||||
|
||||
msgctxt "#707431"
|
||||
msgid "Enabled"
|
||||
msgstr "Attivato"
|
||||
|
||||
msgctxt "#707432"
|
||||
msgid "Disabed"
|
||||
msgstr "Disattivato"
|
||||
@@ -40,14 +40,13 @@ def mainlist(item):
|
||||
logger.info()
|
||||
itemlist = []
|
||||
|
||||
if config.is_xbmc():
|
||||
itemlist.append(Item(title=config.get_localized_string(707429), channel="setting", action="report_menu",
|
||||
thumbnail=get_thumb("error.png"), viewmode="list"))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, action="", title=config.get_localized_string(60447),
|
||||
thumbnail=get_thumb("help.png"),
|
||||
folder=False))
|
||||
if config.is_xbmc():
|
||||
itemlist.append(Item(channel=item.channel, action="faq",
|
||||
title=config.get_localized_string(60448),
|
||||
thumbnail=get_thumb("help.png"),
|
||||
folder=False, extra="report_error"))
|
||||
itemlist.append(Item(channel=item.channel, action="faq",
|
||||
title=config.get_localized_string(60449),
|
||||
thumbnail=get_thumb("help.png"),
|
||||
|
||||
@@ -888,24 +888,24 @@ def report_menu(item):
|
||||
# Los servidores "pastbin" gratuitos tienen limitación de capacidad, por lo que el tamaño del log es importante
|
||||
# Al final de la operación de upload, se pasa al usuario la dirección de log en el servidor para que los reporte
|
||||
|
||||
itemlist.append(Item(channel=item.channel, action="", title="[COLOR gold]SIGA los siguiente PASOS:[/COLOR]",
|
||||
itemlist.append(Item(channel=item.channel, action="", title=config.get_localized_string(707418),
|
||||
thumbnail=thumb_next, folder=False))
|
||||
#if not config.get_setting('debug'):
|
||||
itemlist.append(Item(channel=item.channel, action="activate_debug", extra=True,
|
||||
title="PASO %s: Active DEBUG aquí antes de generar el log" %
|
||||
title=config.get_localized_string(707419) %
|
||||
str(paso), thumbnail=thumb_debug, folder=False))
|
||||
paso += 1
|
||||
itemlist.append(Item(channel="channelselector", action="getmainlist",
|
||||
title="PASO %s: Reproduzca el problema y vuelva al PASO %s" %
|
||||
(str(paso), str(paso+1)), thumbnail=thumb_debug, folder=False))
|
||||
title=config.get_localized_string(707420) %
|
||||
str(paso), thumbnail=thumb_debug))
|
||||
paso += 1
|
||||
itemlist.append(Item(channel=item.channel, action="report_send",
|
||||
title="PASO %s: Genere el informe de FALLO desde aquí" %
|
||||
str(paso), thumbnail=thumb_error))
|
||||
title=config.get_localized_string(707421) %
|
||||
str(paso), thumbnail=thumb_error, folder=False))
|
||||
paso += 1
|
||||
#if config.get_setting('debug'):
|
||||
itemlist.append(Item(channel=item.channel, action="activate_debug", extra=False,
|
||||
title="PASO %s: Desactive DEBUG aquí -opcional-" % str(paso),
|
||||
title=config.get_localized_string(707422) % str(paso),
|
||||
thumbnail=thumb_debug, folder=False))
|
||||
paso += 1
|
||||
|
||||
@@ -913,26 +913,26 @@ def report_menu(item):
|
||||
itemlist.append(Item(channel=item.channel, action="", title="", folder=False))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, action="",
|
||||
title="[COLOR limegreen]Ha terminado de generar el informe de fallo,[/COLOR]",
|
||||
title=config.get_localized_string(707423),
|
||||
thumbnail=thumb_next, folder=False))
|
||||
itemlist.append(Item(channel=item.channel, action="",
|
||||
title="[COLOR limegreen]Repórtelo en el Foro de Alfa: [/COLOR][COLOR yellow](pinche si Chrome)[/COLOR]",
|
||||
thumbnail=thumb_next,
|
||||
folder=False))
|
||||
itemlist.append(Item(channel=item.channel, action="call_chrome",
|
||||
url='https://alfa-addon.com/foros/ayuda.12/',
|
||||
title="**- [COLOR yellow]https://alfa-addon.com/foros/ayuda.12/[/COLOR] -**",
|
||||
thumbnail=thumb_next, unify=False, folder=False))
|
||||
|
||||
if item.one_use:
|
||||
action = ''
|
||||
url = ''
|
||||
else:
|
||||
action = 'call_chrome'
|
||||
action = 'call_browser'
|
||||
url = item.url
|
||||
itemlist.append(Item(channel=item.channel, action=action,
|
||||
title="**- LOG: [COLOR gold]%s[/COLOR] -**" % item.url, url=url,
|
||||
thumbnail=thumb_next, unify=False, folder=False))
|
||||
|
||||
itemlist.append(Item(channel=item.channel, action="call_browser",
|
||||
title="su Github (raccomandato)", url='https://github.com/kodiondemand/addon/issues',
|
||||
thumbnail=thumb_next,
|
||||
folder=False))
|
||||
itemlist.append(Item(channel=item.channel, action="call_browser",
|
||||
url='https://t.me/kodiondemand', title="Su telegram",
|
||||
thumbnail=thumb_next, unify=False, folder=False))
|
||||
|
||||
if item.one_use:
|
||||
itemlist.append(Item(channel=item.channel, action="",
|
||||
@@ -955,19 +955,17 @@ def activate_debug(item):
|
||||
return report_menu(item)
|
||||
if item.extra:
|
||||
config.set_setting('debug', True)
|
||||
platformtools.dialog_notification('Modo DEBUG', 'Activado')
|
||||
platformtools.dialog_notification(config.get_localized_string(707430), config.get_localized_string(707431))
|
||||
else:
|
||||
config.set_setting('debug', False)
|
||||
platformtools.dialog_notification('Modo DEBUG', 'Desactivado')
|
||||
platformtools.dialog_notification(config.get_localized_string(707430), config.get_localized_string(707432))
|
||||
|
||||
|
||||
def report_send(item, description='', fatal=False):
|
||||
import xbmc
|
||||
import xbmcaddon
|
||||
import random
|
||||
import traceback
|
||||
import re
|
||||
|
||||
|
||||
if PY3:
|
||||
#from future import standard_library
|
||||
#standard_library.install_aliases()
|
||||
@@ -984,7 +982,7 @@ def report_send(item, description='', fatal=False):
|
||||
requests_status = False
|
||||
logger.error(traceback.format_exc())
|
||||
|
||||
from core import jsontools, httptools, proxytools, scrapertools
|
||||
from core import jsontools, httptools, scrapertools
|
||||
from platformcode import envtal
|
||||
|
||||
# Esta función realiza la operación de upload del LOG. El tamaño del archivo es de gran importacia porque
|
||||
@@ -1040,11 +1038,11 @@ def report_send(item, description='', fatal=False):
|
||||
paste_params = ()
|
||||
paste_post = ''
|
||||
status = False
|
||||
msg = 'Servicio no disponible. Inténtelo más tarde'
|
||||
msg = config.get_localized_string(707424)
|
||||
|
||||
# Se verifica que el DEBUG=ON, si no está se rechaza y se pide al usuario que lo active y reproduzca el fallo
|
||||
if not config.get_setting('debug'):
|
||||
platformtools.dialog_notification('DEBUG debe estar ACTIVO', 'antes de generar el informe')
|
||||
platformtools.dialog_notification(config.get_localized_string(707425), config.get_localized_string(707426))
|
||||
return report_menu(item)
|
||||
|
||||
# De cada al futuro se permitira al usuario que introduzca una breve descripción del fallo que se añadirá al LOG
|
||||
@@ -1052,7 +1050,6 @@ def report_send(item, description='', fatal=False):
|
||||
description = platformtools.dialog_input('', 'Introduzca una breve descripción del fallo')
|
||||
|
||||
# Escribimos en el log algunas variables de Kodi y Alfa que nos ayudarán en el diagnóstico del fallo
|
||||
var = proxytools.logger_disp(debugging=True)
|
||||
environment = envtal.list_env()
|
||||
if not environment['log_path']:
|
||||
environment['log_path'] = str(filetools.join(xbmc.translatePath("special://logpath/"), 'kodi.log'))
|
||||
@@ -1066,16 +1063,16 @@ def report_send(item, description='', fatal=False):
|
||||
log_size = float(environment['log_size']) # Tamaño del archivivo en MB
|
||||
log_data = filetools.read(log_path) # Datos del archivo
|
||||
if not log_data: # Algún error?
|
||||
platformtools.dialog_notification('No puede leer el log de Kodi', 'Comuniquelo directamente en el Foro de Alfa')
|
||||
platformtools.dialog_notification(config.get_localized_string(707427), '', 2)
|
||||
return report_menu(item)
|
||||
else: # Log no existe o path erroneo?
|
||||
platformtools.dialog_notification('LOG de Kodi no encontrado', 'Comuniquelo directamente en el Foro de Alfa')
|
||||
platformtools.dialog_notification(config.get_localized_string(707427), '', 2)
|
||||
return report_menu(item)
|
||||
|
||||
# Si se ha introducido la descripción del fallo, se inserta la principio de los datos del LOG
|
||||
log_title = '***** DESCRIPCIÓN DEL FALLO *****'
|
||||
if description:
|
||||
log_data = '%s\n%s\n\n%s' %(log_title, description, log_data)
|
||||
# log_title = '***** DESCRIPCIÓN DEL FALLO *****'
|
||||
# if description:
|
||||
# log_data = '%s\n%s\n\n%s' %(log_title, description, log_data)
|
||||
|
||||
# Se aleatorizan los nombre de los servidores "patebin"
|
||||
for label_a, value_a in list(pastebin_list.items()):
|
||||
@@ -1232,25 +1229,37 @@ def report_send(item, description='', fatal=False):
|
||||
continue
|
||||
|
||||
status = True # Operación de upload terminada con éxito
|
||||
logger.info('Informe de Fallo en Alfa CREADO: ' + str(item.url)) #Se guarda la URL del informe a usuario
|
||||
if fatal: # De uso futuro, para logger.crash
|
||||
platformtools.dialog_ok('Informe de ERROR en Alfa CREADO', 'Repórtelo en el foro agregando ERROR FATAL y esta URL: ', '[COLOR gold]%s[/COLOR]' % item.url, pastebin_one_use_msg)
|
||||
else: # Se pasa la URL del informe a usuario
|
||||
platformtools.dialog_ok('Informe de Fallo en Alfa CREADO', 'Repórtelo en el foro agregando una descripcion del fallo y esta URL: ', '[COLOR gold]%s[/COLOR]' % item.url, pastebin_one_use_msg)
|
||||
logger.info('Report created: ' + str(item.url)) #Se guarda la URL del informe a usuario
|
||||
# if fatal: # De uso futuro, para logger.crash
|
||||
# platformtools.dialog_ok('Informe de ERROR en Alfa CREADO', 'Repórtelo en el foro agregando ERROR FATAL y esta URL: ', '[COLOR gold]%s[/COLOR]' % item.url, pastebin_one_use_msg)
|
||||
# else: # Se pasa la URL del informe a usuario
|
||||
# platformtools.dialog_ok('Informe de Fallo en Alfa CREADO', 'Repórtelo en el foro agregando una descripcion del fallo y esta URL: ', '[COLOR gold]%s[/COLOR]' % item.url, pastebin_one_use_msg)
|
||||
|
||||
break # Operación terminado, no seguimos buscando
|
||||
|
||||
if not status and not fatal: # Operación fracasada...
|
||||
platformtools.dialog_notification('Fallo al guardar el informe', msg) #... se notifica la causa
|
||||
logger.error('Fallo al guardar el informe. ' + msg)
|
||||
platformtools.dialog_notification(config.get_localized_string(707428), msg) #... se notifica la causa
|
||||
logger.error(config.get_localized_string(707428) + msg)
|
||||
|
||||
# Se devuelve control con item.url actualizado, así aparecerá en el menú la URL del informe
|
||||
return report_menu(item)
|
||||
item.action = 'report_menu'
|
||||
platformtools.itemlist_update(item, True)
|
||||
# return report_menu(item)
|
||||
|
||||
|
||||
def call_chrome(item):
|
||||
from lib import generictools
|
||||
|
||||
resultado = generictools.call_chrome(item.url)
|
||||
|
||||
return resultado
|
||||
def call_browser(item):
|
||||
import webbrowser
|
||||
if not webbrowser.open(item.url):
|
||||
import xbmc
|
||||
if xbmc.getCondVisibility('system.platform.linux') and xbmc.getCondVisibility(
|
||||
'system.platform.android'): # android
|
||||
xbmc.executebuiltin('StartAndroidActivity("", "android.intent.action.VIEW", "", "%s")' % (item.url))
|
||||
else:
|
||||
try:
|
||||
import urllib.request as urllib
|
||||
except ImportError:
|
||||
import urllib
|
||||
short = urllib.urlopen(
|
||||
'https://u.nu/api.php?action=shorturl&format=simple&url=' + item.url).read()
|
||||
platformtools.dialog_ok(config.get_localized_string(20000),
|
||||
config.get_localized_string(70740) % short)
|
||||
Reference in New Issue
Block a user