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 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972
|
# Miro - an RSS based video player application
# Copyright (C) 2005-2010 Participatory Culture Foundation
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation; either version 2 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program; if not, write to the Free Software
# Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
#
# In addition, as a special exception, the copyright holders give
# permission to link the code of portions of this program with the OpenSSL
# library.
#
# You must obey the GNU General Public License in all respects for all of
# the code used other than OpenSSL. If you modify file(s) with this
# exception, you may extend this exception to your version of the file(s),
# but you are not obligated to do so. If you do not wish to do so, delete
# this exception statement from your version. If you delete this exception
# statement from all source files in the program, then also delete it here.
"""``miro.item`` -- Holds ``Item`` class and related things.
"""
from datetime import datetime, timedelta
from itertools import chain
from miro.gtcache import gettext as _
from miro.gtcache import ngettext
from math import ceil
from xml.sax.saxutils import unescape
from miro.util import (check_u, returns_unicode, check_f, returns_filename,
quote_unicode_url, stringify, get_first_video_enclosure,
entity_replace)
from miro.plat.utils import FilenameType, filenameToUnicode, unicodeToFilename
import locale
import os.path
import traceback
from miro.download_utils import clean_filename, next_free_filename
from miro.feedparser import FeedParserDict
from miro.feedparserutil import normalize_feedparser_dict
from miro.database import DDBObject, ObjectNotFoundError, ViewTracker
from miro.database import DatabaseConstraintError
from miro.databasehelper import make_simple_get_set
from miro import app
from miro import iconcache
from miro import databaselog
from miro import downloader
from miro import config
from miro import eventloop
from miro import prefs
from miro.plat import resources
from miro import util
from miro import adscraper
from miro import moviedata
import logging
from miro import filetypes
from miro import searchengines
from miro import fileutil
from miro import search
from miro import models
_charset = locale.getpreferredencoding()
KNOWN_MIME_TYPES = (u'audio', u'video')
KNOWN_MIME_SUBTYPES = (
u'mov', u'wmv', u'mp4', u'mp3',
u'mpg', u'mpeg', u'avi', u'x-flv',
u'x-msvideo', u'm4v', u'mkv', u'm2v', u'ogg'
)
MIME_SUBSITUTIONS = {
u'QUICKTIME': u'MOV',
}
class FeedParserValues(object):
"""Helper class to get values from feedparser entries
FeedParserValues objects inspect the FeedParserDict for the entry
attribute for various attributes using in Item (entry_title,
rss_id, url, etc...).
"""
def __init__(self, entry):
self.entry = entry
self.first_video_enclosure = get_first_video_enclosure(entry)
self.data = {
'license': entry.get("license"),
'rss_id': entry.get('id'),
'entry_title': self._calc_title(),
'thumbnail_url': self._calc_thumbnail_url(),
'raw_descrption': self._calc_raw_description(),
'link': self._calc_link(),
'payment_link': self._calc_payment_link(),
'comments_link': self._calc_comments_link(),
'url': self._calc_url(),
'enclosure_size': self._calc_enclosure_size(),
'enclosure_type': self._calc_enclosure_type(),
'enclosure_format': self._calc_enclosure_format(),
'releaseDateObj': self._calc_release_date(),
}
def update_item(self, item):
for key, value in self.data.items():
setattr(item, key, value)
def compare_to_item(self, item):
for key, value in self.data.items():
if getattr(item, key) != value:
return False
return True
def compare_to_item_enclosures(self, item):
compare_keys = (
'url', 'enclosure_size', 'enclosure_type',
'enclosure_format'
)
for key in compare_keys:
if getattr(item, key) != self.data[key]:
return False
return True
def _calc_title(self):
if hasattr(self.entry, "title"):
# The title attribute shouldn't use entities, but some in
# the wild do (#11413). In that case, try to fix them.
return entity_replace(self.entry.title)
if ((self.first_video_enclosure
and 'url' in self.first_video_enclosure)):
return self.first_video_enclosure['url'].decode("ascii",
"replace")
return None
def _calc_thumbnail_url(self):
"""Returns a link to the thumbnail of the video. """
# Try to get the thumbnail specific to the video enclosure
if self.first_video_enclosure is not None:
url = self._get_element_thumbnail(self.first_video_enclosure)
if url is not None:
return url
# Try to get any enclosure thumbnail
if hasattr(self.entry, "enclosures"):
for enclosure in self.entry.enclosures:
url = self._get_element_thumbnail(enclosure)
if url is not None:
return url
# Try to get the thumbnail for our entry
return self._get_element_thumbnail(self.entry)
def _get_element_thumbnail(self, element):
try:
thumb = element["thumbnail"]
except KeyError:
return None
if isinstance(thumb, str):
return thumb
elif isinstance(thumb, unicode):
return thumb.decode('ascii', 'replace')
try:
return thumb["url"].decode('ascii', 'replace')
except (KeyError, AttributeError):
return None
def _calc_raw_description(self):
rv = None
try:
if hasattr(self.first_video_enclosure, "text"):
rv = self.first_video_enclosure["text"]
elif hasattr(self.entry, "description"):
rv = self.entry.description
except Exception:
logging.exception("_calc_raw_description threw exception:")
if rv is None:
return u''
else:
return rv
def _calc_link(self):
if hasattr(self.entry, "link"):
link = self.entry.link
if isinstance(link, dict):
try:
link = link['href']
except KeyError:
return u""
if link is None:
return u""
if isinstance(link, unicode):
return link
try:
return link.decode('ascii', 'replace')
except UnicodeDecodeError:
return link.decode('ascii', 'ignore')
return u""
def _calc_payment_link(self):
try:
return self.first_video_enclosure.payment_url.decode('ascii',
'replace')
except:
try:
return self.entry.payment_url.decode('ascii','replace')
except:
return u""
def _calc_comments_link(self):
return self.entry.get('comments', u"")
def _calc_url(self):
if (self.first_video_enclosure is not None and
'url' in self.first_video_enclosure):
url = self.first_video_enclosure['url'].replace('+', '%20')
return quote_unicode_url(url)
else:
return u''
def _calc_enclosure_size(self):
enc = self.first_video_enclosure
if enc is not None and "torrent" not in enc.get("type", ""):
try:
return int(enc['length'])
except (KeyError, ValueError):
return None
def _calc_enclosure_type(self):
if ((self.first_video_enclosure
and self.first_video_enclosure.has_key('type'))):
return self.first_video_enclosure['type']
else:
return None
def _calc_enclosure_format(self):
enclosure = self.first_video_enclosure
if enclosure:
try:
extension = enclosure['url'].split('.')[-1]
extension = extension.lower().encode('ascii', 'replace')
except (SystemExit, KeyboardInterrupt):
raise
except KeyError:
extension = u''
# Hack for mp3s, "mpeg audio" isn't clear enough
if extension.lower() == u'mp3':
return u'.mp3'
if enclosure.get('type'):
enc = enclosure['type'].decode('ascii', 'replace')
if "/" in enc:
mtype, subtype = enc.split('/', 1)
mtype = mtype.lower()
if mtype in KNOWN_MIME_TYPES:
format = subtype.split(';')[0].upper()
if mtype == u'audio':
format += u' AUDIO'
if format.startswith(u'X-'):
format = format[2:]
return u'.%s' % MIME_SUBSITUTIONS.get(format, format).lower()
if extension in KNOWN_MIME_SUBTYPES:
return u'.%s' % extension
return None
def _calc_release_date(self):
try:
return datetime(*self.first_video_enclosure.updated_parsed[0:7])
except (SystemExit, KeyboardInterrupt):
raise
except:
try:
return datetime(*self.entry.updated_parsed[0:7])
except (SystemExit, KeyboardInterrupt):
raise
except:
return datetime.min
class Item(DDBObject, iconcache.IconCacheOwnerMixin):
"""An item corresponds to a single entry in a feed. It has a
single url associated with it.
"""
ICON_CACHE_VITAL = False
def setup_new(self, fp_values, linkNumber=0, feed_id=None, parent_id=None,
eligibleForAutoDownload=True, channel_title=None):
self.is_file_item = False
self.feed_id = feed_id
self.parent_id = parent_id
self.channelTitle = channel_title
self.isContainerItem = None
self.seen = False
self.autoDownloaded = False
self.pendingManualDL = False
self.downloadedTime = None
self.watchedTime = None
self.pendingReason = u""
self.title = u""
fp_values.update_item(self)
self.expired = False
self.keep = False
self.filename = self.file_type = None
self.eligibleForAutoDownload = eligibleForAutoDownload
self.duration = None
self.screenshot = None
self.media_type_checked = False
self.resumeTime = 0
self.channelTitle = None
self.downloader_id = None
self.was_downloaded = False
self.setup_new_icon_cache()
# Initalize FileItem attributes to None
self.deleted = self.shortFilename = self.offsetPath = None
# linkNumber is a hack to make sure that scraped items at the
# top of a page show up before scraped items at the bottom of
# a page. 0 is the topmost, 1 is the next, and so on
self.linkNumber = linkNumber
self.creationTime = datetime.now()
self._update_release_date()
self._look_for_downloader()
self.setup_common()
self.split_item()
def setup_restored(self):
# For unknown reason(s), some users still have databases with
# item objects missing the isContainerItem attribute even
# after a db upgrade (#8819).
if not hasattr(self, 'isContainerItem'):
self.isContainerItem = None
self.setup_common()
self.setup_links()
def setup_common(self):
self.selected = False
self.active = False
self.expiring = None
self.showMoreInfo = False
self.updating_movie_info = False
@classmethod
def auto_pending_view(cls):
return cls.make_view('feed.autoDownloadable AND '
'NOT item.was_downloaded AND '
'(item.eligibleForAutoDownload OR feed.getEverything)',
joins={'feed': 'item.feed_id=feed.id'})
@classmethod
def manual_pending_view(cls):
return cls.make_view('pendingManualDL')
@classmethod
def auto_downloads_view(cls):
return cls.make_view("item.autoDownloaded AND "
"rd.state in ('downloading', 'paused')",
joins={'remote_downloader rd': 'item.downloader_id=rd.id'})
@classmethod
def manual_downloads_view(cls):
return cls.make_view("NOT item.autoDownloaded AND "
"NOT item.pendingManualDL AND "
"rd.state in ('downloading', 'paused')",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def download_tab_view(cls):
return cls.make_view("(item.pendingManualDL OR "
"(rd.state in ('downloading', 'paused', 'uploading', "
"'uploading-paused') OR "
"(rd.state == 'failed' AND "
"feed.origURL == 'dtv:manualFeed')) AND "
"rd.main_item_id=item.id)",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id',
'feed': 'item.feed_id=feed.id'})
@classmethod
def downloading_view(cls):
return cls.make_view("rd.state in ('downloading', 'uploading') AND "
"rd.main_item_id=item.id",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def only_downloading_view(cls):
return cls.make_view("rd.state='downloading' AND "
"rd.main_item_id=item.id",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def paused_view(cls):
return cls.make_view("rd.state in ('paused', 'uploading-paused') AND "
"rd.main_item_id=item.id",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def unwatched_downloaded_items(cls):
return cls.make_view("NOT item.seen AND "
"item.parent_id IS NULL AND "
"rd.state in ('finished', 'uploading', 'uploading-paused')",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def newly_downloaded_view(cls):
return cls.make_view("NOT item.seen AND "
"(item.file_type != 'other') AND "
"(is_file_item OR "
"rd.state in ('finished', 'uploading', 'uploading-paused'))",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def downloaded_view(cls):
return cls.make_view("rd.state in ('finished', 'uploading', "
"'uploading-paused')",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def unique_new_video_view(cls):
return cls.make_view("NOT item.seen AND "
"item.file_type='video' AND "
"((is_file_item AND NOT deleted) OR "
"(rd.main_item_id=item.id AND "
"rd.state in ('finished', 'uploading', 'uploading-paused')))",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def unique_new_audio_view(cls):
return cls.make_view("NOT item.seen AND "
"item.file_type='audio' AND "
"((is_file_item AND NOT deleted) OR "
"(rd.main_item_id=item.id AND "
"rd.state in ('finished', 'uploading', 'uploading-paused')))",
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def toplevel_view(cls):
return cls.make_view('feed_id IS NOT NULL')
@classmethod
def feed_view(cls, feed_id):
return cls.make_view('feed_id=?', (feed_id,))
@classmethod
def visible_feed_view(cls, feed_id):
return cls.make_view('feed_id=? AND (deleted IS NULL or not deleted)',
(feed_id,))
@classmethod
def visible_folder_view(cls, folder_id):
return cls.make_view('folder_id=? AND (deleted IS NULL or not deleted)',
(folder_id,),
joins={'feed': 'item.feed_id=feed.id'})
@classmethod
def folder_contents_view(cls, folder_id):
return cls.make_view('parent_id=?', (folder_id,))
@classmethod
def feed_downloaded_view(cls, feed_id):
return cls.make_view("feed_id=? AND "
"rd.state in ('finished', 'uploading', 'uploading-paused')",
(feed_id,),
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def feed_downloading_view(cls, feed_id):
return cls.make_view("feed_id=? AND "
"rd.state in ('downloading', 'uploading') AND "
"rd.main_item_id=item.id",
(feed_id,),
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def feed_available_view(cls, feed_id):
return cls.make_view("feed_id=? AND NOT autoDownloaded "
"AND downloadedTime IS NULL AND "
"feed.last_viewed <= item.creationTime",
(feed_id,),
joins={'feed': 'item.feed_id=feed.id'})
@classmethod
def feed_auto_pending_view(cls, feed_id):
return cls.make_view('feed_id=? AND feed.autoDownloadable AND '
'NOT item.was_downloaded AND '
'(item.eligibleForAutoDownload OR feed.getEverything)',
(feed_id,),
joins={'feed': 'item.feed_id=feed.id'})
@classmethod
def feed_unwatched_view(cls, feed_id):
return cls.make_view("feed_id=? AND not seen AND "
"(is_file_item OR rd.state in ('finished', 'uploading', "
"'uploading-paused'))",
(feed_id,),
joins={'remote_downloader AS rd': 'item.downloader_id=rd.id'})
@classmethod
def children_view(cls, parent_id):
return cls.make_view('parent_id=?', (parent_id,))
@classmethod
def playlist_view(cls, playlist_id):
return cls.make_view("pim.playlist_id=?", (playlist_id,),
joins={'playlist_item_map AS pim': 'item.id=pim.item_id'},
order_by='pim.position')
@classmethod
def playlist_folder_view(cls, playlist_folder_id):
return cls.make_view("pim.playlist_id=?", (playlist_folder_id,),
joins={'playlist_folder_item_map AS pim': 'item.id=pim.item_id'},
order_by='pim.position')
@classmethod
def search_item_view(cls):
return cls.make_view("feed.origURL == 'dtv:search'",
joins={'feed': 'item.feed_id=feed.id'})
@classmethod
def watchable_video_view(cls):
return cls.make_view("not isContainerItem AND "
"(deleted IS NULL or not deleted) AND "
"(is_file_item OR rd.main_item_id=item.id) AND "
"(feed.origURL IS NULL OR feed.origURL!= 'dtv:singleFeed') AND "
"item.file_type='video'",
joins={'feed': 'item.feed_id=feed.id',
'remote_downloader as rd': 'item.downloader_id=rd.id'})
@classmethod
def watchable_audio_view(cls):
return cls.make_view("not isContainerItem AND "
"(deleted IS NULL or not deleted) AND "
"(is_file_item OR rd.main_item_id=item.id) AND "
"(feed.origURL IS NULL OR feed.origURL!= 'dtv:singleFeed') AND "
"item.file_type='audio'",
joins={'feed': 'item.feed_id=feed.id',
'remote_downloader as rd': 'item.downloader_id=rd.id'})
@classmethod
def watchable_other_view(cls):
return cls.make_view("(deleted IS NULL OR not deleted) AND "
"(is_file_item OR rd.id IS NOT NULL) AND "
"(parent_id IS NOT NULL or feed.origURL != 'dtv:singleFeed') AND "
"item.file_type='other'",
joins={'feed': 'item.feed_id=feed.id',
'remote_downloader as rd': 'rd.main_item_id=item.id'})
@classmethod
def feed_expiring_view(cls, feed_id, watched_before):
return cls.make_view("watchedTime is not NULL AND "
"watchedTime < ? AND feed_id = ? AND keep = 0",
(watched_before, feed_id),
joins={'feed': 'item.feed_id=feed.id'})
@classmethod
def latest_in_feed_view(cls, feed_id):
return cls.make_view("feed_id=?", (feed_id,),
order_by='releaseDateObj DESC', limit=1)
@classmethod
def media_children_view(cls, parent_id):
return cls.make_view("parent_id=? AND "
"file_type IN ('video', 'audio')", (parent_id,))
@classmethod
def containers_view(cls):
return cls.make_view("isContainerItem")
@classmethod
def file_items_view(cls):
return cls.make_view("is_file_item")
@classmethod
def orphaned_from_feed_view(cls):
return cls.make_view('feed_id IS NOT NULL AND '
'feed_id NOT IN (SELECT id from feed)')
@classmethod
def orphaned_from_parent_view(cls):
return cls.make_view('parent_id IS NOT NULL AND '
'parent_id NOT IN (SELECT id from item)')
@classmethod
def update_folder_trackers(cls):
"""Update each view tracker that care's about the item's folder (both
playlist and channel folders).
"""
for tracker in app.view_tracker_manager.trackers_for_ddb_class(cls):
# bit of a hack here. We only need to update ViewTrackers
# that care about the item's folder. This seems like a
# safe way to check if that's true.
if 'folder_id' in tracker.where:
tracker.check_all_objects()
@classmethod
def downloader_view(cls, dler_id):
return cls.make_view("downloader_id=?", (dler_id,))
def _look_for_downloader(self):
self.set_downloader(downloader.lookup_downloader(self.get_url()))
if self.has_downloader() and self.downloader.is_finished():
self.set_filename(self.downloader.get_filename())
getSelected, setSelected = make_simple_get_set(u'selected',
change_needs_save=False)
getActive, setActive = make_simple_get_set(u'active', change_needs_save=False)
def _find_child_paths(self):
"""If this item points to a directory, return the set all files
under that directory.
"""
filename_root = self.get_filename()
if fileutil.isdir(filename_root):
return set(fileutil.miro_allfiles(filename_root))
else:
return set()
def _make_new_children(self, paths):
filename_root = self.get_filename()
if filename_root is None:
logging.error("Item._make_new_children: get_filename here is None")
return
for path in paths:
assert path.startswith(filename_root)
offsetPath = path[len(filename_root):]
while offsetPath[0] in ('/', '\\'):
offsetPath = offsetPath[1:]
FileItem (path, parent_id=self.id, offsetPath=offsetPath)
def find_new_children(self):
"""If this feed is a container item, walk through its
directory and find any new children. Returns True if it found
children and ran signal_change().
"""
if not self.isContainerItem:
return False
if self.get_state() == 'downloading':
# don't try to find videos that we're in the middle of
# re-downloading
return False
child_paths = self._find_child_paths()
for child in self.getChildren():
child_paths.discard(child.get_filename())
self._make_new_children(child_paths)
if child_paths:
self.signal_change()
return True
return False
def split_item(self):
"""returns True if it ran signal_change()"""
if self.isContainerItem is not None:
return self.find_new_children()
if ((not isinstance(self, FileItem)
and (self.downloader is None
or not self.downloader.is_finished()))):
return False
filename_root = self.get_filename()
if filename_root is None:
return False
if fileutil.isdir(filename_root):
child_paths = self._find_child_paths()
if len(child_paths) > 0:
self.isContainerItem = True
self._make_new_children(child_paths)
else:
if not self.get_feed_url().startswith ("dtv:directoryfeed"):
target_dir = config.get(prefs.NON_VIDEO_DIRECTORY)
if not filename_root.startswith(target_dir):
if isinstance(self, FileItem):
self.migrate (target_dir)
else:
self.downloader.migrate (target_dir)
self.isContainerItem = False
else:
self.isContainerItem = False
self.signal_change()
return True
def set_filename(self, filename):
self.filename = filename
if not self.media_type_checked:
self.file_type = self._file_type_for_filename(filename)
def set_file_type(self, file_type):
self.file_type = file_type
self.signal_change()
def _file_type_for_filename(self, filename):
filename = filename.lower()
for ext in filetypes.VIDEO_EXTENSIONS:
if filename.endswith(ext):
return u'video'
for ext in filetypes.AUDIO_EXTENSIONS:
if filename.endswith(ext):
return u'audio'
return u'other'
def matches_search(self, searchString):
if searchString is None:
return True
searchString = searchString.lower()
title = self.get_title() or u''
desc = self.get_raw_description() or u''
if self.get_filename():
filename = filenameToUnicode(self.get_filename())
else:
filename = u''
if search.match(searchString, [title.lower(), desc.lower(),
filename.lower()]):
return True
else:
return False
def _remove_from_playlists(self):
models.PlaylistItemMap.remove_item_from_playlists(self)
models.PlaylistFolderItemMap.remove_item_from_playlists(self)
def _update_release_date(self):
# FeedParserValues sets up the releaseDateObj attribute
pass
def check_constraints(self):
if self.feed_id is not None:
try:
obj = models.Feed.get_by_id(self.feed_id)
except ObjectNotFoundError:
raise DatabaseConstraintError("my feed (%s) is not in database" % self.feed_id)
else:
if not isinstance(obj, models.Feed):
msg = "feed_id points to a %s instance" % obj.__class__
raise DatabaseConstraintError(msg)
if self.has_parent():
try:
obj = Item.get_by_id(self.parent_id)
except ObjectNotFoundError:
raise DatabaseConstraintError("my parent (%s) is not in database" % self.parent_id)
else:
if not isinstance(obj, Item):
msg = "parent_id points to a %s instance" % obj.__class__
raise DatabaseConstraintError(msg)
# If isContainerItem is None, we may be in the middle
# of building the children list.
if obj.isContainerItem is not None and not obj.isContainerItem:
msg = "parent_id is not a containerItem"
raise DatabaseConstraintError(msg)
if self.parent_id is None and self.feed_id is None:
raise DatabaseConstraintError ("feed_id and parent_id both None")
if self.parent_id is not None and self.feed_id is not None:
raise DatabaseConstraintError ("feed_id and parent_id both not None")
def on_signal_change(self):
self.expiring = None
if hasattr(self, "_state"):
del self._state
if hasattr(self, "_size"):
del self._size
def recalc_feed_counts(self):
self.get_feed().recalc_counts()
def get_viewed(self):
"""Returns True iff this item has never been viewed in the
interface.
Note the difference between "viewed" and seen.
"""
try:
# optimizing by trying the cached feed
return self._feed.last_viewed >= self.creationTime
except AttributeError:
return self.get_feed().last_viewed >= self.creationTime
@returns_unicode
def get_url(self):
"""Returns the URL associated with the first enclosure in the
item.
"""
return self.url
def has_shareable_url(self):
"""Does this item have a URL that the user can share with
others?
This returns True when the item has a non-file URL.
"""
url = self.get_url()
return url != u'' and not url.startswith(u"file:")
def get_feed(self):
"""Returns the feed this item came from.
"""
try:
return self._feed
except AttributeError:
pass
if self.feed_id is not None:
self._feed = models.Feed.get_by_id(self.feed_id)
elif self.has_parent():
self._feed = self.get_parent().get_feed()
else:
self._feed = None
return self._feed
def get_parent(self):
if hasattr(self, "_parent"):
return self._parent
if self.has_parent():
self._parent = Item.get_by_id(self.parent_id)
else:
self._parent = self
return self._parent
@returns_unicode
def get_feed_url(self):
return self.get_feed().origURL
@returns_unicode
def get_source(self):
if self.feed_id is not None:
feed_ = self.get_feed()
if feed_.origURL != 'dtv:manualFeed':
return feed_.get_title()
if self.has_parent():
try:
return self.get_parent().get_title()
except ObjectNotFoundError:
return None
return None
def getChildren(self):
if self.isContainerItem:
return Item.children_view(self.id)
else:
raise ValueError("%s is not a container item" % self)
def children_signal_change(self):
for child in self.getChildren():
child.signal_change(needs_save=False)
def is_playable(self):
"""Is this a playable item?"""
if self.isContainerItem:
return Item.media_children_view(self.id).count() > 0
else:
return self.file_type in ('audio', 'video')
def setFeed(self, feed_id):
"""Moves this item to another feed.
"""
self.feed_id = feed_id
# _feed is created by get_feed which caches the result
if hasattr(self, "_feed"):
del self._feed
if self.isContainerItem:
for item in self.getChildren():
if hasattr(item, "_feed"):
del item._feed
item.signal_change()
self.signal_change()
def expire(self):
self.confirm_db_thread()
self._remove_from_playlists()
if not self.is_external():
self.delete_files()
if self.screenshot:
try:
fileutil.remove(self.screenshot)
except (SystemExit, KeyboardInterrupt):
raise
except:
pass
# This should be done even if screenshot = ""
self.screenshot = None
if self.is_external():
if self.is_downloaded():
if self.isContainerItem:
for item in self.getChildren():
item.make_deleted()
elif self.get_filename():
FileItem(self.get_filename(), feed_id=self.feed_id,
parent_id=self.parent_id, deleted=True)
if self.has_downloader():
self.downloader.set_delete_files(False)
self.remove()
else:
self.expired = True
self.seen = self.keep = self.pendingManualDL = False
self.filename = None
self.file_type = self.watchedTime = self.duration = None
self.isContainerItem = None
self.signal_change()
self.recalc_feed_counts()
def has_downloader(self):
return self.downloader_id is not None and self.downloader is not None
def has_parent(self):
return self.parent_id is not None
def is_main_item(self):
return (self.has_downloader() and
self.downloader.main_item_id == self.id)
def downloader_state(self):
if not self.has_downloader():
return None
else:
return self.downloader.state
def stop_upload(self):
if self.downloader:
self.downloader.stop_upload()
if self.isContainerItem:
self.children_signal_change()
def pause_upload(self):
if self.downloader:
self.downloader.pause_upload()
if self.isContainerItem:
self.children_signal_change()
def start_upload(self):
if self.downloader:
self.downloader.start_upload()
if self.isContainerItem:
self.children_signal_change()
@returns_unicode
def getString(self, when):
"""Get the expiration time a string to display to the user."""
offset = when - datetime.now()
if offset.days > 0:
result = ngettext("%(count)d day",
"%(count)d days",
offset.days,
{"count": offset.days})
elif offset.seconds > 3600:
result = ngettext("%(count)d hour",
"%(count)d hours",
ceil(offset.seconds/3600.0),
{"count": ceil(offset.seconds/3600.0)})
else:
result = ngettext("%(count)d minute",
"%(count)d minutes",
ceil(offset.seconds/60.0),
{"count": ceil(offset.seconds/60.0)})
return result
def get_expiration_time(self):
"""Returns the time when this item should expire.
Returns a datetime.datetime object or None if it doesn't expire.
"""
self.confirm_db_thread()
if self.get_watched_time() is None or not self.is_downloaded():
return None
if self.keep:
return None
ufeed = self.get_feed()
if ufeed.expire == u'never' or (ufeed.expire == u'system'
and config.get(prefs.EXPIRE_AFTER_X_DAYS) <= 0):
return None
else:
if ufeed.expire == u"feed":
expireTime = ufeed.expireTime
elif ufeed.expire == u"system":
expireTime = timedelta(days=config.get(prefs.EXPIRE_AFTER_X_DAYS))
return self.get_watched_time() + expireTime
def get_watched_time(self):
"""Returns the most recent watched time of this item or any
of its child items.
Returns a datetime.datetime instance or None if the item and none
of its children have been watched.
"""
if not self.get_seen():
return None
if self.isContainerItem and self.watchedTime == None:
self.watchedTime = datetime.min
for item in self.getChildren():
childTime = item.get_watched_time()
if childTime is None:
self.watchedTime = None
return None
if childTime > self.watchedTime:
self.watchedTime = childTime
self.signal_change()
return self.watchedTime
def get_expiring(self):
if self.expiring is None:
if not self.get_seen():
self.expiring = False
elif self.keep:
self.expiring = False
else:
ufeed = self.get_feed()
if ufeed.expire == u'never':
self.expiring = False
elif (ufeed.expire == u'system'
and config.get(prefs.EXPIRE_AFTER_X_DAYS) <= 0):
self.expiring = False
else:
self.expiring = True
return self.expiring
def get_seen(self):
"""Returns true iff video has been seen.
Note the difference between "viewed" and "seen".
"""
self.confirm_db_thread()
return self.seen
def mark_item_seen(self, markOtherItems=True):
"""Marks the item as seen.
"""
self.confirm_db_thread()
if self.isContainerItem:
for child in self.getChildren():
child.seen = True
child.signal_change()
if self.seen == False:
self.seen = True
if self.watchedTime is None:
self.watchedTime = datetime.now()
self.signal_change()
self.update_parent_seen()
if markOtherItems and self.downloader:
for item in self.downloader.itemList:
if item != self:
item.mark_item_seen(False)
self.recalc_feed_counts()
def update_parent_seen(self):
if self.parent_id:
unseen_children = self.make_view('parent_id=? AND NOT seen AND '
"file_type in ('audio', 'video')", (self.parent_id,))
new_seen = (unseen_children.count() == 0)
parent = self.get_parent()
if parent.seen != new_seen:
parent.seen = new_seen
parent.signal_change()
def mark_item_unseen(self, markOtherItems=True):
self.confirm_db_thread()
if self.isContainerItem:
for item in self.getChildren():
item.seen = False
item.signal_change()
if self.seen:
self.seen = False
self.watchedTime = None
self.signal_change()
self.update_parent_seen()
if markOtherItems and self.downloader:
for item in self.downloader.itemList:
if item != self:
item.mark_item_unseen(False)
self.recalc_feed_counts()
@returns_unicode
def get_rss_id(self):
self.confirm_db_thread()
return self.rss_id
def remove_rss_id(self):
self.confirm_db_thread()
self.rss_id = None
self.signal_change()
def set_auto_downloaded(self, autodl=True):
self.confirm_db_thread()
if autodl != self.autoDownloaded:
self.autoDownloaded = autodl
self.signal_change()
@eventloop.as_idle
def set_resume_time(self, position):
if not self.id_exists():
return
try:
position = int(position)
except TypeError:
logging.exception("set_resume_time: not-saving! given non-int %s",
position)
return
if self.resumeTime != position:
self.resumeTime = position
self.signal_change()
def get_auto_downloaded(self):
"""Returns true iff item was auto downloaded.
"""
self.confirm_db_thread()
return self.autoDownloaded
def download(self, autodl=False):
"""Starts downloading the item.
"""
self.confirm_db_thread()
manual_dl_count = Item.manual_downloads_view().count()
self.expired = self.keep = self.seen = False
self.was_downloaded = True
if ((not autodl) and
manual_dl_count >= config.get(prefs.MAX_MANUAL_DOWNLOADS)):
self.pendingManualDL = True
self.pendingReason = _("queued for download")
self.signal_change()
return
else:
self.set_auto_downloaded(autodl)
self.pendingManualDL = False
dler = downloader.get_downloader_for_item(self)
if dler is not None:
self.set_downloader(dler)
self.downloader.set_channel_name(unicodeToFilename(self.get_channel_title(True)))
if self.downloader.is_finished():
self.on_download_finished()
else:
self.downloader.start()
self.signal_change()
self.recalc_feed_counts()
def pause(self):
if self.downloader:
self.downloader.pause()
def resume(self):
self.download(self.get_auto_downloaded())
def is_pending_manual_download(self):
self.confirm_db_thread()
return self.pendingManualDL
def is_eligible_for_auto_download(self):
self.confirm_db_thread()
if self.was_downloaded:
return False
ufeed = self.get_feed()
if ufeed.getEverything:
return True
return self.eligibleForAutoDownload
def is_pending_auto_download(self):
return (self.get_feed().isAutoDownloadable() and
self.is_eligible_for_auto_download())
@returns_unicode
def get_thumbnail_url(self):
return self.thumbnail_url
@returns_filename
def get_thumbnail(self):
"""NOTE: When changing this function, change feed.icon_changed
to signal the right set of items.
"""
self.confirm_db_thread()
if self.icon_cache is not None and self.icon_cache.isValid():
path = self.icon_cache.get_filename()
return resources.path(fileutil.expand_filename(path))
elif self.screenshot:
path = self.screenshot
return resources.path(fileutil.expand_filename(path))
elif self.isContainerItem:
return resources.path("images/thumb-default-folder.png")
else:
feed = self.get_feed()
if feed.thumbnailValid():
return feed.get_thumbnail_path()
elif (self.get_filename()
and filetypes.is_audio_filename(self.get_filename())):
return resources.path("images/thumb-default-audio.png")
else:
return resources.path("images/thumb-default-video.png")
def is_downloaded_torrent(self):
return (self.isContainerItem and self.has_downloader() and
self.downloader.is_finished())
@returns_unicode
def get_title(self):
"""Returns the title of the item.
"""
if self.title:
return self.title
if self.is_external() and self.is_downloaded_torrent():
if self.get_filename() is not None:
basename = os.path.basename(self.get_filename())
return filenameToUnicode(basename + os.path.sep)
if self.entry_title is not None:
return self.entry_title
return _('no title')
def set_title(self, title):
self.confirm_db_thread()
self.title = title
self.signal_change()
def set_description(self, desc):
self.confirm_db_thread()
self.raw_descrption = desc
self.signal_change()
def set_channel_title(self, title):
check_u(title)
self.channelTitle = title
self.signal_change()
@returns_unicode
def get_channel_title(self, allowSearchFeedTitle=False):
implClass = self.get_feed().actualFeed.__class__
if implClass in (models.RSSFeedImpl, models.ScraperFeedImpl):
return self.get_feed().get_title()
elif implClass == models.SearchFeedImpl and allowSearchFeedTitle:
e = searchengines.get_last_engine()
if e:
return e.title
else:
return u''
elif self.channelTitle:
return self.channelTitle
else:
return u''
@returns_unicode
def get_raw_description(self):
"""Returns the raw description of the video (unicode).
"""
if self.raw_descrption:
if self.is_downloaded_torrent():
return (_('Contents appear in the library') + '<BR>' +
self.raw_descrption)
else:
return self.raw_descrption
elif self.is_external() and self.is_downloaded_torrent():
lines = [_('Contents:')]
lines.extend(filenameToUnicode(child.offsetPath)
for child in self.getChildren())
return u'<BR>\n'.join(lines)
else:
return None
@returns_unicode
def get_description(self):
"""Returns the description of the video (unicode).
"""
raw_description = self.get_raw_description()
return unicode(adscraper.purify(raw_description))
def looks_like_torrent(self):
"""Returns true if we think this item is a torrent. (For items that
haven't been downloaded this uses the file extension which isn't
totally reliable).
"""
if self.has_downloader():
return self.downloader.get_type() == u'bittorrent'
else:
return filetypes.is_torrent_filename(self.get_url())
def torrent_seeding_status(self):
"""Get the torrent seeding status for this torrent.
Possible values:
None - Not part of a downloaded torrent
'seeding' - Part of a torrent that we're seeding
'stopped' - Part of a torrent that we've stopped seeding
"""
downloader = self.downloader
if downloader is None and self.has_parent():
downloader = self.get_parent().downloader
if downloader is None or downloader.get_type() != u'bittorrent':
return None
if downloader.get_state() == 'uploading':
return 'seeding'
else:
return 'stopped'
def is_transferring(self):
return (self.downloader
and self.downloader.get_state() in (u'uploading', u'downloading'))
def delete_files(self):
"""Stops downloading the item.
"""
self.confirm_db_thread()
if self.has_downloader():
self.set_downloader(None)
if self.isContainerItem:
for item in self.getChildren():
item.delete_files()
item.remove()
self.delete_subtitle_files()
def delete_subtitle_files(self):
"""Deletes subtitle files associated with this item.
"""
files = util.gather_subtitle_files(self.get_filename())
for mem in files:
fileutil.delete(mem)
def get_state(self):
"""Get the state of this item. The state will be on of the
following:
* new -- User has never seen this item
* not-downloaded -- User has seen the item, but not downloaded it
* downloading -- Item is currently downloading
* newly-downloaded -- Item has been downoladed, but not played
* expiring -- Item has been played and is set to expire
* saved -- Item has been played and has been saved
* expired -- Item has expired.
Uses caching to prevent recalculating state over and over
"""
try:
return self._state
except AttributeError:
self._calc_state()
return self._state
@returns_unicode
def _calc_state(self):
"""Recalculate the state of an item after a change
"""
self.confirm_db_thread()
# FIXME, 'failed', and 'paused' should get download icons.
# The user should be able to restart or cancel them (put them
# into the stopped state).
if (self.downloader is None or
self.downloader.get_state() == u'failed'):
if self.pendingManualDL:
self._state = u'downloading'
elif self.expired:
self._state = u'expired'
elif (self.get_viewed() or
(self.downloader and
self.downloader.get_state() == u'failed')):
self._state = u'not-downloaded'
else:
self._state = u'new'
elif self.downloader.get_state() in (u'offline', u'paused'):
if self.pendingManualDL:
self._state = u'downloading'
else:
self._state = u'paused'
elif not self.downloader.is_finished():
self._state = u'downloading'
elif not self.get_seen():
self._state = u'newly-downloaded'
elif self.get_expiring():
self._state = u'expiring'
else:
self._state = u'saved'
@returns_unicode
def get_channel_category(self):
"""Get the category to use for the channel template.
This method is similar to get_state(), but has some subtle
differences. get_state() is used by the download-item
template and is usually more useful to determine what's
actually happening with an item. get_channel_category() is
used by by the channel template to figure out which heading to
put an item under.
* downloading and not-downloaded are grouped together as
not-downloaded
* Newly downloaded and downloading items are always new if
their feed hasn't been marked as viewed after the item's pub
date. This is so that when a user gets a list of items and
starts downloading them, the list doesn't reorder itself.
Once they start watching them, then it reorders itself.
"""
self.confirm_db_thread()
if self.downloader is None or not self.downloader.is_finished():
if not self.get_viewed():
return u'new'
if self.expired:
return u'expired'
else:
return u'not-downloaded'
elif not self.get_seen():
if not self.get_viewed():
return u'new'
return u'newly-downloaded'
elif self.get_expiring():
return u'expiring'
else:
return u'saved'
def is_uploading(self):
"""Returns true if this item is currently uploading. This
only happens for torrents.
"""
return self.downloader and self.downloader.get_state() == u'uploading'
def is_uploading_paused(self):
"""Returns true if this item is uploading but paused. This
only happens for torrents.
"""
return (self.downloader
and self.downloader.get_state() == u'uploading-paused')
def is_downloadable(self):
return self.get_state() in (u'new', u'not-downloaded', u'expired')
def is_downloaded(self):
return self.get_state() in (u"newly-downloaded", u"expiring", u"saved")
def show_save_button(self):
return (self.get_state() in (u'newly-downloaded', u'expiring')
and not self.keep)
def get_size_for_display(self):
"""Returns the size of the item to be displayed.
"""
return util.format_size_for_user(self.get_size())
def get_size(self):
if not hasattr(self, "_size"):
self._size = self._get_size()
return self._size
def _get_size(self):
"""Returns the size of the item. We use the following methods
to get the size:
1. Physical size of a downloaded file
2. HTTP content-length
3. RSS enclosure tag value
"""
if self.is_downloaded():
if self.get_filename() is None:
return 0
try:
fname = self.get_filename()
return os.path.getsize(fname)
except OSError:
return 0
elif self.has_downloader():
return self.downloader.get_total_size()
else:
if self.enclosure_size is not None:
return self.enclosure_size
return 0
def download_progress(self):
"""Returns the download progress in absolute percentage [0.0 -
100.0].
"""
self.confirm_db_thread()
if self.downloader is None:
return 0
else:
size = self.get_size()
dled = self.downloader.get_current_size()
if size == 0:
return 0
else:
return (100.0*dled) / size
@returns_unicode
def get_startup_activity(self):
if self.pendingManualDL:
return self.pendingReason
elif self.downloader:
return self.downloader.get_startup_activity()
else:
return _("starting up...")
def get_pub_date_parsed(self):
"""Returns the published date of the item as a datetime object.
"""
return self.get_release_date_obj()
def get_release_date_obj(self):
"""Returns the date this video was released or when it was
published.
"""
return self.releaseDateObj
def get_duration_value(self):
"""Returns the length of the video in seconds.
"""
secs = 0
if self.duration not in (-1, None):
secs = self.duration / 1000
return secs
@returns_unicode
def get_format(self, emptyForUnknown=True):
"""Returns string with the format of the video.
"""
if self.looks_like_torrent():
return u'.torrent'
if self.downloader:
if ((self.downloader.contentType
and "/" in self.downloader.contentType)):
mtype, subtype = self.downloader.contentType.split('/', 1)
mtype = mtype.lower()
if mtype in KNOWN_MIME_TYPES:
format = subtype.split(';')[0].upper()
if mtype == u'audio':
format += u' AUDIO'
if format.startswith(u'X-'):
format = format[2:]
return u'.%s' % MIME_SUBSITUTIONS.get(format, format).lower()
if self.enclosure_format is not None:
return self.enclosure_format
if emptyForUnknown:
return u""
return u"unknown"
@returns_unicode
def get_license(self):
"""Return the license associated with the video.
"""
self.confirm_db_thread()
if self.license:
return self.license
return self.get_feed().get_license()
@returns_unicode
def get_comments_link(self):
"""Returns the comments link if it exists in the feed item.
"""
return self.comments_link
def get_link(self):
"""Returns the URL of the webpage associated with the item.
"""
return self.link
def get_payment_link(self):
"""Returns the URL of the payment page associated with the
item.
"""
return self.payment_link
def update(self, entry):
"""Updates an item with new data
entry - dict containing the new data
"""
self.update_from_feed_parser_values(FeedParserValues(entry))
def update_from_feed_parser_values(self, fp_values):
fp_values.update_item(self)
self.icon_cache.request_update()
self._update_release_date()
self.signal_change()
def on_download_finished(self):
"""Called when the download for this item finishes."""
self.confirm_db_thread()
self.downloadedTime = datetime.now()
self.set_filename(self.downloader.get_filename())
self.split_item()
self.signal_change()
self._replace_file_items()
self.check_media_file(signal_change=False)
for other in Item.make_view('downloader_id IS NULL AND url=?',
(self.url,)):
other.set_downloader(self.downloader)
self.recalc_feed_counts()
def check_media_file(self, signal_change=True):
if filetypes.is_other_filename(self.filename):
self.file_type = u'other'
self.media_type_checked = True
if signal_change:
self.signal_change()
else:
moviedata.movie_data_updater.request_update(self)
def on_downloader_migrated(self, old_filename, new_filename):
self.set_filename(new_filename)
self.signal_change()
if self.isContainerItem:
self.migrate_children(self.get_filename())
self._replace_file_items()
def _replace_file_items(self):
"""Remove any FileItems that share our filename from the DB.
This fixes a race condition during migrate, where we can create
FileItems that duplicate existing Items. See #12253 for details.
"""
view = Item.make_view('is_file_item AND filename=? AND id !=?',
(filenameToUnicode(self.filename), self.id))
for dup in view:
dup.remove()
def set_downloader(self, downloader):
if self.has_downloader():
if downloader is self.downloader:
return
self.downloader.remove_item(self)
self._downloader = downloader
if downloader is not None:
self.downloader_id = downloader.id
self.was_downloaded = True
downloader.add_item(self)
else:
self.downloader_id = None
self.signal_change()
def save(self):
self.confirm_db_thread()
if self.keep != True:
self.keep = True
self.signal_change()
@returns_filename
def get_filename(self):
return self.filename
def is_video_file(self):
return (self.isContainerItem != True
and filetypes.is_video_filename(self.get_filename()))
def is_audio_file(self):
return (self.isContainerItem != True
and filetypes.is_audio_filename(self.get_filename()))
def is_external(self):
"""Returns True iff this item was not downloaded from a Democracy
channel.
"""
return (self.feed_id is not None
and self.get_feed_url() == 'dtv:manualFeed')
def migrate_children(self, newdir):
if self.isContainerItem:
for item in self.getChildren():
item.migrate(newdir)
def remove(self):
if self.has_downloader():
self.set_downloader(None)
self.remove_icon_cache()
if self.isContainerItem:
for item in self.getChildren():
item.remove()
self._remove_from_playlists()
DDBObject.remove(self)
def setup_links(self):
self.split_item()
if not self.id_exists():
# In split_item() we found out that all our children were
# deleted, so we were removed as well. (#11979)
return
eventloop.addIdle(self.check_deleted, 'checking item deleted')
if self.screenshot and not fileutil.exists(self.screenshot):
self.screenshot = None
self.signal_change()
def check_deleted(self):
if not self.id_exists():
return
if (self.isContainerItem is not None and
not fileutil.exists(self.get_filename()) and
not hasattr(app, 'in_unit_tests')):
self.expire()
def _get_downloader(self):
try:
return self._downloader
except AttributeError:
dler = downloader.get_existing_downloader(self)
if dler is not None:
dler.add_item(self)
self._downloader = dler
return dler
downloader = property(_get_downloader)
def fix_incorrect_torrent_subdir(self):
"""Up to revision 6257, torrent downloads were incorrectly
being created in an extra subdirectory. This method migrates
those torrent downloads to the correct layout.
from: /path/to/movies/foobar.mp4/foobar.mp4
to: /path/to/movies/foobar.mp4
"""
filenamePath = self.get_filename()
if filenamePath is None:
return
if fileutil.isdir(filenamePath):
enclosedFile = os.path.join(filenamePath,
os.path.basename(filenamePath))
if fileutil.exists(enclosedFile):
logging.info("Migrating incorrect torrent download: %s" % enclosedFile)
try:
temp = filenamePath + ".tmp"
fileutil.move(enclosedFile, temp)
for turd in os.listdir(fileutil.expand_filename(filenamePath)):
os.remove(turd)
fileutil.rmdir(filenamePath)
fileutil.rename(temp, filenamePath)
except (SystemExit, KeyboardInterrupt):
raise
except:
logging.warn("fix_incorrect_torrent_subdir error:\n%s",
traceback.format_exc())
self.set_filename(filenamePath)
def __str__(self):
return "Item - %s" % stringify(self.get_title())
class FileItem(Item):
"""An Item that exists as a local file
"""
def setup_new(self, filename, feed_id=None, parent_id=None,
offsetPath=None, deleted=False, fp_values=None,
channel_title=None, mark_seen=False):
if fp_values is None:
fp_values = fp_values_for_file(filename)
Item.setup_new(self, fp_values, feed_id=feed_id, parent_id=parent_id,
eligibleForAutoDownload=False, channel_title=channel_title)
self.is_file_item = True
check_f(filename)
filename = fileutil.abspath(filename)
self.set_filename(filename)
self.deleted = deleted
self.offsetPath = offsetPath
self.shortFilename = clean_filename(os.path.basename(self.filename))
self.was_downloaded = False
if mark_seen:
self.mark_seen = True
self.watchedTime = datetime.now()
if not fileutil.isdir(self.filename):
# If our file isn't a directory, then we know we are definitely
# not a container item. Note that the opposite isn't true in the
# case where we are a directory with only 1 file inside.
self.isContainerItem = False
self.check_media_file(signal_change=False)
self.split_item()
# FileItem downloaders are always None
downloader = property(lambda self: None)
@returns_unicode
def get_state(self):
if self.deleted:
return u"expired"
elif self.get_seen():
return u"saved"
else:
return u"newly-downloaded"
def is_eligible_for_auto_download(self):
return False
def get_channel_category(self):
"""Get the category to use for the channel template.
This method is similar to get_state(), but has some subtle
differences. get_state() is used by the download-item
template and is usually more useful to determine what's
actually happening with an item. get_channel_category() is
used by by the channel template to figure out which heading to
put an item under.
* downloading and not-downloaded are grouped together as
not-downloaded
* Items are always new if their feed hasn't been marked as
viewed after the item's pub date. This is so that when a
user gets a list of items and starts downloading them, the
list doesn't reorder itself.
* Child items match their parents for expiring, where in
get_state, they always act as not expiring.
"""
self.confirm_db_thread()
if self.deleted:
return u'expired'
elif not self.get_seen():
return u'newly-downloaded'
if self.parent_id and self.get_parent().get_expiring():
return u'expiring'
else:
return u'saved'
def get_expiring(self):
return False
def show_save_button(self):
return False
def get_viewed(self):
return True
def is_external(self):
return self.parent_id is None
def expire(self):
self.confirm_db_thread()
if self.has_parent():
# if we can't find the parent, it's possible that it was
# already deleted.
try:
old_parent = self.get_parent()
except ObjectNotFoundError:
old_parent = None
else:
old_parent = None
if not fileutil.exists(self.filename):
# item whose file has been deleted outside of Miro
self.remove()
elif self.has_parent():
self.make_deleted()
else:
# external item that the user deleted in Miro
url = self.get_feed_url()
if ((url.startswith("dtv:manualFeed")
or url.startswith("dtv:singleFeed"))):
self.remove()
else:
self.make_deleted()
if old_parent is not None and old_parent.getChildren().count() == 0:
old_parent.expire()
def make_deleted(self):
self._remove_from_playlists()
self.downloadedTime = None
self.parent_id = None
self.feed_id = models.Feed.get_manual_feed().id
self.deleted = True
self.signal_change()
def delete_files(self):
if self.has_parent():
dler = self.get_parent().downloader
if dler is not None and not dler.child_deleted:
dler.stop_upload()
dler.child_deleted = True
dler.signal_change()
for sibling in self.get_parent().getChildren():
sibling.signal_change(needs_save=False)
try:
if fileutil.isfile(self.filename):
fileutil.remove(self.filename)
elif fileutil.isdir(self.filename):
fileutil.rmtree(self.filename)
except (SystemExit, KeyboardInterrupt):
raise
except:
logging.warn("delete_files error:\n%s", traceback.format_exc())
def download(self, autodl=False):
self.deleted = False
self.signal_change()
def _update_release_date(self):
# This should be called whenever we get a new entry
try:
self.releaseDateObj = datetime.fromtimestamp(fileutil.getmtime(self.filename))
except (SystemExit, KeyboardInterrupt):
raise
except:
self.releaseDateObj = datetime.min
def get_release_date_obj(self):
if self.parent_id:
return self.get_parent().releaseDateObj
else:
return self.releaseDateObj
def migrate(self, newDir):
self.confirm_db_thread()
if self.parent_id:
parent = self.get_parent()
self.filename = os.path.join(parent.get_filename(),
self.offsetPath)
self.signal_change()
return
if self.shortFilename is None:
logging.warn("""\
can't migrate download because we don't have a shortFilename!
filename was %s""", stringify(self.filename))
return
newFilename = os.path.join(newDir, self.shortFilename)
if self.filename == newFilename:
return
if fileutil.exists(self.filename):
newFilename = next_free_filename(newFilename)
def callback():
self.filename = newFilename
self.signal_change()
fileutil.migrate_file(self.filename, newFilename, callback)
elif fileutil.exists(newFilename):
self.filename = newFilename
self.signal_change()
self.migrate_children(newDir)
def setup_links(self):
if self.shortFilename is None:
if self.parent_id is None:
self.shortFilename = clean_filename(os.path.basename(self.filename))
else:
parent_file = self.get_parent().get_filename()
if self.filename.startswith(parent_file):
self.shortFilename = clean_filename(self.filename[len(parent_file):])
else:
logging.warn("%s is not a subdirectory of %s",
self.filename, parent_file)
self._update_release_date()
Item.setup_links(self)
def fp_values_for_file(filename):
return FeedParserValues(FeedParserDict({
'title': filenameToUnicode(os.path.basename(filename)),
'enclosures': [{'url': resources.url(filename)}]
}))
def update_incomplete_movie_data():
for item in chain(Item.downloaded_view(), Item.file_items_view()):
if ((item.duration is None or item.duration == -1 or
item.screenshot is None or not item.media_type_checked)):
item.check_media_file()
def move_orphaned_items():
manual_feed = models.Feed.get_manual_feed()
feedless_items = []
parentless_items = []
for item in Item.orphaned_from_feed_view():
logging.warn("No feed for Item: %s. Moving to manual", item.id)
item.setFeed(manual_feed.id)
feedless_items.append('%s: %s' % (item.id, item.url))
for item in Item.orphaned_from_parent_view():
logging.warn("No parent for Item: %s. Moving to manual", item.id)
item.parent_id = None
item.setFeed(manual_feed.id)
parentless_items.append('%s: %s' % (item.id, item.url))
if feedless_items:
databaselog.info("Moved items to manual feed because their feed was "
"gone: %s", ', '.join(feedless_items))
if parentless_items:
databaselog.info("Moved items to manual feed because their parent was "
"gone: %s", ', '.join(parentless_items))
|