Another big refactor: Back to a single folder for persistence implementation

This commit is contained in:
Deluan 2020-01-14 18:23:29 -05:00
parent 08e096c569
commit a99c3a8af3
27 changed files with 177 additions and 171 deletions

2
.gitignore vendored
View file

@ -1,6 +1,5 @@
/sonic-server /sonic-server
/iTunes*.xml /iTunes*.xml
devDb*
/tmp /tmp
vendor/*/ vendor/*/
wiki wiki
@ -11,3 +10,4 @@ sonic.toml
master.zip master.zip
Jamstash-master Jamstash-master
storm.db storm.db
sonic.db

View file

@ -11,7 +11,7 @@ import (
type sonic struct { type sonic struct {
Port string `default:"4533"` Port string `default:"4533"`
MusicFolder string `default:"./iTunes1.xml"` MusicFolder string `default:"./iTunes1.xml"`
DbPath string `default:"./devDb"` DbPath string `default:"./sonic.db"`
IgnoredArticles string `default:"The El La Los Las Le Les Os As O A"` IgnoredArticles string `default:"The El La Los Las Le Les Os As O A"`
IndexGroups string `default:"A B C D E F G H I J K L M N O P Q R S T U V W X-Z(XYZ) [Unknown]([)"` IndexGroups string `default:"A B C D E F G H I J K L M N O P Q R S T U V W X-Z(XYZ) [Unknown]([)"`

View file

@ -32,7 +32,7 @@ type AlbumRepository interface {
Get(id string) (*Album, error) Get(id string) (*Album, error)
FindByArtist(artistId string) (Albums, error) FindByArtist(artistId string) (Albums, error)
GetAll(...QueryOptions) (Albums, error) GetAll(...QueryOptions) (Albums, error)
PurgeInactive(active Albums) ([]string, error) PurgeInactive(active Albums) error
GetAllIds() ([]string, error) GetAllIds() ([]string, error)
GetStarred(...QueryOptions) (Albums, error) GetStarred(...QueryOptions) (Albums, error)
Search(q string, offset int, size int) (Albums, error) Search(q string, offset int, size int) (Albums, error)

View file

@ -10,7 +10,7 @@ type ArtistRepository interface {
BaseRepository BaseRepository
Put(m *Artist) error Put(m *Artist) error
Get(id string) (*Artist, error) Get(id string) (*Artist, error)
PurgeInactive(active Artists) ([]string, error) PurgeInactive(active Artists) error
Search(q string, offset int, size int) (Artists, error) Search(q string, offset int, size int) (Artists, error)
} }

View file

@ -51,7 +51,7 @@ type MediaFileRepository interface {
Get(id string) (*MediaFile, error) Get(id string) (*MediaFile, error)
FindByAlbum(albumId string) (MediaFiles, error) FindByAlbum(albumId string) (MediaFiles, error)
GetStarred(options ...QueryOptions) (MediaFiles, error) GetStarred(options ...QueryOptions) (MediaFiles, error)
PurgeInactive(active MediaFiles) ([]string, error) PurgeInactive(active MediaFiles) error
GetAllIds() ([]string, error) GetAllIds() ([]string, error)
Search(q string, offset int, size int) (MediaFiles, error) Search(q string, offset int, size int) (MediaFiles, error)
} }

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"time" "time"
@ -30,7 +30,7 @@ type Album struct {
} }
type albumRepository struct { type albumRepository struct {
sqlRepository searchableRepository
} }
func NewAlbumRepository() domain.AlbumRepository { func NewAlbumRepository() domain.AlbumRepository {
@ -41,12 +41,8 @@ func NewAlbumRepository() domain.AlbumRepository {
func (r *albumRepository) Put(a *domain.Album) error { func (r *albumRepository) Put(a *domain.Album) error {
ta := Album(*a) ta := Album(*a)
return WithTx(func(o orm.Ormer) error { return withTx(func(o orm.Ormer) error {
err := r.put(o, a.ID, &ta) return r.put(o, a.ID, a.Name, &ta)
if err != nil {
return err
}
return r.searcher.Index(o, r.tableName, a.ID, a.Name)
}) })
} }
@ -89,9 +85,13 @@ func (r *albumRepository) toAlbums(all []Album) domain.Albums {
return result return result
} }
func (r *albumRepository) PurgeInactive(activeList domain.Albums) ([]string, error) { // TODO Remove []string from return
return r.purgeInactive(activeList, func(item interface{}) string { func (r *albumRepository) PurgeInactive(activeList domain.Albums) error {
return item.(domain.Album).ID return withTx(func(o orm.Ormer) error {
_, err := r.purgeInactive(o, activeList, func(item interface{}) string {
return item.(domain.Album).ID
})
return err
}) })
} }
@ -110,7 +110,7 @@ func (r *albumRepository) Search(q string, offset int, size int) (domain.Albums,
} }
var results []Album var results []Album
err := r.searcher.Search(r.tableName, q, offset, size, &results, "rating desc", "starred desc", "play_count desc", "name") err := r.doSearch(r.tableName, q, offset, size, &results, "rating desc", "starred desc", "play_count desc", "name")
if err != nil { if err != nil {
return nil, err return nil, err
} }

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"github.com/cloudsonic/sonic-server/domain" "github.com/cloudsonic/sonic-server/domain"

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"github.com/astaxie/beego/orm" "github.com/astaxie/beego/orm"
@ -13,7 +13,7 @@ type Artist struct {
} }
type artistRepository struct { type artistRepository struct {
sqlRepository searchableRepository
} }
func NewArtistRepository() domain.ArtistRepository { func NewArtistRepository() domain.ArtistRepository {
@ -24,12 +24,8 @@ func NewArtistRepository() domain.ArtistRepository {
func (r *artistRepository) Put(a *domain.Artist) error { func (r *artistRepository) Put(a *domain.Artist) error {
ta := Artist(*a) ta := Artist(*a)
return WithTx(func(o orm.Ormer) error { return withTx(func(o orm.Ormer) error {
err := r.put(o, a.ID, &ta) return r.put(o, a.ID, a.Name, &ta)
if err != nil {
return err
}
return r.searcher.Index(o, r.tableName, a.ID, a.Name)
}) })
} }
@ -46,9 +42,12 @@ func (r *artistRepository) Get(id string) (*domain.Artist, error) {
return &a, nil return &a, nil
} }
func (r *artistRepository) PurgeInactive(activeList domain.Artists) ([]string, error) { func (r *artistRepository) PurgeInactive(activeList domain.Artists) error {
return r.purgeInactive(activeList, func(item interface{}) string { return withTx(func(o orm.Ormer) error {
return item.(domain.Artist).ID _, err := r.purgeInactive(o, activeList, func(item interface{}) string {
return item.(domain.Artist).ID
})
return err
}) })
} }
@ -58,7 +57,7 @@ func (r *artistRepository) Search(q string, offset int, size int) (domain.Artist
} }
var results []Artist var results []Artist
err := r.searcher.Search(r.tableName, q, offset, size, &results, "name") err := r.doSearch(r.tableName, q, offset, size, &results, "name")
if err != nil { if err != nil {
return nil, err return nil, err
} }

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"github.com/cloudsonic/sonic-server/domain" "github.com/cloudsonic/sonic-server/domain"
@ -36,14 +36,18 @@ var _ = Describe("ArtistRepository", func() {
It("purges inactive records", func() { It("purges inactive records", func() {
active := domain.Artists{{ID: "1"}, {ID: "3"}} active := domain.Artists{{ID: "1"}, {ID: "3"}}
Expect(repo.PurgeInactive(active)).To(Equal([]string{"2"}))
Expect(repo.PurgeInactive(active)).To(BeNil())
Expect(repo.CountAll()).To(Equal(int64(2))) Expect(repo.CountAll()).To(Equal(int64(2)))
Expect(repo.Exists("2")).To(BeFalse()) Expect(repo.Exists("2")).To(BeFalse())
}) })
It("doesn't delete anything if all is active", func() { It("doesn't delete anything if all is active", func() {
active := domain.Artists{{ID: "1"}, {ID: "2"}, {ID: "3"}} active := domain.Artists{{ID: "1"}, {ID: "2"}, {ID: "3"}}
Expect(repo.PurgeInactive(active)).To(BeEmpty())
Expect(repo.PurgeInactive(active)).To(BeNil())
Expect(repo.CountAll()).To(Equal(int64(3))) Expect(repo.CountAll()).To(Equal(int64(3)))
Expect(repo.Exists("1")).To(BeTrue()) Expect(repo.Exists("1")).To(BeTrue())
}) })

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"github.com/astaxie/beego/orm" "github.com/astaxie/beego/orm"
@ -51,7 +51,7 @@ func (r *checkSumRepository) Get(id string) (string, error) {
} }
func (r *checkSumRepository) SetData(newSums map[string]string) error { func (r *checkSumRepository) SetData(newSums map[string]string) error {
err := WithTx(func(o orm.Ormer) error { err := withTx(func(o orm.Ormer) error {
_, err := Db().Raw("delete from checksum").Exec() _, err := Db().Raw("delete from checksum").Exec()
if err != nil { if err != nil {
return err return err

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"github.com/cloudsonic/sonic-server/scanner" "github.com/cloudsonic/sonic-server/scanner"

View file

@ -1,48 +0,0 @@
package db_sql
import (
"testing"
"github.com/cloudsonic/sonic-server/conf"
"github.com/cloudsonic/sonic-server/domain"
"github.com/cloudsonic/sonic-server/log"
. "github.com/onsi/ginkgo"
. "github.com/onsi/gomega"
)
func TestSQLitePersistence(t *testing.T) {
log.SetLevel(log.LevelDebug)
RegisterFailHandler(Fail)
RunSpecs(t, "SQLite Persistence Suite")
}
var testAlbums = domain.Albums{
{ID: "1", Name: "Sgt Peppers", Artist: "The Beatles", ArtistID: "1"},
{ID: "2", Name: "Abbey Road", Artist: "The Beatles", ArtistID: "1"},
{ID: "3", Name: "Radioactivity", Artist: "Kraftwerk", ArtistID: "2", Starred: true},
}
var testArtists = domain.Artists{
{ID: "1", Name: "Saara Saara", AlbumCount: 2},
{ID: "2", Name: "Kraftwerk"},
{ID: "3", Name: "The Beatles"},
}
var _ = Describe("Initialize test DB", func() {
BeforeSuite(func() {
//conf.Sonic.DbPath, _ = ioutil.TempDir("", "cloudsonic_tests")
//os.MkdirAll(conf.Sonic.DbPath, 0700)
conf.Sonic.DbPath = ":memory:"
Db()
artistRepo := NewArtistRepository()
for _, a := range testArtists {
artistRepo.Put(&a)
}
albumRepository := NewAlbumRepository()
for _, a := range testAlbums {
err := albumRepository.Put(&a)
if err != nil {
panic(err)
}
}
})
})

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"sort" "sort"
@ -35,7 +35,7 @@ func (r *artistIndexRepository) CountAll() (int64, error) {
} }
func (r *artistIndexRepository) Put(idx *domain.ArtistIndex) error { func (r *artistIndexRepository) Put(idx *domain.ArtistIndex) error {
return WithTx(func(o orm.Ormer) error { return withTx(func(o orm.Ormer) error {
_, err := r.newQuery(o).Filter("idx", idx.ID).Delete() _, err := r.newQuery(o).Filter("idx", idx.ID).Delete()
if err != nil { if err != nil {
return err return err

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"github.com/cloudsonic/sonic-server/domain" "github.com/cloudsonic/sonic-server/domain"

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"time" "time"
@ -36,7 +36,7 @@ type MediaFile struct {
} }
type mediaFileRepository struct { type mediaFileRepository struct {
sqlRepository searchableRepository
} }
func NewMediaFileRepository() domain.MediaFileRepository { func NewMediaFileRepository() domain.MediaFileRepository {
@ -47,12 +47,8 @@ func NewMediaFileRepository() domain.MediaFileRepository {
func (r *mediaFileRepository) Put(m *domain.MediaFile) error { func (r *mediaFileRepository) Put(m *domain.MediaFile) error {
tm := MediaFile(*m) tm := MediaFile(*m)
return WithTx(func(o orm.Ormer) error { return withTx(func(o orm.Ormer) error {
err := r.put(o, m.ID, &tm) return r.put(o, m.ID, m.Title, &tm)
if err != nil {
return err
}
return r.searcher.Index(o, r.tableName, m.ID, m.Title)
}) })
} }
@ -95,9 +91,12 @@ func (r *mediaFileRepository) GetStarred(options ...domain.QueryOptions) (domain
return r.toMediaFiles(starred), nil return r.toMediaFiles(starred), nil
} }
func (r *mediaFileRepository) PurgeInactive(activeList domain.MediaFiles) ([]string, error) { func (r *mediaFileRepository) PurgeInactive(activeList domain.MediaFiles) error {
return r.purgeInactive(activeList, func(item interface{}) string { return withTx(func(o orm.Ormer) error {
return item.(domain.MediaFile).ID _, err := r.purgeInactive(o, activeList, func(item interface{}) string {
return item.(domain.MediaFile).ID
})
return err
}) })
} }
@ -107,7 +106,7 @@ func (r *mediaFileRepository) Search(q string, offset int, size int) (domain.Med
} }
var results []MediaFile var results []MediaFile
err := r.searcher.Search(r.tableName, q, offset, size, &results, "rating desc", "starred desc", "play_count desc", "title") err := r.doSearch(r.tableName, q, offset, size, &results, "rating desc", "starred desc", "play_count desc", "title")
if err != nil { if err != nil {
return nil, err return nil, err
} }

View file

@ -2,9 +2,7 @@ package persistence
import "reflect" import "reflect"
type ProviderIdentifier string func collectField(collection interface{}, getValue func(item interface{}) string) []string {
func CollectValue(collection interface{}, getValue func(item interface{}) string) []string {
s := reflect.ValueOf(collection) s := reflect.ValueOf(collection)
result := make([]string, s.Len()) result := make([]string, s.Len())

View file

@ -3,12 +3,46 @@ package persistence
import ( import (
"testing" "testing"
"github.com/cloudsonic/sonic-server/conf"
"github.com/cloudsonic/sonic-server/domain"
"github.com/cloudsonic/sonic-server/log"
. "github.com/onsi/ginkgo" . "github.com/onsi/ginkgo"
. "github.com/onsi/gomega" . "github.com/onsi/gomega"
) )
func TestPersistence(t *testing.T) { func TestPersistence(t *testing.T) {
//log.SetLevel(log.LevelCritical) log.SetLevel(log.LevelCritical)
RegisterFailHandler(Fail) RegisterFailHandler(Fail)
RunSpecs(t, "Common Persistence Suite") RunSpecs(t, "Persistence Suite")
} }
var testAlbums = domain.Albums{
{ID: "1", Name: "Sgt Peppers", Artist: "The Beatles", ArtistID: "1"},
{ID: "2", Name: "Abbey Road", Artist: "The Beatles", ArtistID: "1"},
{ID: "3", Name: "Radioactivity", Artist: "Kraftwerk", ArtistID: "2", Starred: true},
}
var testArtists = domain.Artists{
{ID: "1", Name: "Saara Saara", AlbumCount: 2},
{ID: "2", Name: "Kraftwerk"},
{ID: "3", Name: "The Beatles"},
}
var _ = Describe("Initialize test DB", func() {
BeforeSuite(func() {
//conf.Sonic.DbPath, _ = ioutil.TempDir("", "cloudsonic_tests")
//os.MkdirAll(conf.Sonic.DbPath, 0700)
conf.Sonic.DbPath = ":memory:"
Db()
artistRepo := NewArtistRepository()
for _, a := range testArtists {
artistRepo.Put(&a)
}
albumRepository := NewAlbumRepository()
for _, a := range testAlbums {
err := albumRepository.Put(&a)
if err != nil {
panic(err)
}
}
})
})

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"strings" "strings"
@ -30,7 +30,7 @@ func NewPlaylistRepository() domain.PlaylistRepository {
func (r *playlistRepository) Put(p *domain.Playlist) error { func (r *playlistRepository) Put(p *domain.Playlist) error {
tp := r.fromDomain(p) tp := r.fromDomain(p)
return WithTx(func(o orm.Ormer) error { return withTx(func(o orm.Ormer) error {
return r.put(o, p.ID, &tp) return r.put(o, p.ID, &tp)
}) })
} }
@ -66,8 +66,11 @@ func (r *playlistRepository) toPlaylists(all []Playlist) (domain.Playlists, erro
} }
func (r *playlistRepository) PurgeInactive(activeList domain.Playlists) ([]string, error) { func (r *playlistRepository) PurgeInactive(activeList domain.Playlists) ([]string, error) {
return r.purgeInactive(activeList, func(item interface{}) string { return nil, withTx(func(o orm.Ormer) error {
return item.(domain.Playlist).ID _, err := r.purgeInactive(o, activeList, func(item interface{}) string {
return item.(domain.Playlist).ID
})
return err
}) })
} }

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"github.com/astaxie/beego/orm" "github.com/astaxie/beego/orm"

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"github.com/cloudsonic/sonic-server/domain" "github.com/cloudsonic/sonic-server/domain"

View file

@ -1,4 +1,4 @@
package db_sql package persistence
import ( import (
"strings" "strings"
@ -15,9 +15,45 @@ type Search struct {
FullText string `orm:"type(text)"` FullText string `orm:"type(text)"`
} }
type sqlSearcher struct{} type searchableRepository struct {
sqlRepository
}
func (s *sqlSearcher) Index(o orm.Ormer, table, id, text string) error { func (r *searchableRepository) DeleteAll() error {
return withTx(func(o orm.Ormer) error {
_, err := r.newQuery(Db()).Filter("id__isnull", false).Delete()
if err != nil {
return err
}
return r.removeAllFromIndex(o, r.tableName)
})
}
func (r *searchableRepository) put(o orm.Ormer, id string, textToIndex string, a interface{}) error {
c, err := r.newQuery(o).Filter("id", id).Count()
if err != nil {
return err
}
if c == 0 {
_, err = o.Insert(a)
} else {
_, err = o.Update(a)
}
if err != nil {
return err
}
return r.addToIndex(o, r.tableName, id, textToIndex)
}
func (r *searchableRepository) purgeInactive(o orm.Ormer, activeList interface{}, getId func(item interface{}) string) ([]string, error) {
idsToDelete, err := r.sqlRepository.purgeInactive(o, activeList, getId)
if err != nil {
return nil, err
}
return idsToDelete, r.removeFromIndex(o, r.tableName, idsToDelete)
}
func (r *searchableRepository) addToIndex(o orm.Ormer, table, id, text string) error {
item := Search{ID: id, Table: table} item := Search{ID: id, Table: table}
err := o.Read(&item) err := o.Read(&item)
if err != nil && err != orm.ErrNoRows { if err != nil && err != orm.ErrNoRows {
@ -33,7 +69,7 @@ func (s *sqlSearcher) Index(o orm.Ormer, table, id, text string) error {
return err return err
} }
func (s *sqlSearcher) Remove(o orm.Ormer, table string, ids []string) error { func (r *searchableRepository) removeFromIndex(o orm.Ormer, table string, ids []string) error {
var offset int var offset int
for { for {
var subset = paginateSlice(ids, offset, batchSize) var subset = paginateSlice(ids, offset, batchSize)
@ -50,12 +86,12 @@ func (s *sqlSearcher) Remove(o orm.Ormer, table string, ids []string) error {
return nil return nil
} }
func (s *sqlSearcher) DeleteAll(o orm.Ormer, table string) error { func (r *searchableRepository) removeAllFromIndex(o orm.Ormer, table string) error {
_, err := o.QueryTable(&Search{}).Filter("table", table).Delete() _, err := o.QueryTable(&Search{}).Filter("table", table).Delete()
return err return err
} }
func (s *sqlSearcher) Search(table string, q string, offset, size int, results interface{}, orderBys ...string) error { func (r *searchableRepository) doSearch(table string, q string, offset, size int, results interface{}, orderBys ...string) error {
q = strings.TrimSpace(sanitize.Accents(strings.ToLower(strings.TrimSuffix(q, "*")))) q = strings.TrimSpace(sanitize.Accents(strings.ToLower(strings.TrimSuffix(q, "*"))))
if len(q) <= 2 { if len(q) <= 2 {
return nil return nil

View file

@ -1,8 +1,6 @@
package db_sql package persistence
import ( import (
"os"
"path"
"sync" "sync"
"github.com/astaxie/beego/orm" "github.com/astaxie/beego/orm"
@ -20,12 +18,6 @@ func Db() orm.Ormer {
dbPath := conf.Sonic.DbPath dbPath := conf.Sonic.DbPath
if dbPath == ":memory:" { if dbPath == ":memory:" {
dbPath = "file::memory:?cache=shared" dbPath = "file::memory:?cache=shared"
} else {
err := os.MkdirAll(conf.Sonic.DbPath, 0700)
if err != nil {
panic(err)
}
dbPath = path.Join(conf.Sonic.DbPath, "sqlite.db")
} }
err := initORM(dbPath) err := initORM(dbPath)
if err != nil { if err != nil {
@ -36,7 +28,7 @@ func Db() orm.Ormer {
return orm.NewOrm() return orm.NewOrm()
} }
func WithTx(block func(orm.Ormer) error) error { func withTx(block func(orm.Ormer) error) error {
o := orm.NewOrm() o := orm.NewOrm()
err := o.Begin() err := o.Begin()
if err != nil { if err != nil {

View file

@ -1,15 +1,13 @@
package db_sql package persistence
import ( import (
"github.com/astaxie/beego/orm" "github.com/astaxie/beego/orm"
"github.com/cloudsonic/sonic-server/domain" "github.com/cloudsonic/sonic-server/domain"
"github.com/cloudsonic/sonic-server/log" "github.com/cloudsonic/sonic-server/log"
"github.com/cloudsonic/sonic-server/persistence"
) )
type sqlRepository struct { type sqlRepository struct {
tableName string tableName string
searcher sqlSearcher
} }
func (r *sqlRepository) newQuery(o orm.Ormer, options ...domain.QueryOptions) orm.QuerySeter { func (r *sqlRepository) newQuery(o orm.Ormer, options ...domain.QueryOptions) orm.QuerySeter {
@ -49,7 +47,7 @@ func (r *sqlRepository) GetAllIds() ([]string, error) {
return nil, err return nil, err
} }
result := persistence.CollectValue(values, func(item interface{}) string { result := collectField(values, func(item interface{}) string {
return item.(orm.Params)["ID"].(string) return item.(orm.Params)["ID"].(string)
}) })
@ -103,42 +101,36 @@ func difference(slice1 []string, slice2 []string) []string {
} }
func (r *sqlRepository) DeleteAll() error { func (r *sqlRepository) DeleteAll() error {
return WithTx(func(o orm.Ormer) error { return withTx(func(o orm.Ormer) error {
_, err := r.newQuery(Db()).Filter("id__isnull", false).Delete() _, err := r.newQuery(Db()).Filter("id__isnull", false).Delete()
if err != nil { return err
return err
}
return r.searcher.DeleteAll(o, r.tableName)
}) })
} }
func (r *sqlRepository) purgeInactive(activeList interface{}, getId func(item interface{}) string) ([]string, error) { func (r *sqlRepository) purgeInactive(o orm.Ormer, activeList interface{}, getId func(item interface{}) string) ([]string, error) {
allIds, err := r.GetAllIds() allIds, err := r.GetAllIds()
if err != nil { if err != nil {
return nil, err return nil, err
} }
activeIds := persistence.CollectValue(activeList, getId) activeIds := collectField(activeList, getId)
idsToDelete := difference(allIds, activeIds) idsToDelete := difference(allIds, activeIds)
if len(idsToDelete) == 0 { if len(idsToDelete) == 0 {
return nil, nil return nil, nil
} }
log.Debug("Purging inactive records", "table", r.tableName, "total", len(idsToDelete)) log.Debug("Purging inactive records", "table", r.tableName, "total", len(idsToDelete))
err = WithTx(func(o orm.Ormer) error { var offset int
var offset int for {
for { var subset = paginateSlice(idsToDelete, offset, batchSize)
var subset = paginateSlice(idsToDelete, offset, batchSize) if len(subset) == 0 {
if len(subset) == 0 { break
break
}
log.Trace("-- Purging inactive records", "table", r.tableName, "num", len(subset), "from", offset)
offset += len(subset)
_, err := r.newQuery(o).Filter("id__in", subset).Delete()
if err != nil {
return err
}
} }
return r.searcher.Remove(o, r.tableName, idsToDelete) log.Trace("-- Purging inactive records", "table", r.tableName, "num", len(subset), "from", offset)
}) offset += len(subset)
return idsToDelete, err _, err := r.newQuery(o).Filter("id__in", subset).Delete()
if err != nil {
return nil, err
}
}
return idsToDelete, nil
} }

View file

@ -1,7 +1,6 @@
package db_sql package persistence
import ( import (
"github.com/cloudsonic/sonic-server/persistence"
"github.com/google/wire" "github.com/google/wire"
) )
@ -13,7 +12,6 @@ var Set = wire.NewSet(
NewCheckSumRepository, NewCheckSumRepository,
NewPropertyRepository, NewPropertyRepository,
NewPlaylistRepository, NewPlaylistRepository,
persistence.NewNowPlayingRepository, NewNowPlayingRepository,
persistence.NewMediaFolderRepository, NewMediaFolderRepository,
wire.Value(persistence.ProviderIdentifier("sql")),
) )

View file

@ -134,13 +134,13 @@ func (i *Importer) importLibrary() (err error) {
i.importArtistIndex() i.importArtistIndex()
log.Debug("Purging old data") log.Debug("Purging old data")
if _, err := i.mfRepo.PurgeInactive(mfs); err != nil { if err := i.mfRepo.PurgeInactive(mfs); err != nil {
log.Error(err) log.Error(err)
} }
if _, err := i.albumRepo.PurgeInactive(als); err != nil { if err := i.albumRepo.PurgeInactive(als); err != nil {
log.Error(err) log.Error(err)
} }
if _, err := i.artistRepo.PurgeInactive(ars); err != nil { if err := i.artistRepo.PurgeInactive(ars); err != nil {
log.Error("Deleting inactive artists", err) log.Error("Deleting inactive artists", err)
} }
if _, err := i.plsRepo.PurgeInactive(pls); err != nil { if _, err := i.plsRepo.PurgeInactive(pls); err != nil {

View file

@ -11,7 +11,6 @@ import (
"github.com/cloudsonic/sonic-server/engine" "github.com/cloudsonic/sonic-server/engine"
"github.com/cloudsonic/sonic-server/itunesbridge" "github.com/cloudsonic/sonic-server/itunesbridge"
"github.com/cloudsonic/sonic-server/persistence" "github.com/cloudsonic/sonic-server/persistence"
"github.com/cloudsonic/sonic-server/persistence/db_sql"
"github.com/cloudsonic/sonic-server/scanner" "github.com/cloudsonic/sonic-server/scanner"
"github.com/cloudsonic/sonic-server/server" "github.com/cloudsonic/sonic-server/server"
"github.com/google/wire" "github.com/google/wire"
@ -57,15 +56,15 @@ func CreateSubsonicAPIRouter() *api.Router {
} }
func createPersistenceProvider() *Provider { func createPersistenceProvider() *Provider {
albumRepository := db_sql.NewAlbumRepository() albumRepository := persistence.NewAlbumRepository()
artistRepository := db_sql.NewArtistRepository() artistRepository := persistence.NewArtistRepository()
checkSumRepository := db_sql.NewCheckSumRepository() checkSumRepository := persistence.NewCheckSumRepository()
artistIndexRepository := db_sql.NewArtistIndexRepository() artistIndexRepository := persistence.NewArtistIndexRepository()
mediaFileRepository := db_sql.NewMediaFileRepository() mediaFileRepository := persistence.NewMediaFileRepository()
mediaFolderRepository := persistence.NewMediaFolderRepository() mediaFolderRepository := persistence.NewMediaFolderRepository()
nowPlayingRepository := persistence.NewNowPlayingRepository() nowPlayingRepository := persistence.NewNowPlayingRepository()
playlistRepository := db_sql.NewPlaylistRepository() playlistRepository := persistence.NewPlaylistRepository()
propertyRepository := db_sql.NewPropertyRepository() propertyRepository := persistence.NewPropertyRepository()
provider := &Provider{ provider := &Provider{
AlbumRepository: albumRepository, AlbumRepository: albumRepository,
ArtistRepository: artistRepository, ArtistRepository: artistRepository,

View file

@ -7,7 +7,7 @@ import (
"github.com/cloudsonic/sonic-server/domain" "github.com/cloudsonic/sonic-server/domain"
"github.com/cloudsonic/sonic-server/engine" "github.com/cloudsonic/sonic-server/engine"
"github.com/cloudsonic/sonic-server/itunesbridge" "github.com/cloudsonic/sonic-server/itunesbridge"
"github.com/cloudsonic/sonic-server/persistence/db_sql" "github.com/cloudsonic/sonic-server/persistence"
"github.com/cloudsonic/sonic-server/scanner" "github.com/cloudsonic/sonic-server/scanner"
"github.com/cloudsonic/sonic-server/server" "github.com/cloudsonic/sonic-server/server"
"github.com/google/wire" "github.com/google/wire"
@ -51,7 +51,7 @@ func CreateSubsonicAPIRouter() *api.Router {
// to conditionally select which function to use // to conditionally select which function to use
func createPersistenceProvider() *Provider { func createPersistenceProvider() *Provider {
panic(wire.Build( panic(wire.Build(
db_sql.Set, persistence.Set,
wire.Struct(new(Provider), "*"), wire.Struct(new(Provider), "*"),
)) ))
} }