« get me outta code hell

Rename pickers2.js to pickers.js - http-music - Command-line music player + utils (not a server!)
about summary refs log tree commit diff
path: root/src
diff options
context:
space:
mode:
authorFlorrie <towerofnix@gmail.com>2017-09-07 08:03:49 -0300
committerFlorrie <towerofnix@gmail.com>2017-09-07 08:03:49 -0300
commit920ca88b5aa02961c739586a45dd9a488a6f4dd0 (patch)
tree5ec86b96f2e16825297946b962749d9283fb70e6 /src
parenta7fdf8b5f64c579135de370f4a7d6d350397314a (diff)
Rename pickers2.js to pickers.js
Diffstat (limited to 'src')
-rw-r--r--src/loop-play.js2
-rw-r--r--src/pickers.js437
-rw-r--r--src/pickers2.js388
3 files changed, 340 insertions, 487 deletions
diff --git a/src/loop-play.js b/src/loop-play.js
index aaaaafe..72e770f 100644
--- a/src/loop-play.js
+++ b/src/loop-play.js
@@ -14,7 +14,7 @@ const EventEmitter = require('events')
 const promisifyProcess = require('./promisify-process')
 const killProcess = require('./kill-process')
 const { getItemPathString, safeUnlink } = require('./playlist-utils')
-const { HistoryController, generalPicker } = require('./pickers2')
+const { HistoryController, generalPicker } = require('./pickers')
 
 const {
   getDownloaderFor, byName: downloadersByName, makeConverter
diff --git a/src/pickers.js b/src/pickers.js
index f44a675..b71c025 100644
--- a/src/pickers.js
+++ b/src/pickers.js
@@ -1,36 +1,177 @@
-'use strict'
+const _seedRandom = require('seed-random')
+
+// Pickers should rely on a "state", which is a serializable object that stores data for a given picker "instance".
+
+// Pick-random picker: picks a random track from the entire playlist each time.
+// Track order is defined by a seed, which is storeed in state. By looking at the track order calculated by the seed, the picker can decide what track to play after a given other track.
+// - Problems:
+//   One track can appear twice before another track appears once (i.e. it does not avoid tracks that have already been picked). This is fine (and intetional), but it makes it impossible to say "after this track, play that track". Thus, how should skipping through a track list work?
+
+// Pickers only pick ONE track at a time.
+// The history manager may run the picker multiple times to create a list of upcoming tracks which may be presented to the user. This list is useful because the user can then decide to skip ahead in the list if they see a bunch of songs they'd like to hear right away.
+// The history manager may keep track of tracks that were previously played, and it should be expected that the user may skip to one of these tracks. If the user skips to a previous track, the upcoming tracks list is NOT recalculated. This is analagous to a book whose pages are randomly added as it is read; when the reader skips back several pages, they should be able to expect to see the following pages in the same order they had previously read them!
+// Pickers only know the track that played immediately before the one that is currently to be picked (or null if no tracks have played yet). This is so that a picker can resume at any given track (e.g. so the user can skip ahead - or back - while playing all their music in order).
+// Picker state is used to contain information specific to that picker (for example, the seed a shuffle picker uses, or sorting methods).
+// Uncertain on how to handle serialization of tracks.. some tracks may appear twice in the same playlist (or two tracks of the same name appear); in this case the serialized path to the two track appearances is the same, when they really refer to two separate instances of the track within the playlist. Could track serialization instead be index-based (rather than name-based)..?
 
 const { flattenGrouplike, isGroup } = require('./playlist-utils')
 
-function shuffleGroups(grouplike) {
+class HistoryController {
+  constructor(playlist, picker, pickerOptions = {}) {
+    this.playlist = playlist
+    this.picker = picker
+    this.pickerOptions = pickerOptions // This is mutable by the picker!
+
+    this.timeline = []
+    this.timelineIndex = -1 // Becomes 0 upon first call of getNextTrack.
+
+    // Number of tracks that should be picked and placed into the timeline
+    // "ahead of time" (i.e. past the timelineIndex).
+    this.timelineFillSize = 50
+  }
+
+  addNextTrackToTimeline(picker) {
+    const lastTrack = this.timeline[this.timeline.length - 1] || null
+    const picked = this.picker(this.playlist, lastTrack, this.pickerOptions)
+    this.timeline.push(picked)
+  }
+
+  fillTimeline() {
+    // Refills the timeline so that there's at least timelineFillSize tracks
+    // past the current timeline index (which is considered to be at least 0,
+    // i.e. so that while it is -1 initially, the length will still be filled
+    // to a length of tilelineFillSize).
+
+    // Math.max is used here because we should always be loading at least one
+    // track (the one at the current index)!
+    const targetSize = (
+      Math.max(this.timelineFillSize, 1) +
+      Math.max(this.timelineIndex, 0)
+    )
+
+    while (this.timeline.length < targetSize) {
+      this.addNextTrackToTimeline()
+    }
+  }
+
+  getNextTrack(move = true) {
+    // Moves the timeline index forwards and returns the track at the new index
+    // (while refilling the timeline, so that the "up next" list is still full,
+    // and so the picker is called if there is no track at the current index).
+    if (move) {
+      this.timelineIndex++
+      this.fillTimeline()
+      return this.currentTrack
+    } else {
+      return this.timeline[this.timelineIndex + 1]
+    }
+  }
+
+  getBackTrack(move = true) {
+    if (move) {
+      if (this.timelineIndex > 0) {
+        this.timelineIndex--
+      }
+      return this.currentTrack
+    } else {
+      return this.timeline[Math.max(this.timelineIndex - 1, 0)]
+    }
+  }
+
+  get currentTrack() {
+    // Returns the track in the timeline at the current index.
+    return this.timeline[this.timelineIndex]
+  }
+}
+
+function shuffleGroups(grouplike, getRandom) {
   if (isGroup(grouplike) && grouplike.items.every(isGroup)) {
-    const items = shuffleArray(grouplike.items.map(shuffleGroups))
+    const newItems = []
+    for (let item of grouplike.items) {
+      const returnGrouplike = shuffleGroups(item, getRandom)
+      newItems.push(returnGrouplike)
+    }
+
+    const items = shuffleArray(newItems, getRandom)
+
     return Object.assign({}, grouplike, {items})
   } else {
     return grouplike
   }
 }
 
-function makePicker(grouplike, sort, loop) {
-  // Options to take into consideration:
-  // - How should the top-level be sorted?
-  //   (e.g. "order", "shuffle", "shuffle-groups")
-  // - How should looping be handled?
-  //   (e.g. "loop", "no-loop")
-  // - Also keep in mind aliases for all of the above.
-  //   (e.g. "ordered", "shuffled", "noloop")
-  //
-  // What about a shuffle-mode that should simply pick a random track every
-  // time?
-  //
-  // What about a shuffle-mode that re-shuffles the list every time a loop
-  // happens?
-  //
-  // Both of those options could probably be handled via the 'loop' option.
+function shuffleArray(array, getRandom) {
+  // Shuffles the items in an array, using a seeded random number generator.
+  // (That means giving the same array and seed to shuffleArray will always
+  // produce the same results.) Takes a random number generator (Math.random
+  // or a seeded RNG will work here). Super-interesting post on how this
+  // all works (though with less seeded-RNG):
+  // https://bost.ocks.org/mike/shuffle/
+
+  const workingArray = array.slice(0)
+
+  let m = array.length
+
+  while (m) {
+    let i = Math.floor(getRandom() * m)
+    m--
+
+    // Stupid lol; avoids the need of a temporary variable!
+    Object.assign(workingArray, {
+      [m]: workingArray[i],
+      [i]: workingArray[m]
+    })
+  }
+
+  return workingArray
+}
+
+function makeGetRandom(seed = null) {
+  // The normal seedRandom function (from NPM) doesn't handle getting
+  // undefined as its seed very well; this function is fine with that (and
+  // appropriately generates a new seed, as _seedRandom() with no arguments
+  // does).
+
+  if (seed === null) {
+    return _seedRandom()
+  } else {
+    return _seedRandom(seed)
+  }
+}
+
+// ----------------------------------------------------------------------------
+
+function sortFlattenGrouplike(grouplike, sort, getRandom) {
+  // Takes a grouplike (usually a playlist), and returns a flat (only tracks,
+  // no groups) version of it, according to a given sorting method. Takes a
+  // seed, for random-generation purposes.
+
+  if (sort === 'order' || sort === 'ordered') {
+    return {items: flattenGrouplike(grouplike).items}
+  }
+
+  if (
+    sort === 'shuffle' || sort === 'shuffled' ||
+    sort === 'shuffle-tracks' || sort === 'shuffled-tracks'
+  ) {
+    const items = shuffleArray(flattenGrouplike(grouplike).items, getRandom)
+    return {items}
+  }
+
+  if (sort === 'shuffle-groups' || sort === 'shuffled-groups') {
+    const { items } = flattenGrouplike(shuffleGroups(grouplike, getRandom))
+    return {items}
+  }
+}
+
+const flattenedCache = Symbol('Cache of flattened')
+
+function generalPicker(playlist, lastTrack, options) {
+  const { sort, loop } = options
 
   if (![
-    'order', 'ordered', 'shuffle', 'shuffled', 'shuffle-groups',
-    'shuffled-groups'
+    'order', 'ordered', 'shuffle', 'shuffled', 'shuffle-tracks',
+    'shuffled-tracks','shuffle-groups', 'shuffled-groups'
   ].includes(sort)) {
     throw new Error(`Invalid sort mode: ${sort}`)
   }
@@ -42,106 +183,206 @@ function makePicker(grouplike, sort, loop) {
     throw new Error(`Invalid loop mode: ${loop}`)
   }
 
-  const topLevel = {items: []}
+  // Regenerating the flattened list is really time-expensive, so we make sure
+  // to cache the result of the operation (in the 'options' property, which is
+  // used to store "state"-specific data for the picker).
+  let flattened
+  if (options.hasOwnProperty(flattenedCache)) {
+    flattened = options[flattenedCache]
+  } else {
+    console.log('\x1b[1K\rIndexing (flattening)...')
 
-  let generateTopLevel = () => {
-    if (sort === 'order' || sort === 'ordered') {
-      topLevel.items = flattenGrouplike(grouplike).items
+    if (typeof options.seed === 'undefined') {
+      options.seed = Math.random()
     }
 
-    if (sort === 'shuffle' || sort === 'shuffled') {
-      topLevel.items = shuffleArray(flattenGrouplike(grouplike).items)
-    }
+    const getRandom = makeGetRandom(options.seed)
 
-    if (sort === 'shuffle-groups' || sort === 'shuffled-groups') {
-      topLevel.items = flattenGrouplike(shuffleGroups(grouplike)).items
-    }
-  }
+    flattened = sortFlattenGrouplike(playlist, sort, getRandom)
 
-  generateTopLevel()
+    options[flattenedCache] = flattened
+    console.log('\x1b[1K\rDone indexing.')
+  }
 
-  let index = 0
+  const index = flattened.items.indexOf(lastTrack)
 
-  return function() {
-    if (index === topLevel.items.length) {
-      if (loop === 'loop-same-order' || loop === 'loop') {
-        index = 0
-      }
+  if (index === -1) {
+    return flattened.items[0]
+  }
 
-      if (loop === 'loop-regenerate') {
-        generateTopLevel()
-        index = 0
-      }
+  if (index + 1 === flattened.items.length) {
+    if (loop === 'loop-same-order' || loop === 'loop') {
+      return flattened.items[0]
+    }
 
-      if (loop === 'no-loop' || loop === 'no') {
-        // Returning null means the picker is done picking.
-        // (In theory, we could use an ES2015 generator intead, but this works
-        // well enough.)
-        return null
-      }
+    if (loop === 'loop-regenerate') {
+      // Deletes the random number generation seed then starts over. Assigning
+      // a new RNG seed makes it so we get a new shuffle the next time, and
+      // clearing the lastTrack value makes generalPicker thinks we're
+      // starting over. We also need to destroy the flattenedCache, or else it
+      // won't actually recalculate the list.
+      const newSeed = makeGetRandom(options.seed)()
+      options.seed = newSeed
+      delete options[flattenedCache]
+      return generalPicker(playlist, null, options)
     }
 
-    if (index > topLevel.items.length) {
-      throw new Error(
-        "Picker index is greater than total item count?" +
-        `(${index} > ${topLevel.items.length}`
-      )
+    if (loop === 'no-loop' || loop === 'no') {
+      // Returning null means the picker is done picking.
+      return null
     }
+  }
 
-    if (index < topLevel.items.length) {
-      // Pick-random is a special exception - in this case we don't actually
-      // care about the value of the index variable; instead we just pick a
-      // random track from the generated top level.
-      //
-      // Loop=pick-random is different from sort=shuffle. Sort=shuffle always
-      // ensures the same song doesn't play twice in a single shuffle. It's
-      // like how when you shuffle a deck of cards, you'll still never pick
-      // the same card twice, until you go all the way through the deck and
-      // re-shuffle the deck!
-      //
-      // Loop=pick-random instead picks a random track every time the picker
-      // is called. It's more like you reshuffle the complete deck every time
-      // you pick something.
-      //
-      // Now, how should pick-random work when dealing with groups, such as
-      // when using sort=shuffle-groups? (If I can't find a solution, I'd say
-      // that's alright.)
-      if (loop === 'pick-random') {
-        const pickedIndex = Math.floor(Math.random() * topLevel.items.length)
-        return topLevel.items[pickedIndex]
-      }
+  if (index + 1 > flattened.items.length) {
+    throw new Error(
+      "Picker index is greater than total item count?" +
+      `(${index} > ${topLevel.items.length}`
+    )
+  }
 
-      // If we're using any other mode, we just want to get the current item
-      // in the playlist, and increment the index variable by one (note i++
-      // and not ++i; i++ increments AFTER getting i so it gets us the range
-      // 0..length-1, whereas ++i increments BEFORE, which gets us the range
-      // 1..length.
-      return topLevel.items[index++]
+  if (index + 1 < flattened.items.length) {
+    // Pick-random is a special exception - in this case we don't actually
+    // care about the value of the index variable; instead we just pick a
+    // random track from the generated top level.
+    //
+    // Loop=pick-random is different from sort=shuffle. Sort=shuffle always
+    // ensures the same song doesn't play twice in a single shuffle. It's
+    // like how when you shuffle a deck of cards, you'll still never pick
+    // the same card twice, until you go all the way through the deck and
+    // re-shuffle the deck!
+    //
+    // Loop=pick-random instead picks a random track every time the picker
+    // is called. It's more like you reshuffle the complete deck every time
+    // you pick something.
+    //
+    // Now, how should pick-random work when dealing with groups, such as
+    // when using sort=shuffle-groups? (If I can't find a solution, I'd say
+    // that's alright.)
+    /*
+    if (loop === 'pick-random') {
+      const pickedIndex = Math.floor(Math.random() * topLevel.items.length)
+      return topLevel.items[pickedIndex]
     }
+    */
+
+    return flattened.items[index + 1]
   }
 }
 
-function shuffleArray(array) {
-  // Shuffles the items in an array. Super-interesting post on how it works:
-  // https://bost.ocks.org/mike/shuffle/
+module.exports = {HistoryController, generalPicker}
 
-  const workingArray = array.slice(0)
+// ----------------------------------------------------------------------------
 
-  let m = array.length
+// Test script:
 
-  while (m) {
-    let i = Math.floor(Math.random() * m)
-    m--
+if (require.main === module) {
+  const playlist = {items: [{x: 'A'}, {x: 'B'}, {x: 'C'}, {items: [{x: 'D-a'}, {x: 'D-b'}]}, {x: 'E'}]}
 
-    // Stupid lol; avoids the need of a temporary variable!
-    Object.assign(workingArray, {
-      [m]: workingArray[i],
-      [i]: workingArray[m]
-    })
+  console.log('ordered:')
+  console.log('- testing to see if timeline fill size works correctly')
+  console.log('- initial length should be 4, index -1')
+  console.log('- once index becomes 0, length should still be 4')
+  console.log('- as index grows, length should increase at same rate')
+
+  const hc = new HistoryController(playlist, generalPicker, {sort: 'ordered', loop: 'loop'})
+
+  hc.timelineFillSize = 4
+  hc.fillTimeline()
+  console.log(hc.timeline)
+  console.log('initial length:', hc.timeline.length)
+  for (let i = 0; i < 6; i++) {
+    console.log(`(${hc.timelineIndex}) next:`, hc.getNextTrack())
+    console.log(`(-> ${hc.timelineIndex}) length:`, hc.timeline.length)
   }
 
-  return workingArray
-}
+  console.log('setting timeline index to 2 (3rd item)..')
+  console.log('- timeline shouldn\'t grow until it gets to 6')
+  console.log('  (because currently the timeline is (or should be) 9 (from index=5 + fillSize=4)')
+  console.log('  but then, index=6 + fillSize=4 = length=10)')
+  console.log('- timeline should then grow at same rate as index')
+  hc.timelineIndex = 2
+  console.log('current:', hc.currentTrack)
+
+  for (let i = 0; i < 6; i++) {
+    console.log(`(${hc.timelineIndex}) next:`, hc.getNextTrack())
+    console.log(`(-> ${hc.timelineIndex}) length:`, hc.timeline.length)
+  }
 
+  console.log('---------------')
+  console.log('shuffle-tracks:')
 
-module.exports = makePicker
+  console.log('seed = 123; loop = loop-same-order')
+  console.log(' - should output the same thing every run')
+  console.log(' - the resulting tracks should loop in a cycle')
+  const hc_st = new HistoryController(playlist, generalPicker, {sort: 'shuffle-tracks', loop: 'loop-same-order', seed: 123})
+  hc_st.timelineFillSize = 20
+  hc_st.fillTimeline()
+  console.log(hc_st.timeline)
+
+  console.log('seed = 123; loop = loop-regenerate')
+  console.log(' - should output the same thing every run')
+  console.log(' - the resulting tracks should loop randomly (based on the seed)')
+  const hc_st2 = new HistoryController(playlist, generalPicker, {sort: 'shuffle-tracks', loop: 'loop-regenerate', seed: 123})
+  hc_st2.timelineFillSize = 20
+  hc_st2.fillTimeline()
+  console.log(hc_st2.timeline)
+
+  console.log('seed = undefined')
+  console.log(' - should output something random each time')
+  const hc_st3 = new HistoryController(playlist, generalPicker, {sort: 'shuffle-tracks', loop: 'loop'})
+  hc_st3.timelineFillSize = 5
+  hc_st3.fillTimeline()
+  console.log(hc_st3.timeline)
+
+  console.log('---------------')
+  console.log('shuffle-groups:')
+  console.log('(different playlist used here)')
+
+  const playlist2 = {items: [
+    {items: [
+      {x: 'A-a'}, {x: 'A-b'}, {x: 'A-c'}
+    ]},
+    {items: [
+      {x: 'B-a'}, {x: 'B-b'}
+    ]},
+    {items: [
+      {items: [
+        {x: 'C-1-a'}, {x: 'C-1-b'}
+      ]},
+      {items: [
+        {x: 'C-2-a'}, {x: 'C-2-b'}
+      ]}
+    ]}
+  ]}
+
+  console.log('seed = baz')
+  console.log(' - should output the same thing every time')
+  const hc_sg = new HistoryController(playlist2, generalPicker, {sort: 'shuffle-groups', loop: 'loop', seed: '13324iou321324i234123'})
+  hc_sg.timelineFillSize = 3 + 2 + (2 + 2)
+  hc_sg.fillTimeline()
+  console.log(hc_sg.timeline)
+
+  console.log('seed = undefined')
+  console.log('- should output something random each time')
+  const hc_sg2 = new HistoryController(playlist2, generalPicker, {sort: 'shuffle-groups', loop: 'loop'})
+  hc_sg2.timelineFillSize = 3 + 2 + (2 + 2)
+  hc_sg2.fillTimeline()
+  console.log(hc_sg2.timeline)
+
+  console.log('---------------')
+  console.log('misc. stuff')
+
+  const playlist3 = {items: []}
+  for (let i = 0; i < 10000; i++) {
+    playlist3.items.push({i})
+  }
+
+  console.log('speedtest shuffle-tracks on 10000 items')
+
+  const hc_sp = new HistoryController(playlist3, generalPicker, {sort: 'shuffle-tracks', loop: 'loop'})
+  hc_sp.timelineFillSize = playlist3.items.length
+
+  console.time('speedtest10k')
+  hc_sp.fillTimeline()
+  console.timeEnd('speedtest10k')
+}
diff --git a/src/pickers2.js b/src/pickers2.js
deleted file mode 100644
index b71c025..0000000
--- a/src/pickers2.js
+++ /dev/null
@@ -1,388 +0,0 @@
-const _seedRandom = require('seed-random')
-
-// Pickers should rely on a "state", which is a serializable object that stores data for a given picker "instance".
-
-// Pick-random picker: picks a random track from the entire playlist each time.
-// Track order is defined by a seed, which is storeed in state. By looking at the track order calculated by the seed, the picker can decide what track to play after a given other track.
-// - Problems:
-//   One track can appear twice before another track appears once (i.e. it does not avoid tracks that have already been picked). This is fine (and intetional), but it makes it impossible to say "after this track, play that track". Thus, how should skipping through a track list work?
-
-// Pickers only pick ONE track at a time.
-// The history manager may run the picker multiple times to create a list of upcoming tracks which may be presented to the user. This list is useful because the user can then decide to skip ahead in the list if they see a bunch of songs they'd like to hear right away.
-// The history manager may keep track of tracks that were previously played, and it should be expected that the user may skip to one of these tracks. If the user skips to a previous track, the upcoming tracks list is NOT recalculated. This is analagous to a book whose pages are randomly added as it is read; when the reader skips back several pages, they should be able to expect to see the following pages in the same order they had previously read them!
-// Pickers only know the track that played immediately before the one that is currently to be picked (or null if no tracks have played yet). This is so that a picker can resume at any given track (e.g. so the user can skip ahead - or back - while playing all their music in order).
-// Picker state is used to contain information specific to that picker (for example, the seed a shuffle picker uses, or sorting methods).
-// Uncertain on how to handle serialization of tracks.. some tracks may appear twice in the same playlist (or two tracks of the same name appear); in this case the serialized path to the two track appearances is the same, when they really refer to two separate instances of the track within the playlist. Could track serialization instead be index-based (rather than name-based)..?
-
-const { flattenGrouplike, isGroup } = require('./playlist-utils')
-
-class HistoryController {
-  constructor(playlist, picker, pickerOptions = {}) {
-    this.playlist = playlist
-    this.picker = picker
-    this.pickerOptions = pickerOptions // This is mutable by the picker!
-
-    this.timeline = []
-    this.timelineIndex = -1 // Becomes 0 upon first call of getNextTrack.
-
-    // Number of tracks that should be picked and placed into the timeline
-    // "ahead of time" (i.e. past the timelineIndex).
-    this.timelineFillSize = 50
-  }
-
-  addNextTrackToTimeline(picker) {
-    const lastTrack = this.timeline[this.timeline.length - 1] || null
-    const picked = this.picker(this.playlist, lastTrack, this.pickerOptions)
-    this.timeline.push(picked)
-  }
-
-  fillTimeline() {
-    // Refills the timeline so that there's at least timelineFillSize tracks
-    // past the current timeline index (which is considered to be at least 0,
-    // i.e. so that while it is -1 initially, the length will still be filled
-    // to a length of tilelineFillSize).
-
-    // Math.max is used here because we should always be loading at least one
-    // track (the one at the current index)!
-    const targetSize = (
-      Math.max(this.timelineFillSize, 1) +
-      Math.max(this.timelineIndex, 0)
-    )
-
-    while (this.timeline.length < targetSize) {
-      this.addNextTrackToTimeline()
-    }
-  }
-
-  getNextTrack(move = true) {
-    // Moves the timeline index forwards and returns the track at the new index
-    // (while refilling the timeline, so that the "up next" list is still full,
-    // and so the picker is called if there is no track at the current index).
-    if (move) {
-      this.timelineIndex++
-      this.fillTimeline()
-      return this.currentTrack
-    } else {
-      return this.timeline[this.timelineIndex + 1]
-    }
-  }
-
-  getBackTrack(move = true) {
-    if (move) {
-      if (this.timelineIndex > 0) {
-        this.timelineIndex--
-      }
-      return this.currentTrack
-    } else {
-      return this.timeline[Math.max(this.timelineIndex - 1, 0)]
-    }
-  }
-
-  get currentTrack() {
-    // Returns the track in the timeline at the current index.
-    return this.timeline[this.timelineIndex]
-  }
-}
-
-function shuffleGroups(grouplike, getRandom) {
-  if (isGroup(grouplike) && grouplike.items.every(isGroup)) {
-    const newItems = []
-    for (let item of grouplike.items) {
-      const returnGrouplike = shuffleGroups(item, getRandom)
-      newItems.push(returnGrouplike)
-    }
-
-    const items = shuffleArray(newItems, getRandom)
-
-    return Object.assign({}, grouplike, {items})
-  } else {
-    return grouplike
-  }
-}
-
-function shuffleArray(array, getRandom) {
-  // Shuffles the items in an array, using a seeded random number generator.
-  // (That means giving the same array and seed to shuffleArray will always
-  // produce the same results.) Takes a random number generator (Math.random
-  // or a seeded RNG will work here). Super-interesting post on how this
-  // all works (though with less seeded-RNG):
-  // https://bost.ocks.org/mike/shuffle/
-
-  const workingArray = array.slice(0)
-
-  let m = array.length
-
-  while (m) {
-    let i = Math.floor(getRandom() * m)
-    m--
-
-    // Stupid lol; avoids the need of a temporary variable!
-    Object.assign(workingArray, {
-      [m]: workingArray[i],
-      [i]: workingArray[m]
-    })
-  }
-
-  return workingArray
-}
-
-function makeGetRandom(seed = null) {
-  // The normal seedRandom function (from NPM) doesn't handle getting
-  // undefined as its seed very well; this function is fine with that (and
-  // appropriately generates a new seed, as _seedRandom() with no arguments
-  // does).
-
-  if (seed === null) {
-    return _seedRandom()
-  } else {
-    return _seedRandom(seed)
-  }
-}
-
-// ----------------------------------------------------------------------------
-
-function sortFlattenGrouplike(grouplike, sort, getRandom) {
-  // Takes a grouplike (usually a playlist), and returns a flat (only tracks,
-  // no groups) version of it, according to a given sorting method. Takes a
-  // seed, for random-generation purposes.
-
-  if (sort === 'order' || sort === 'ordered') {
-    return {items: flattenGrouplike(grouplike).items}
-  }
-
-  if (
-    sort === 'shuffle' || sort === 'shuffled' ||
-    sort === 'shuffle-tracks' || sort === 'shuffled-tracks'
-  ) {
-    const items = shuffleArray(flattenGrouplike(grouplike).items, getRandom)
-    return {items}
-  }
-
-  if (sort === 'shuffle-groups' || sort === 'shuffled-groups') {
-    const { items } = flattenGrouplike(shuffleGroups(grouplike, getRandom))
-    return {items}
-  }
-}
-
-const flattenedCache = Symbol('Cache of flattened')
-
-function generalPicker(playlist, lastTrack, options) {
-  const { sort, loop } = options
-
-  if (![
-    'order', 'ordered', 'shuffle', 'shuffled', 'shuffle-tracks',
-    'shuffled-tracks','shuffle-groups', 'shuffled-groups'
-  ].includes(sort)) {
-    throw new Error(`Invalid sort mode: ${sort}`)
-  }
-
-  if (![
-    'loop', 'no-loop', 'no', 'loop-same-order', 'loop-regenerate',
-    'pick-random'
-  ].includes(loop)) {
-    throw new Error(`Invalid loop mode: ${loop}`)
-  }
-
-  // Regenerating the flattened list is really time-expensive, so we make sure
-  // to cache the result of the operation (in the 'options' property, which is
-  // used to store "state"-specific data for the picker).
-  let flattened
-  if (options.hasOwnProperty(flattenedCache)) {
-    flattened = options[flattenedCache]
-  } else {
-    console.log('\x1b[1K\rIndexing (flattening)...')
-
-    if (typeof options.seed === 'undefined') {
-      options.seed = Math.random()
-    }
-
-    const getRandom = makeGetRandom(options.seed)
-
-    flattened = sortFlattenGrouplike(playlist, sort, getRandom)
-
-    options[flattenedCache] = flattened
-    console.log('\x1b[1K\rDone indexing.')
-  }
-
-  const index = flattened.items.indexOf(lastTrack)
-
-  if (index === -1) {
-    return flattened.items[0]
-  }
-
-  if (index + 1 === flattened.items.length) {
-    if (loop === 'loop-same-order' || loop === 'loop') {
-      return flattened.items[0]
-    }
-
-    if (loop === 'loop-regenerate') {
-      // Deletes the random number generation seed then starts over. Assigning
-      // a new RNG seed makes it so we get a new shuffle the next time, and
-      // clearing the lastTrack value makes generalPicker thinks we're
-      // starting over. We also need to destroy the flattenedCache, or else it
-      // won't actually recalculate the list.
-      const newSeed = makeGetRandom(options.seed)()
-      options.seed = newSeed
-      delete options[flattenedCache]
-      return generalPicker(playlist, null, options)
-    }
-
-    if (loop === 'no-loop' || loop === 'no') {
-      // Returning null means the picker is done picking.
-      return null
-    }
-  }
-
-  if (index + 1 > flattened.items.length) {
-    throw new Error(
-      "Picker index is greater than total item count?" +
-      `(${index} > ${topLevel.items.length}`
-    )
-  }
-
-  if (index + 1 < flattened.items.length) {
-    // Pick-random is a special exception - in this case we don't actually
-    // care about the value of the index variable; instead we just pick a
-    // random track from the generated top level.
-    //
-    // Loop=pick-random is different from sort=shuffle. Sort=shuffle always
-    // ensures the same song doesn't play twice in a single shuffle. It's
-    // like how when you shuffle a deck of cards, you'll still never pick
-    // the same card twice, until you go all the way through the deck and
-    // re-shuffle the deck!
-    //
-    // Loop=pick-random instead picks a random track every time the picker
-    // is called. It's more like you reshuffle the complete deck every time
-    // you pick something.
-    //
-    // Now, how should pick-random work when dealing with groups, such as
-    // when using sort=shuffle-groups? (If I can't find a solution, I'd say
-    // that's alright.)
-    /*
-    if (loop === 'pick-random') {
-      const pickedIndex = Math.floor(Math.random() * topLevel.items.length)
-      return topLevel.items[pickedIndex]
-    }
-    */
-
-    return flattened.items[index + 1]
-  }
-}
-
-module.exports = {HistoryController, generalPicker}
-
-// ----------------------------------------------------------------------------
-
-// Test script:
-
-if (require.main === module) {
-  const playlist = {items: [{x: 'A'}, {x: 'B'}, {x: 'C'}, {items: [{x: 'D-a'}, {x: 'D-b'}]}, {x: 'E'}]}
-
-  console.log('ordered:')
-  console.log('- testing to see if timeline fill size works correctly')
-  console.log('- initial length should be 4, index -1')
-  console.log('- once index becomes 0, length should still be 4')
-  console.log('- as index grows, length should increase at same rate')
-
-  const hc = new HistoryController(playlist, generalPicker, {sort: 'ordered', loop: 'loop'})
-
-  hc.timelineFillSize = 4
-  hc.fillTimeline()
-  console.log(hc.timeline)
-  console.log('initial length:', hc.timeline.length)
-  for (let i = 0; i < 6; i++) {
-    console.log(`(${hc.timelineIndex}) next:`, hc.getNextTrack())
-    console.log(`(-> ${hc.timelineIndex}) length:`, hc.timeline.length)
-  }
-
-  console.log('setting timeline index to 2 (3rd item)..')
-  console.log('- timeline shouldn\'t grow until it gets to 6')
-  console.log('  (because currently the timeline is (or should be) 9 (from index=5 + fillSize=4)')
-  console.log('  but then, index=6 + fillSize=4 = length=10)')
-  console.log('- timeline should then grow at same rate as index')
-  hc.timelineIndex = 2
-  console.log('current:', hc.currentTrack)
-
-  for (let i = 0; i < 6; i++) {
-    console.log(`(${hc.timelineIndex}) next:`, hc.getNextTrack())
-    console.log(`(-> ${hc.timelineIndex}) length:`, hc.timeline.length)
-  }
-
-  console.log('---------------')
-  console.log('shuffle-tracks:')
-
-  console.log('seed = 123; loop = loop-same-order')
-  console.log(' - should output the same thing every run')
-  console.log(' - the resulting tracks should loop in a cycle')
-  const hc_st = new HistoryController(playlist, generalPicker, {sort: 'shuffle-tracks', loop: 'loop-same-order', seed: 123})
-  hc_st.timelineFillSize = 20
-  hc_st.fillTimeline()
-  console.log(hc_st.timeline)
-
-  console.log('seed = 123; loop = loop-regenerate')
-  console.log(' - should output the same thing every run')
-  console.log(' - the resulting tracks should loop randomly (based on the seed)')
-  const hc_st2 = new HistoryController(playlist, generalPicker, {sort: 'shuffle-tracks', loop: 'loop-regenerate', seed: 123})
-  hc_st2.timelineFillSize = 20
-  hc_st2.fillTimeline()
-  console.log(hc_st2.timeline)
-
-  console.log('seed = undefined')
-  console.log(' - should output something random each time')
-  const hc_st3 = new HistoryController(playlist, generalPicker, {sort: 'shuffle-tracks', loop: 'loop'})
-  hc_st3.timelineFillSize = 5
-  hc_st3.fillTimeline()
-  console.log(hc_st3.timeline)
-
-  console.log('---------------')
-  console.log('shuffle-groups:')
-  console.log('(different playlist used here)')
-
-  const playlist2 = {items: [
-    {items: [
-      {x: 'A-a'}, {x: 'A-b'}, {x: 'A-c'}
-    ]},
-    {items: [
-      {x: 'B-a'}, {x: 'B-b'}
-    ]},
-    {items: [
-      {items: [
-        {x: 'C-1-a'}, {x: 'C-1-b'}
-      ]},
-      {items: [
-        {x: 'C-2-a'}, {x: 'C-2-b'}
-      ]}
-    ]}
-  ]}
-
-  console.log('seed = baz')
-  console.log(' - should output the same thing every time')
-  const hc_sg = new HistoryController(playlist2, generalPicker, {sort: 'shuffle-groups', loop: 'loop', seed: '13324iou321324i234123'})
-  hc_sg.timelineFillSize = 3 + 2 + (2 + 2)
-  hc_sg.fillTimeline()
-  console.log(hc_sg.timeline)
-
-  console.log('seed = undefined')
-  console.log('- should output something random each time')
-  const hc_sg2 = new HistoryController(playlist2, generalPicker, {sort: 'shuffle-groups', loop: 'loop'})
-  hc_sg2.timelineFillSize = 3 + 2 + (2 + 2)
-  hc_sg2.fillTimeline()
-  console.log(hc_sg2.timeline)
-
-  console.log('---------------')
-  console.log('misc. stuff')
-
-  const playlist3 = {items: []}
-  for (let i = 0; i < 10000; i++) {
-    playlist3.items.push({i})
-  }
-
-  console.log('speedtest shuffle-tracks on 10000 items')
-
-  const hc_sp = new HistoryController(playlist3, generalPicker, {sort: 'shuffle-tracks', loop: 'loop'})
-  hc_sp.timelineFillSize = playlist3.items.length
-
-  console.time('speedtest10k')
-  hc_sp.fillTimeline()
-  console.timeEnd('speedtest10k')
-}