mirror of
https://github.com/beetbox/beets.git
synced 2025-12-08 09:34:23 +01:00
add buckets plugin + tests
Add a new template functions %bucket(text, field) for path formatting.
This commit is contained in:
parent
6cc643520d
commit
581bf768ca
2 changed files with 191 additions and 0 deletions
115
beetsplug/bucket.py
Normal file
115
beetsplug/bucket.py
Normal file
|
|
@ -0,0 +1,115 @@
|
|||
# This file is part of beets.
|
||||
# Copyright 2014, Fabrice Laporte.
|
||||
#
|
||||
# Permission is hereby granted, free of charge, to any person obtaining
|
||||
# a copy of this software and associated documentation files (the
|
||||
# "Software"), to deal in the Software without restriction, including
|
||||
# without limitation the rights to use, copy, modify, merge, publish,
|
||||
# distribute, sublicense, and/or sell copies of the Software, and to
|
||||
# permit persons to whom the Software is furnished to do so, subject to
|
||||
# the following conditions:
|
||||
#
|
||||
# The above copyright notice and this permission notice shall be
|
||||
# included in all copies or substantial portions of the Software.
|
||||
|
||||
"""Enrich path formatting with %bucket_alpha and %bucket_date functions
|
||||
"""
|
||||
|
||||
from datetime import datetime
|
||||
import logging
|
||||
import re
|
||||
import string
|
||||
from beets import plugins
|
||||
# from beets import config
|
||||
|
||||
log = logging.getLogger('beets')
|
||||
|
||||
|
||||
def extract_years(lst):
|
||||
"""Extract years from a list of strings"""
|
||||
|
||||
def make_date(s):
|
||||
"""Convert string representing a year to int
|
||||
"""
|
||||
d = int(s)
|
||||
if d < 100: # two digits imply it is 20th century
|
||||
d = 1900 + d
|
||||
return d
|
||||
|
||||
res = []
|
||||
for bucket in lst:
|
||||
yearspan_str = re.findall('\d+', bucket)
|
||||
yearspan = [make_date(x) for x in yearspan_str]
|
||||
res.append(yearspan)
|
||||
return res
|
||||
|
||||
|
||||
class BucketPlugin(plugins.BeetsPlugin):
|
||||
def __init__(self):
|
||||
super(BucketPlugin, self).__init__()
|
||||
self.template_funcs['bucket'] = self._tmpl_bucket
|
||||
|
||||
self.config.add({
|
||||
'bucket_year': [],
|
||||
'bucket_alpha': [],
|
||||
})
|
||||
self.setup()
|
||||
|
||||
def setup(self):
|
||||
"""Setup plugin from config options
|
||||
"""
|
||||
|
||||
yearranges = extract_years(self.config['bucket_year'].get())
|
||||
self.yearbounds = sorted([y for ys in yearranges for y in ys])
|
||||
self.yearranges = [self.make_year_range(b) for b in yearranges]
|
||||
self.alpharanges = [self.make_alpha_range(b) for b in
|
||||
self.config['bucket_alpha'].get()]
|
||||
log.debug(self.alpharanges)
|
||||
|
||||
def make_year_range(self, ys):
|
||||
"""Express year-span as a list of years [from...to].
|
||||
If input year-span only contain the from year, the to is defined
|
||||
as the from year of the next year-span minus one.
|
||||
"""
|
||||
if len(ys) == 1: # miss upper bound
|
||||
lb_idx = self.yearbounds.index(ys[0])
|
||||
try:
|
||||
ys.append(self.yearbounds[lb_idx + 1])
|
||||
except:
|
||||
ys.append(datetime.now().year + 1)
|
||||
return range(ys[0], ys[1])
|
||||
|
||||
def make_alpha_range(self, s):
|
||||
"""Express chars range as a list of chars [from...to]
|
||||
"""
|
||||
bucket = sorted([x for x in s.lower() if x.isalnum()])
|
||||
beginIdx = string.ascii_lowercase.index(bucket[0])
|
||||
endIdx = string.ascii_lowercase.index(bucket[-1])
|
||||
return string.ascii_lowercase[beginIdx:endIdx + 1]
|
||||
|
||||
def find_bucket_timerange(self, date):
|
||||
"""Find folder whose range contains date
|
||||
1960-1970
|
||||
60s-70s
|
||||
"""
|
||||
for (i, r) in enumerate(self.yearranges):
|
||||
if int(date) in r:
|
||||
return self.config['bucket_year'].get()[i]
|
||||
return date
|
||||
|
||||
def find_bucket_alpha(self, s):
|
||||
for (i, r) in enumerate(self.alpharanges):
|
||||
if s.lower()[0] in r:
|
||||
return self.config['bucket_alpha'].get()[i]
|
||||
return s[0].upper()
|
||||
|
||||
def _tmpl_bucket(self, text, field=None):
|
||||
if not field and text.isdigit():
|
||||
field = 'year'
|
||||
|
||||
if field == 'year':
|
||||
func = self.find_bucket_timerange
|
||||
else:
|
||||
func = self.find_bucket_alpha
|
||||
|
||||
return func(text)
|
||||
76
test/test_bucket.py
Normal file
76
test/test_bucket.py
Normal file
|
|
@ -0,0 +1,76 @@
|
|||
# This file is part of beets.
|
||||
# Copyright 2014, Fabrice Laporte.
|
||||
#
|
||||
# Permission is hereby granted, free of charge, to any person obtaining
|
||||
# a copy of this software and associated documentation files (the
|
||||
# "Software"), to deal in the Software without restriction, including
|
||||
# without limitation the rights to use, copy, modify, merge, publish,
|
||||
# distribute, sublicense, and/or sell copies of the Software, and to
|
||||
# permit persons to whom the Software is furnished to do so, subject to
|
||||
# the following conditions:
|
||||
#
|
||||
# The above copyright notice and this permission notice shall be
|
||||
# included in all copies or substantial portions of the Software.
|
||||
|
||||
"""Tests for the 'bucket' plugin."""
|
||||
|
||||
from _common import unittest
|
||||
from beetsplug import bucket
|
||||
from beets import config
|
||||
|
||||
from helper import TestHelper
|
||||
|
||||
|
||||
class BucketPluginTest(unittest.TestCase, TestHelper):
|
||||
def setUp(self):
|
||||
self.setup_beets()
|
||||
self.plugin = bucket.BucketPlugin()
|
||||
|
||||
def tearDown(self):
|
||||
self.teardown_beets()
|
||||
|
||||
def _setup_config(self, bucket_year=[], bucket_alpha=[]):
|
||||
config['bucket']['bucket_year'] = bucket_year
|
||||
config['bucket']['bucket_alpha'] = bucket_alpha
|
||||
self.plugin.setup()
|
||||
|
||||
def test_year_single_year(self):
|
||||
"""If a single year is given, folder represents a range from this year
|
||||
to the next 'from year' of next folder."""
|
||||
self._setup_config(bucket_year=['50', '70'])
|
||||
|
||||
self.assertEqual(self.plugin._tmpl_bucket('1959'), '50')
|
||||
self.assertEqual(self.plugin._tmpl_bucket('1969'), '50')
|
||||
|
||||
def test_year_single_year_last_folder(self):
|
||||
"""Last folder of a range extends from its year to current year."""
|
||||
self._setup_config(bucket_year=['50', '70'])
|
||||
self.assertEqual(self.plugin._tmpl_bucket('1999'), '70')
|
||||
|
||||
def test_year_two_years(self):
|
||||
self._setup_config(bucket_year=['50-59', '1960-69'])
|
||||
self.assertEqual(self.plugin._tmpl_bucket('1954'), '50-59')
|
||||
|
||||
def test_year_out_of_range(self):
|
||||
"""If no range match, return the year"""
|
||||
self._setup_config(bucket_year=['50-59', '1960-69'])
|
||||
self.assertEqual(self.plugin._tmpl_bucket('1974'), '1974')
|
||||
|
||||
def test_alpha_all_chars(self):
|
||||
self._setup_config(bucket_alpha=['ABCD', 'FGH', 'IJKL'])
|
||||
self.assertEqual(self.plugin._tmpl_bucket('garry'), 'FGH')
|
||||
|
||||
def test_alpha_first_last_chars(self):
|
||||
self._setup_config(bucket_alpha=['A-D', 'F-H', 'I-Z'])
|
||||
self.assertEqual(self.plugin._tmpl_bucket('garry'), 'F-H')
|
||||
|
||||
def test_alpha_out_of_range(self):
|
||||
"""If no range match, return the initial"""
|
||||
self.assertEqual(self.plugin._tmpl_bucket('errol'), 'E')
|
||||
|
||||
|
||||
def suite():
|
||||
return unittest.TestLoader().loadTestsFromName(__name__)
|
||||
|
||||
if __name__ == '__main__':
|
||||
unittest.main(defaultTest='suite')
|
||||
Loading…
Reference in a new issue