Minor refactorings

This commit is contained in:
Eike Kettner 2020-12-13 01:36:12 +01:00
parent d6f28d3eca
commit 613696539f
47 changed files with 450 additions and 326 deletions

View File

@ -141,7 +141,7 @@ object RegexNerFile {
def latestUpdate(collective: Ident): ConnectionIO[Option[Timestamp]] = { def latestUpdate(collective: Ident): ConnectionIO[Option[Timestamp]] = {
def max_(col: Column[_], cidCol: Column[Ident]): Select = def max_(col: Column[_], cidCol: Column[Ident]): Select =
Select(List(max(col).as("t")), from(col.table), cidCol === collective) Select(max(col).as("t"), from(col.table), cidCol === collective)
val sql = union( val sql = union(
max_(ROrganization.T.updated, ROrganization.T.cid), max_(ROrganization.T.updated, ROrganization.T.cid),

View File

@ -3,12 +3,6 @@ package docspell.store.qb
case class Column[A](name: String, table: TableDef) { case class Column[A](name: String, table: TableDef) {
def inTable(t: TableDef): Column[A] = def inTable(t: TableDef): Column[A] =
copy(table = t) copy(table = t)
def s: SelectExpr =
SelectExpr.SelectColumn(this, None)
def as(alias: String): SelectExpr =
SelectExpr.SelectColumn(this, Some(alias))
} }
object Column {} object Column {}

View File

@ -4,13 +4,7 @@ import cats.data.NonEmptyList
import doobie._ import doobie._
sealed trait Condition { sealed trait Condition
def s: SelectExpr.SelectCondition =
SelectExpr.SelectCondition(this, None)
def as(alias: String): SelectExpr.SelectCondition =
SelectExpr.SelectCondition(this, Some(alias))
}
object Condition { object Condition {

View File

@ -1,5 +1,7 @@
package docspell.store.qb package docspell.store.qb
import cats.data.{NonEmptyList => Nel}
import docspell.store.qb.impl._ import docspell.store.qb.impl._
import doobie._ import doobie._
@ -15,44 +17,44 @@ object DML {
fr"DELETE FROM" ++ FromExprBuilder.buildTable(table) ++ fr"WHERE" ++ ConditionBuilder fr"DELETE FROM" ++ FromExprBuilder.buildTable(table) ++ fr"WHERE" ++ ConditionBuilder
.build(cond) .build(cond)
def insert(table: TableDef, cols: Seq[Column[_]], values: Fragment): ConnectionIO[Int] = def insert(table: TableDef, cols: Nel[Column[_]], values: Fragment): ConnectionIO[Int] =
insertFragment(table, cols, List(values)).update.run insertFragment(table, cols, List(values)).update.run
def insertMany( def insertMany(
table: TableDef, table: TableDef,
cols: Seq[Column[_]], cols: Nel[Column[_]],
values: Seq[Fragment] values: Seq[Fragment]
): ConnectionIO[Int] = ): ConnectionIO[Int] =
insertFragment(table, cols, values).update.run insertFragment(table, cols, values).update.run
def insertFragment( def insertFragment(
table: TableDef, table: TableDef,
cols: Seq[Column[_]], cols: Nel[Column[_]],
values: Seq[Fragment] values: Seq[Fragment]
): Fragment = ): Fragment =
fr"INSERT INTO" ++ FromExprBuilder.buildTable(table) ++ sql"(" ++ fr"INSERT INTO" ++ FromExprBuilder.buildTable(table) ++ sql"(" ++
cols cols
.map(SelectExprBuilder.columnNoPrefix) .map(SelectExprBuilder.columnNoPrefix)
.reduce(_ ++ comma ++ _) ++ fr") VALUES" ++ .reduceLeft(_ ++ comma ++ _) ++ fr") VALUES" ++
values.map(f => sql"(" ++ f ++ sql")").reduce(_ ++ comma ++ _) values.map(f => sql"(" ++ f ++ sql")").reduce(_ ++ comma ++ _)
def update( def update(
table: TableDef, table: TableDef,
cond: Condition, cond: Condition,
setter: Seq[Setter[_]] setter: Nel[Setter[_]]
): ConnectionIO[Int] = ): ConnectionIO[Int] =
updateFragment(table, Some(cond), setter).update.run updateFragment(table, Some(cond), setter).update.run
def updateFragment( def updateFragment(
table: TableDef, table: TableDef,
cond: Option[Condition], cond: Option[Condition],
setter: Seq[Setter[_]] setter: Nel[Setter[_]]
): Fragment = { ): Fragment = {
val condFrag = cond.map(SelectBuilder.cond).getOrElse(Fragment.empty) val condFrag = cond.map(SelectBuilder.cond).getOrElse(Fragment.empty)
fr"UPDATE" ++ FromExprBuilder.buildTable(table) ++ fr"SET" ++ fr"UPDATE" ++ FromExprBuilder.buildTable(table) ++ fr"SET" ++
setter setter
.map(s => buildSetter(s)) .map(s => buildSetter(s))
.reduce(_ ++ comma ++ _) ++ .reduceLeft(_ ++ comma ++ _) ++
condFrag condFrag
} }
@ -74,6 +76,6 @@ object DML {
colFrag ++ fr" =" ++ colFrag ++ fr" + $amount" colFrag ++ fr" =" ++ colFrag ++ fr" + $amount"
} }
def set(s: Setter[_], more: Setter[_]*): Seq[Setter[_]] = def set(s: Setter[_], more: Setter[_]*): Nel[Setter[_]] =
more :+ s Nel(s, more.toList)
} }

View File

@ -1,6 +1,6 @@
package docspell.store.qb package docspell.store.qb
import cats.data.NonEmptyList import cats.data.{NonEmptyList => Nel}
import docspell.store.impl.DoobieMeta import docspell.store.impl.DoobieMeta
import docspell.store.qb.impl.SelectBuilder import docspell.store.qb.impl.SelectBuilder
@ -9,14 +9,14 @@ import doobie.{Fragment, Put}
trait DSL extends DoobieMeta { trait DSL extends DoobieMeta {
def run(projection: Seq[SelectExpr], from: FromExpr): Fragment = def run(projection: Nel[SelectExpr], from: FromExpr): Fragment =
SelectBuilder(Select(projection, from)) SelectBuilder(Select(projection, from))
def run(projection: Seq[SelectExpr], from: FromExpr, where: Condition): Fragment = def run(projection: Nel[SelectExpr], from: FromExpr, where: Condition): Fragment =
SelectBuilder(Select(projection, from, where)) SelectBuilder(Select(projection, from, where))
def runDistinct( def runDistinct(
projection: Seq[SelectExpr], projection: Nel[SelectExpr],
from: FromExpr, from: FromExpr,
where: Condition where: Condition
): Fragment = ): Fragment =
@ -25,24 +25,30 @@ trait DSL extends DoobieMeta {
def withCte(cte: (TableDef, Select), more: (TableDef, Select)*): DSL.WithCteDsl = def withCte(cte: (TableDef, Select), more: (TableDef, Select)*): DSL.WithCteDsl =
DSL.WithCteDsl(CteBind(cte), more.map(CteBind.apply).toVector) DSL.WithCteDsl(CteBind(cte), more.map(CteBind.apply).toVector)
def select(cond: Condition): Seq[SelectExpr] = def select(cond: Condition): Nel[SelectExpr] =
Seq(SelectExpr.SelectCondition(cond, None)) Nel.of(SelectExpr.SelectCondition(cond, None))
def select(dbf: DBFunction): Seq[SelectExpr] = def select(dbf: DBFunction): Nel[SelectExpr] =
Seq(SelectExpr.SelectFun(dbf, None)) Nel.of(SelectExpr.SelectFun(dbf, None))
def select(e: SelectExpr, es: SelectExpr*): Seq[SelectExpr] = def select(e: SelectExpr, es: SelectExpr*): Nel[SelectExpr] =
es.prepended(e) Nel(e, es.toList)
def select(c: Column[_], cs: Column[_]*): Seq[SelectExpr] = def select(c: Column[_], cs: Column[_]*): Nel[SelectExpr] =
cs.prepended(c).map(col => SelectExpr.SelectColumn(col, None)) Nel(c, cs.toList).map(col => SelectExpr.SelectColumn(col, None))
def select(seq: Seq[Column[_]], seqs: Seq[Column[_]]*): Seq[SelectExpr] = def select(seq: Nel[Column[_]], seqs: Nel[Column[_]]*): Nel[SelectExpr] =
(seq ++ seqs.flatten).map(c => SelectExpr.SelectColumn(c, None)) seqs.foldLeft(seq)(_ concatNel _).map(c => SelectExpr.SelectColumn(c, None))
def union(s1: Select, sn: Select*): Select = def union(s1: Select, sn: Select*): Select =
Select.Union(s1, sn.toVector) Select.Union(s1, sn.toVector)
def intersect(s1: Select, sn: Select*): Select =
Select.Intersect(s1, sn.toVector)
def intersect(nel: Nel[Select]): Select =
Select.Intersect(nel.head, nel.tail.toVector)
def from(table: TableDef): FromExpr.From = def from(table: TableDef): FromExpr.From =
FromExpr.From(table) FromExpr.From(table)
@ -105,8 +111,12 @@ trait DSL extends DoobieMeta {
else and(c, cs: _*) else and(c, cs: _*)
implicit final class ColumnOps[A](col: Column[A]) { implicit final class ColumnOps[A](col: Column[A]) {
def s: SelectExpr = SelectExpr.SelectColumn(col, None) def s: SelectExpr =
def as(alias: String) = SelectExpr.SelectColumn(col, Some(alias)) SelectExpr.SelectColumn(col, None)
def as(alias: String): SelectExpr =
SelectExpr.SelectColumn(col, Some(alias))
def as(otherCol: Column[A]): SelectExpr =
SelectExpr.SelectColumn(col, Some(otherCol.name))
def setTo(value: A)(implicit P: Put[A]): Setter[A] = def setTo(value: A)(implicit P: Put[A]): Setter[A] =
Setter.SetValue(col, value) Setter.SetValue(col, value)
@ -153,20 +163,28 @@ trait DSL extends DoobieMeta {
def in(subsel: Select): Condition = def in(subsel: Select): Condition =
Condition.InSubSelect(col, subsel) Condition.InSubSelect(col, subsel)
def in(values: NonEmptyList[A])(implicit P: Put[A]): Condition = def in(values: Nel[A])(implicit P: Put[A]): Condition =
Condition.InValues(col, values, false) Condition.InValues(col, values, false)
def inLower(values: NonEmptyList[A])(implicit P: Put[A]): Condition = def inLower(values: Nel[A])(implicit P: Put[A]): Condition =
Condition.InValues(col, values, true) Condition.InValues(col, values, true)
def isNull: Condition = def isNull: Condition =
Condition.IsNull(col) Condition.IsNull(col)
def isNotNull: Condition =
Condition.IsNull(col).negate
def ===(other: Column[A]): Condition = def ===(other: Column[A]): Condition =
Condition.CompareCol(col, Operator.Eq, other) Condition.CompareCol(col, Operator.Eq, other)
} }
implicit final class ConditionOps(c: Condition) { implicit final class ConditionOps(c: Condition) {
def s: SelectExpr =
SelectExpr.SelectCondition(c, None)
def as(alias: String): SelectExpr =
SelectExpr.SelectCondition(c, Some(alias))
def &&(other: Condition): Condition = def &&(other: Condition): Condition =
and(c, other) and(c, other)
@ -188,8 +206,10 @@ trait DSL extends DoobieMeta {
} }
implicit final class DBFunctionOps(dbf: DBFunction) { implicit final class DBFunctionOps(dbf: DBFunction) {
def s: SelectExpr = SelectExpr.SelectFun(dbf, None) def s: SelectExpr =
def as(alias: String) = SelectExpr.SelectFun(dbf, Some(alias)) SelectExpr.SelectFun(dbf, None)
def as(alias: String): SelectExpr =
SelectExpr.SelectFun(dbf, Some(alias))
def ===[A](value: A)(implicit P: Put[A]): Condition = def ===[A](value: A)(implicit P: Put[A]): Condition =
Condition.CompareFVal(dbf, Operator.Eq, value) Condition.CompareFVal(dbf, Operator.Eq, value)
@ -233,6 +253,9 @@ object DSL extends DSL {
def select(s: Select): Select.WithCte = def select(s: Select): Select.WithCte =
Select.WithCte(cte, ctes, s) Select.WithCte(cte, ctes, s)
def apply(s: Select): Select.WithCte =
select(s)
} }
} }

View File

@ -1,11 +1,6 @@
package docspell.store.qb package docspell.store.qb
sealed trait FromExpr { sealed trait FromExpr
// def innerJoin(other: TableDef, on: Condition): FromExpr
//
// def leftJoin(other: TableDef, on: Condition): FromExpr
}
object FromExpr { object FromExpr {

View File

@ -1,5 +1,7 @@
package docspell.store.qb package docspell.store.qb
import cats.data.NonEmptyList
case class GroupBy(name: SelectExpr, names: Vector[SelectExpr], having: Option[Condition]) case class GroupBy(name: SelectExpr, names: Vector[SelectExpr], having: Option[Condition])
object GroupBy { object GroupBy {
@ -10,4 +12,7 @@ object GroupBy {
cs.toVector.map(c => SelectExpr.SelectColumn(c, None)), cs.toVector.map(c => SelectExpr.SelectColumn(c, None)),
None None
) )
def apply(nel: NonEmptyList[Column[_]]): GroupBy =
apply(nel.head, nel.tail: _*)
} }

View File

@ -1,11 +1,13 @@
package docspell.store.qb package docspell.store.qb
import cats.data.{NonEmptyList => Nel}
import docspell.store.qb.impl.SelectBuilder import docspell.store.qb.impl.SelectBuilder
import doobie._ import doobie._
sealed trait Select { sealed trait Select {
def run: Fragment = def build: Fragment =
SelectBuilder(this) SelectBuilder(this)
def as(alias: String): SelectExpr.SelectQuery = def as(alias: String): SelectExpr.SelectQuery =
@ -25,17 +27,26 @@ sealed trait Select {
} }
object Select { object Select {
def apply(projection: Seq[SelectExpr], from: FromExpr) = def apply(projection: Nel[SelectExpr], from: FromExpr) =
SimpleSelect(false, projection, from, None, None) SimpleSelect(false, projection, from, None, None)
def apply(projection: SelectExpr, from: FromExpr) =
SimpleSelect(false, Nel.of(projection), from, None, None)
def apply( def apply(
projection: Seq[SelectExpr], projection: Nel[SelectExpr],
from: FromExpr, from: FromExpr,
where: Condition where: Condition
) = SimpleSelect(false, projection, from, Some(where), None) ) = SimpleSelect(false, projection, from, Some(where), None)
def apply( def apply(
projection: Seq[SelectExpr], projection: SelectExpr,
from: FromExpr,
where: Condition
) = SimpleSelect(false, Nel.of(projection), from, Some(where), None)
def apply(
projection: Nel[SelectExpr],
from: FromExpr, from: FromExpr,
where: Condition, where: Condition,
groupBy: GroupBy groupBy: GroupBy
@ -43,7 +54,7 @@ object Select {
case class SimpleSelect( case class SimpleSelect(
distinctFlag: Boolean, distinctFlag: Boolean,
projection: Seq[SelectExpr], projection: Nel[SelectExpr],
from: FromExpr, from: FromExpr,
where: Option[Condition], where: Option[Condition],
groupBy: Option[GroupBy] groupBy: Option[GroupBy]

View File

@ -40,7 +40,7 @@ object SelectBuilder {
} }
def buildSimple(sq: Select.SimpleSelect): Fragment = { def buildSimple(sq: Select.SimpleSelect): Fragment = {
val f0 = sq.projection.map(selectExpr).reduce(_ ++ comma ++ _) val f0 = sq.projection.map(selectExpr).reduceLeft(_ ++ comma ++ _)
val f1 = fromExpr(sq.from) val f1 = fromExpr(sq.from)
val f2 = sq.where.map(cond).getOrElse(Fragment.empty) val f2 = sq.where.map(cond).getOrElse(Fragment.empty)
val f3 = sq.groupBy.map(groupBy).getOrElse(Fragment.empty) val f3 = sq.groupBy.map(groupBy).getOrElse(Fragment.empty)

View File

@ -84,12 +84,12 @@ object QCollective {
val t = RTag.as("t") val t = RTag.as("t")
val sql = val sql =
Select( Select(
select(t.all) ++ select(count(ti.itemId)), select(t.all).append(count(ti.itemId).s),
from(ti).innerJoin(t, ti.tagId === t.tid), from(ti).innerJoin(t, ti.tagId === t.tid),
t.cid === coll t.cid === coll
).group(GroupBy(t.name, t.tid, t.category)) ).group(GroupBy(t.name, t.tid, t.category))
sql.run.query[TagCount].to[List] sql.build.query[TagCount].to[List]
} }
def getContacts( def getContacts(
@ -113,6 +113,6 @@ object QCollective {
select(rc.all), select(rc.all),
from(rc), from(rc),
(rc.orgId.in(orgCond) || rc.personId.in(persCond)) &&? valueFilter &&? kindFilter (rc.orgId.in(orgCond) || rc.personId.in(persCond)) &&? valueFilter &&? kindFilter
).orderBy(rc.value).run.query[RContact].stream ).orderBy(rc.value).build.query[RContact].stream
} }
} }

View File

@ -1,17 +1,17 @@
package docspell.store.queries package docspell.store.queries
import cats.data.NonEmptyList
import cats.implicits._ import cats.implicits._
import docspell.common._ import docspell.common._
import docspell.store.impl.Column import docspell.store.qb.DSL._
import docspell.store.impl.Implicits._ import docspell.store.qb._
import docspell.store.records._ import docspell.store.records._
import doobie._ import doobie._
import doobie.implicits._
object QCustomField { object QCustomField {
private val f = RCustomField.as("f")
private val v = RCustomFieldValue.as("v")
case class CustomFieldData(field: RCustomField, usageCount: Int) case class CustomFieldData(field: RCustomField, usageCount: Int)
@ -19,46 +19,57 @@ object QCustomField {
coll: Ident, coll: Ident,
nameQuery: Option[String] nameQuery: Option[String]
): ConnectionIO[Vector[CustomFieldData]] = ): ConnectionIO[Vector[CustomFieldData]] =
findFragment(coll, nameQuery, None).query[CustomFieldData].to[Vector] findFragment(coll, nameQuery, None).build.query[CustomFieldData].to[Vector]
def findById(field: Ident, collective: Ident): ConnectionIO[Option[CustomFieldData]] = def findById(field: Ident, collective: Ident): ConnectionIO[Option[CustomFieldData]] =
findFragment(collective, None, field.some).query[CustomFieldData].option findFragment(collective, None, field.some).build.query[CustomFieldData].option
private def findFragment( private def findFragment(
coll: Ident, coll: Ident,
nameQuery: Option[String], nameQuery: Option[String],
fieldId: Option[Ident] fieldId: Option[Ident]
): Fragment = { ): Select = {
val fId = RCustomField.Columns.id.prefix("f") // val fId = RCustomField.Columns.id.prefix("f")
val fColl = RCustomField.Columns.cid.prefix("f") // val fColl = RCustomField.Columns.cid.prefix("f")
val fName = RCustomField.Columns.name.prefix("f") // val fName = RCustomField.Columns.name.prefix("f")
val fLabel = RCustomField.Columns.label.prefix("f") // val fLabel = RCustomField.Columns.label.prefix("f")
val vField = RCustomFieldValue.Columns.field.prefix("v") // val vField = RCustomFieldValue.Columns.field.prefix("v")
//
// val join = RCustomField.table ++ fr"f LEFT OUTER JOIN" ++
// RCustomFieldValue.table ++ fr"v ON" ++ fId.is(vField)
//
// val cols = RCustomField.Columns.all.map(_.prefix("f")) :+ Column("COUNT(v.id)")
//
// val nameCond = nameQuery.map(QueryWildcard.apply) match {
// case Some(q) =>
// or(fName.lowerLike(q), and(fLabel.isNotNull, fLabel.lowerLike(q)))
// case None =>
// Fragment.empty
// }
// val fieldCond = fieldId match {
// case Some(id) =>
// fId.is(id)
// case None =>
// Fragment.empty
// }
// val cond = and(fColl.is(coll), nameCond, fieldCond)
//
// val group = NonEmptyList.fromList(RCustomField.Columns.all) match {
// case Some(nel) => groupBy(nel.map(_.prefix("f")))
// case None => Fragment.empty
// }
//
// selectSimple(cols, join, cond) ++ group
val join = RCustomField.table ++ fr"f LEFT OUTER JOIN" ++ val nameFilter = nameQuery.map { q =>
RCustomFieldValue.table ++ fr"v ON" ++ fId.is(vField) f.name.likes(q) || (f.label.isNotNull && f.label.like(q))
val cols = RCustomField.Columns.all.map(_.prefix("f")) :+ Column("COUNT(v.id)")
val nameCond = nameQuery.map(QueryWildcard.apply) match {
case Some(q) =>
or(fName.lowerLike(q), and(fLabel.isNotNull, fLabel.lowerLike(q)))
case None =>
Fragment.empty
}
val fieldCond = fieldId match {
case Some(id) =>
fId.is(id)
case None =>
Fragment.empty
}
val cond = and(fColl.is(coll), nameCond, fieldCond)
val group = NonEmptyList.fromList(RCustomField.Columns.all) match {
case Some(nel) => groupBy(nel.map(_.prefix("f")))
case None => Fragment.empty
} }
selectSimple(cols, join, cond) ++ group Select(
f.all.map(_.s).append(count(v.id).as("num")),
from(f).leftJoin(v, f.id === v.field),
f.cid === coll &&? nameFilter &&? fieldId.map(fid => f.id === fid),
GroupBy(f.all)
)
} }
} }

View File

@ -183,68 +183,62 @@ object QFolder {
// inner join user_ u on u.uid = s.owner // inner join user_ u on u.uid = s.owner
// where s.cid = 'eike'; // where s.cid = 'eike';
val user = RUser.as("u") val user = RUser.as("u")
val member = RFolderMember.as("m") val member = RFolderMember.as("m")
val folder = RFolder.as("s") val folder = RFolder.as("s")
val memlogin = TableDef("memberlogin") val memlogin = TableDef("memberlogin")
val memloginFolder = member.folder.inTable(memlogin) val mlFolder = Column[Ident]("folder", memlogin)
val memloginLogn = user.login.inTable(memlogin) val mlLogin = Column[Ident]("login", memlogin)
val sql = withCte(
withCte( memlogin -> union(
memlogin -> union( Select(
Select( select(member.folder.as(mlFolder), user.login.as(mlLogin)),
select(member.folder, user.login), from(member)
from(member) .innerJoin(user, user.uid === member.user)
.innerJoin(user, user.uid === member.user) .innerJoin(folder, folder.id === member.folder),
.innerJoin(folder, folder.id === member.folder), folder.collective === account.collective
folder.collective === account.collective ),
), Select(
Select( select(folder.id.as(mlFolder), user.login.as(mlLogin)),
select(folder.id, user.login), from(folder)
from(folder) .innerJoin(user, user.uid === folder.owner),
.innerJoin(user, user.uid === folder.owner), folder.collective === account.collective
folder.collective === account.collective
)
) )
) )
.select( )(
Select(
select(
folder.id.s,
folder.name.s,
folder.owner.s,
user.login.s,
folder.created.s,
Select( Select(
select( select(countAll > 0),
folder.id.s, from(memlogin),
folder.name.s, mlFolder === folder.id && mlLogin === account.user
folder.owner.s, ).as("member"),
user.login.s, Select(
folder.created.s, select(countAll - 1),
Select( from(memlogin),
select(countAll > 0), mlFolder === folder.id
from(memlogin), ).as("member_count")
memloginFolder === folder.id && memloginLogn === account.user ),
).as("member"), from(folder)
Select( .innerJoin(user, user.uid === folder.owner),
select(countAll - 1), where(
from(memlogin), folder.collective === account.collective &&?
memloginFolder === folder.id idQ.map(id => folder.id === id) &&?
).as("member_count") nameQ.map(q => folder.name.like(s"%${q.toLowerCase}%")) &&?
), ownerLogin.map(login => user.login === login)
from(folder)
.innerJoin(user, user.uid === folder.owner),
where(
folder.collective === account.collective &&?
idQ.map(id => folder.id === id) &&?
nameQ.map(q => folder.name.like(s"%${q.toLowerCase}%")) &&?
ownerLogin.map(login => user.login === login)
)
).orderBy(folder.name.asc)
) )
).orderBy(folder.name.asc)
sql.run ).build.query[FolderItem].to[Vector]
.query[FolderItem]
.to[Vector]
} }
/** Select all folder_id where the given account is member or owner. */ /** Select all folder_id where the given account is member or owner. */
def findMemberFolderIds(account: AccountId): Fragment = { def findMemberFolderIds(account: AccountId): Select = {
val user = RUser.as("u") val user = RUser.as("u")
val f = RFolder.as("f") val f = RFolder.as("f")
val m = RFolderMember.as("m") val m = RFolderMember.as("m")
@ -261,11 +255,11 @@ object QFolder {
.innerJoin(user, user.uid === m.user), .innerJoin(user, user.uid === m.user),
f.collective === account.collective && user.login === account.user f.collective === account.collective && user.login === account.user
) )
).run )
} }
def getMemberFolders(account: AccountId): ConnectionIO[Set[Ident]] = def getMemberFolders(account: AccountId): ConnectionIO[Set[Ident]] =
findMemberFolderIds(account).query[Ident].to[Set] findMemberFolderIds(account).build.query[Ident].to[Set]
private def findUserId(account: AccountId): ConnectionIO[Option[Ident]] = private def findUserId(account: AccountId): ConnectionIO[Option[Ident]] =
RUser.findByAccount(account).map(_.map(_.uid)) RUser.findByAccount(account).map(_.map(_.uid))

View File

@ -12,6 +12,7 @@ import docspell.common.{IdRef, _}
import docspell.store.Store import docspell.store.Store
import docspell.store.impl.Implicits._ import docspell.store.impl.Implicits._
import docspell.store.impl._ import docspell.store.impl._
import docspell.store.qb.Select
import docspell.store.records._ import docspell.store.records._
import bitpeace.FileMeta import bitpeace.FileMeta
@ -94,10 +95,10 @@ object QItem {
val f = RFolder.as("f") val f = RFolder.as("f")
val IC = RItem.Columns.all.map(_.prefix("i")) val IC = RItem.Columns.all.map(_.prefix("i"))
val OC = org.all.map(_.column) val OC = org.all.map(_.column).toList
val P0C = pers0.all.map(_.column) val P0C = pers0.all.map(_.column).toList
val P1C = pers1.all.map(_.column) val P1C = pers1.all.map(_.column).toList
val EC = equip.all.map(_.oldColumn).map(_.prefix("e")) val EC = equip.all.map(_.oldColumn).map(_.prefix("e")).toList
val ICC = List(RItem.Columns.id, RItem.Columns.name).map(_.prefix("ref")) val ICC = List(RItem.Columns.id, RItem.Columns.name).map(_.prefix("ref"))
val FC = List(f.id.column, f.name.column) val FC = List(f.id.column, f.name.column)
@ -172,23 +173,17 @@ object QItem {
def findCustomFieldValuesForItem( def findCustomFieldValuesForItem(
itemId: Ident itemId: Ident
): ConnectionIO[Vector[ItemFieldValue]] = { ): ConnectionIO[Vector[ItemFieldValue]] = {
val cfId = RCustomField.Columns.id.prefix("cf") import docspell.store.qb.DSL._
val cfName = RCustomField.Columns.name.prefix("cf")
val cfLabel = RCustomField.Columns.label.prefix("cf")
val cfType = RCustomField.Columns.ftype.prefix("cf")
val cvItem = RCustomFieldValue.Columns.itemId.prefix("cvf")
val cvValue = RCustomFieldValue.Columns.value.prefix("cvf")
val cvField = RCustomFieldValue.Columns.field.prefix("cvf")
val cfFrom = val cf = RCustomField.as("cf")
RCustomFieldValue.table ++ fr"cvf INNER JOIN" ++ RCustomField.table ++ fr"cf ON" ++ cvField val cv = RCustomFieldValue.as("cvf")
.is(cfId)
selectSimple( Select(
Seq(cfId, cfName, cfLabel, cfType, cvValue), select(cf.id, cf.name, cf.label, cf.ftype, cv.value),
cfFrom, from(cv)
cvItem.is(itemId) .innerJoin(cf, cf.id === cv.field),
).query[ItemFieldValue].to[Vector] cv.itemId === itemId
).build.query[ItemFieldValue].to[Vector]
} }
case class ListItem( case class ListItem(
@ -287,31 +282,30 @@ object QItem {
private def findCustomFieldValuesForColl( private def findCustomFieldValuesForColl(
coll: Ident, coll: Ident,
cv: Seq[CustomValue] values: Seq[CustomValue]
): Seq[(String, Fragment)] = { ): Seq[(String, Fragment)] = {
val cfId = RCustomField.Columns.id.prefix("cf") import docspell.store.qb.DSL._
val cfName = RCustomField.Columns.name.prefix("cf")
val cfColl = RCustomField.Columns.cid.prefix("cf")
val cvValue = RCustomFieldValue.Columns.value.prefix("cvf")
val cvField = RCustomFieldValue.Columns.field.prefix("cvf")
val cvItem = RCustomFieldValue.Columns.itemId.prefix("cvf")
val cfFrom = val cf = RCustomField.as("cf")
RCustomFieldValue.table ++ fr"cvf INNER JOIN" ++ RCustomField.table ++ fr"cf ON" ++ cvField val cv = RCustomFieldValue.as("cv")
.is(cfId)
def singleSelect(v: CustomValue) = def singleSelect(v: CustomValue) =
selectSimple( Select(
Seq(cvItem), cv.itemId.s,
cfFrom, from(cv).innerJoin(cf, cv.field === cf.id),
and( where(
cfColl.is(coll), cf.cid === coll &&
or(cfName.is(v.field), cfId.is(v.field)), (cf.name === v.field || cf.id === v.field) &&
cvValue.lowerLike(QueryWildcard(v.value.toLowerCase)) cv.value.like(QueryWildcard(v.value.toLowerCase))
) )
) )
if (cv.isEmpty) Seq.empty
else Seq("customvalues" -> cv.map(singleSelect).reduce(_ ++ fr"INTERSECT" ++ _)) NonEmptyList.fromList(values.toList) match {
case Some(nel) =>
Seq("customvalues" -> intersect(nel.map(singleSelect)).build)
case None =>
Seq.empty
}
} }
private def findItemsBase( private def findItemsBase(
@ -326,13 +320,14 @@ object QItem {
val pers0 = RPerson.as("p0") val pers0 = RPerson.as("p0")
val pers1 = RPerson.as("p1") val pers1 = RPerson.as("p1")
val f = RFolder.as("f1") val f = RFolder.as("f1")
val cv = RCustomFieldValue.as("cv")
val IC = RItem.Columns val IC = RItem.Columns
val AC = RAttachment.Columns val AC = RAttachment.Columns
val itemCols = IC.all val itemCols = IC.all
val equipCols = List(equip.eid.oldColumn, equip.name.oldColumn) val equipCols = List(equip.eid.oldColumn, equip.name.oldColumn)
val folderCols = List(f.id.oldColumn, f.name.oldColumn) val folderCols = List(f.id.oldColumn, f.name.oldColumn)
val cvItem = RCustomFieldValue.Columns.itemId.prefix("cv") val cvItem = cv.itemId.column
val finalCols = commas( val finalCols = commas(
Seq( Seq(
@ -504,7 +499,7 @@ object QItem {
.getOrElse(IC.id.prefix("i").is("")) .getOrElse(IC.id.prefix("i").is(""))
) )
.getOrElse(Fragment.empty), .getOrElse(Fragment.empty),
or(iFolder.isNull, iFolder.isIn(QFolder.findMemberFolderIds(q.account))) or(iFolder.isNull, iFolder.isIn(QFolder.findMemberFolderIds(q.account).build))
) )
val order = q.orderAsc match { val order = q.orderAsc match {

View File

@ -100,20 +100,20 @@ object QJob {
val sql1 = val sql1 =
Select( Select(
List(max(JC.group).as("g")), max(JC.group).as("g"),
from(JC).innerJoin(G, JC.group === G.group), from(JC).innerJoin(G, JC.group === G.group),
G.worker === worker && stateCond G.worker === worker && stateCond
) )
val sql2 = val sql2 =
Select(List(min(JC.group).as("g")), from(JC), stateCond) Select(min(JC.group).as("g"), from(JC), stateCond)
val gcol = Column[String]("g", TableDef("")) val gcol = Column[String]("g", TableDef(""))
val groups = val groups =
Select(select(gcol), fromSubSelect(union(sql1, sql2)).as("t0"), gcol.isNull.negate) Select(select(gcol), fromSubSelect(union(sql1, sql2)).as("t0"), gcol.isNull.negate)
// either 0, one or two results, but may be empty if RJob table is empty // either 0, one or two results, but may be empty if RJob table is empty
groups.run.query[Ident].to[List].map(_.headOption) groups.build.query[Ident].to[List].map(_.headOption)
} }
private def stuckTriggerValue(t: RJob.Table, initialPause: Duration, now: Timestamp) = private def stuckTriggerValue(t: RJob.Table, initialPause: Duration, now: Timestamp) =
@ -144,7 +144,7 @@ object QJob {
(JC.state === stuck && stuckTrigger < now.toMillis)) (JC.state === stuck && stuckTrigger < now.toMillis))
).orderBy(JC.state.asc, psort, JC.submitted.asc).limit(1) ).orderBy(JC.state.asc, psort, JC.submitted.asc).limit(1)
sql.run.query[RJob].option sql.build.query[RJob].option
} }
def setCancelled[F[_]: Effect](id: Ident, store: Store[F]): F[Unit] = def setCancelled[F[_]: Effect](id: Ident, store: Store[F]): F[Unit] =
@ -215,13 +215,13 @@ object QJob {
select(JC.all), select(JC.all),
from(JC), from(JC),
JC.group === collective && JC.state.in(running) JC.group === collective && JC.state.in(running)
).orderBy(JC.submitted.desc).run.query[RJob].stream ).orderBy(JC.submitted.desc).build.query[RJob].stream
val waitingJobs = Select( val waitingJobs = Select(
select(JC.all), select(JC.all),
from(JC), from(JC),
JC.group === collective && JC.state.in(waiting) && JC.submitted > refDate JC.group === collective && JC.state.in(waiting) && JC.submitted > refDate
).orderBy(JC.submitted.desc).run.query[RJob].stream.take(max) ).orderBy(JC.submitted.desc).build.query[RJob].stream.take(max)
val doneJobs = Select( val doneJobs = Select(
select(JC.all), select(JC.all),
@ -231,7 +231,7 @@ object QJob {
JC.state.in(JobState.done), JC.state.in(JobState.done),
JC.submitted > refDate JC.submitted > refDate
) )
).orderBy(JC.submitted.desc).run.query[RJob].stream.take(max) ).orderBy(JC.submitted.desc).build.query[RJob].stream.take(max)
runningJobs ++ waitingJobs ++ doneJobs runningJobs ++ waitingJobs ++ doneJobs
} }

View File

@ -65,7 +65,7 @@ object QMails {
mUser mUser
) )
(cols, from) (cols.toList, from)
} }
} }

View File

@ -32,7 +32,7 @@ object QOrganization {
org.cid === coll &&? valFilter org.cid === coll &&? valFilter
).orderBy(order(org)) ).orderBy(order(org))
sql.run sql.build
.query[(ROrganization, Option[RContact])] .query[(ROrganization, Option[RContact])]
.stream .stream
.groupAdjacentBy(_._1) .groupAdjacentBy(_._1)
@ -86,7 +86,7 @@ object QOrganization {
pers.cid === coll &&? valFilter pers.cid === coll &&? valFilter
).orderBy(order(pers)) ).orderBy(order(pers))
sql.run sql.build
.query[(RPerson, Option[ROrganization], Option[RContact])] .query[(RPerson, Option[ROrganization], Option[RContact])]
.stream .stream
.groupAdjacentBy(_._1) .groupAdjacentBy(_._1)

View File

@ -49,7 +49,7 @@ object QPeriodicTask {
case None => RT.enabled === true case None => RT.enabled === true
} }
val sql = val sql =
Select(select(RT.all), from(RT), where).orderBy(RT.nextrun.asc).run Select(select(RT.all), from(RT), where).orderBy(RT.nextrun.asc).build
sql.query[RPeriodicTask].streamWithChunkSize(2).take(1).compile.last sql.query[RPeriodicTask].streamWithChunkSize(2).take(1).compile.last
} }

View File

@ -1,5 +1,7 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import docspell.common._ import docspell.common._
import docspell.store.qb.DSL._ import docspell.store.qb.DSL._
import docspell.store.qb._ import docspell.store.qb._
@ -27,7 +29,7 @@ object RContact {
val personId = Column[Ident]("pid", this) val personId = Column[Ident]("pid", this)
val orgId = Column[Ident]("oid", this) val orgId = Column[Ident]("oid", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List[Column[_]](contactId, value, kind, personId, orgId, created) val all = NonEmptyList.of[Column[_]](contactId, value, kind, personId, orgId, created)
} }
private val T = Table(None) private val T = Table(None)

View File

@ -1,10 +1,11 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.implicits._ import cats.implicits._
import docspell.common._ import docspell.common._
import docspell.store.impl.Column import docspell.store.qb.DSL._
import docspell.store.impl.Implicits._ import docspell.store.qb._
import doobie._ import doobie._
import doobie.implicits._ import doobie.implicits._
@ -19,58 +20,63 @@ case class RCustomField(
) )
object RCustomField { object RCustomField {
final case class Table(alias: Option[String]) extends TableDef {
val tableName = "custom_field"
val table = fr"custom_field" val id = Column[Ident]("id", this)
val name = Column[Ident]("name", this)
val label = Column[String]("label", this)
val cid = Column[Ident]("cid", this)
val ftype = Column[CustomFieldType]("ftype", this)
val created = Column[Timestamp]("created", this)
object Columns { val all = NonEmptyList.of[Column[_]](id, name, label, cid, ftype, created)
val id = Column("id")
val name = Column("name")
val label = Column("label")
val cid = Column("cid")
val ftype = Column("ftype")
val created = Column("created")
val all = List(id, name, label, cid, ftype, created)
} }
import Columns._
def insert(value: RCustomField): ConnectionIO[Int] = { val T = Table(None)
val sql = insertRow( def as(alias: String): Table =
table, Table(Some(alias))
Columns.all,
def insert(value: RCustomField): ConnectionIO[Int] =
DML.insert(
T,
T.all,
fr"${value.id},${value.name},${value.label},${value.cid},${value.ftype},${value.created}" fr"${value.id},${value.name},${value.label},${value.cid},${value.ftype},${value.created}"
) )
sql.update.run
}
def exists(fname: Ident, coll: Ident): ConnectionIO[Boolean] = def exists(fname: Ident, coll: Ident): ConnectionIO[Boolean] =
selectCount(id, table, and(name.is(fname), cid.is(coll))).query[Int].unique.map(_ > 0) run(select(count(T.id)), from(T), T.name === fname && T.cid === coll)
.query[Int]
.unique
.map(_ > 0)
def findById(fid: Ident, coll: Ident): ConnectionIO[Option[RCustomField]] = def findById(fid: Ident, coll: Ident): ConnectionIO[Option[RCustomField]] =
selectSimple(all, table, and(id.is(fid), cid.is(coll))).query[RCustomField].option run(select(T.all), from(T), T.id === fid && T.cid === coll).query[RCustomField].option
def findByIdOrName(idOrName: Ident, coll: Ident): ConnectionIO[Option[RCustomField]] = def findByIdOrName(idOrName: Ident, coll: Ident): ConnectionIO[Option[RCustomField]] =
selectSimple(all, table, and(cid.is(coll), or(id.is(idOrName), name.is(idOrName)))) Select(
.query[RCustomField] select(T.all),
.option from(T),
T.cid === coll && (T.id === idOrName || T.name === idOrName)
).build.query[RCustomField].option
def deleteById(fid: Ident, coll: Ident): ConnectionIO[Int] = def deleteById(fid: Ident, coll: Ident): ConnectionIO[Int] =
deleteFrom(table, and(id.is(fid), cid.is(coll))).update.run DML.delete(T, T.id === fid && T.cid === coll)
def findAll(coll: Ident): ConnectionIO[Vector[RCustomField]] = def findAll(coll: Ident): ConnectionIO[Vector[RCustomField]] =
selectSimple(all, table, cid.is(coll)).query[RCustomField].to[Vector] run(select(T.all), from(T), T.cid === coll).query[RCustomField].to[Vector]
def update(value: RCustomField): ConnectionIO[Int] = def update(value: RCustomField): ConnectionIO[Int] =
updateRow( DML
table, .update(
and(id.is(value.id), cid.is(value.cid)), T,
commas( T.id === value.id && T.cid === value.cid,
name.setTo(value.name), DML.set(
label.setTo(value.label), T.name.setTo(value.name),
ftype.setTo(value.ftype) T.label.setTo(value.label),
T.ftype.setTo(value.ftype)
)
) )
).update.run
def setValue(f: RCustomField, item: Ident, fval: String): ConnectionIO[Int] = def setValue(f: RCustomField, item: Ident, fval: String): ConnectionIO[Int] =
for { for {

View File

@ -3,8 +3,8 @@ package docspell.store.records
import cats.data.NonEmptyList import cats.data.NonEmptyList
import docspell.common._ import docspell.common._
import docspell.store.impl.Column import docspell.store.qb.DSL._
import docspell.store.impl.Implicits._ import docspell.store.qb._
import doobie._ import doobie._
import doobie.implicits._ import doobie.implicits._
@ -17,51 +17,51 @@ case class RCustomFieldValue(
) )
object RCustomFieldValue { object RCustomFieldValue {
final case class Table(alias: Option[String]) extends TableDef {
val tableName = "custom_field_value"
val table = fr"custom_field_value" val id = Column[Ident]("id", this)
val itemId = Column[Ident]("item_id", this)
val field = Column[Ident]("field", this)
val value = Column[String]("field_value", this)
object Columns { val all = NonEmptyList.of[Column[_]](id, itemId, field, value)
val id = Column("id")
val itemId = Column("item_id")
val field = Column("field")
val value = Column("field_value")
val all = List(id, itemId, field, value)
} }
def insert(value: RCustomFieldValue): ConnectionIO[Int] = { val T = Table(None)
val sql = insertRow( def as(alias: String): Table =
table, Table(Some(alias))
Columns.all,
def insert(value: RCustomFieldValue): ConnectionIO[Int] =
DML.insert(
T,
T.all,
fr"${value.id},${value.itemId},${value.field},${value.value}" fr"${value.id},${value.itemId},${value.field},${value.value}"
) )
sql.update.run
}
def updateValue( def updateValue(
fieldId: Ident, fieldId: Ident,
item: Ident, item: Ident,
value: String value: String
): ConnectionIO[Int] = ): ConnectionIO[Int] =
updateRow( DML.update(
table, T,
and(Columns.itemId.is(item), Columns.field.is(fieldId)), T.itemId === item && T.field === fieldId,
Columns.value.setTo(value) DML.set(T.value.setTo(value))
).update.run )
def countField(fieldId: Ident): ConnectionIO[Int] = def countField(fieldId: Ident): ConnectionIO[Int] =
selectCount(Columns.id, table, Columns.field.is(fieldId)).query[Int].unique Select(count(T.id).s, from(T), T.field === fieldId).build.query[Int].unique
def deleteByField(fieldId: Ident): ConnectionIO[Int] = def deleteByField(fieldId: Ident): ConnectionIO[Int] =
deleteFrom(table, Columns.field.is(fieldId)).update.run DML.delete(T, T.field === fieldId)
def deleteByItem(item: Ident): ConnectionIO[Int] = def deleteByItem(item: Ident): ConnectionIO[Int] =
deleteFrom(table, Columns.itemId.is(item)).update.run DML.delete(T, T.itemId === item)
def deleteValue(fieldId: Ident, items: NonEmptyList[Ident]): ConnectionIO[Int] = def deleteValue(fieldId: Ident, items: NonEmptyList[Ident]): ConnectionIO[Int] =
deleteFrom( DML.delete(
table, T,
and(Columns.field.is(fieldId), Columns.itemId.isIn(items)) T.field === fieldId && T.itemId.in(items)
).update.run )
} }

View File

@ -1,5 +1,7 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import docspell.common._ import docspell.common._
import docspell.store.qb.DSL._ import docspell.store.qb.DSL._
import docspell.store.qb._ import docspell.store.qb._
@ -24,7 +26,7 @@ object REquipment {
val name = Column[String]("name", this) val name = Column[String]("name", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val updated = Column[Timestamp]("updated", this) val updated = Column[Timestamp]("updated", this)
val all = List(eid, cid, name, created, updated) val all = NonEmptyList.of[Column[_]](eid, cid, name, created, updated)
} }
val T = Table(None) val T = Table(None)
@ -81,13 +83,13 @@ object REquipment {
.map(str => s"%${str.toLowerCase}%") .map(str => s"%${str.toLowerCase}%")
.map(v => t.name.like(v)) .map(v => t.name.like(v))
val sql = Select(select(t.all), from(t), q).orderBy(order(t)).run val sql = Select(select(t.all), from(t), q).orderBy(order(t)).build
sql.query[REquipment].to[Vector] sql.query[REquipment].to[Vector]
} }
def findLike(coll: Ident, equipName: String): ConnectionIO[Vector[IdRef]] = { def findLike(coll: Ident, equipName: String): ConnectionIO[Vector[IdRef]] = {
val t = Table(None) val t = Table(None)
run(select(List(t.eid, t.name)), from(t), t.cid === coll && t.name.like(equipName)) run(select(t.eid, t.name), from(t), t.cid === coll && t.name.like(equipName))
.query[IdRef] .query[IdRef]
.to[Vector] .to[Vector]
} }

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect._ import cats.effect._
import cats.implicits._ import cats.implicits._
@ -35,7 +36,7 @@ object RFolder {
val owner = Column[Ident]("owner", this) val owner = Column[Ident]("owner", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List(id, name, collective, owner, created) val all = NonEmptyList.of[Column[_]](id, name, collective, owner, created)
} }
val T = Table(None) val T = Table(None)
@ -75,7 +76,7 @@ object RFolder {
val nameFilter = nameQ.map(n => T.name.like(s"%${n.toLowerCase}%")) val nameFilter = nameQ.map(n => T.name.like(s"%${n.toLowerCase}%"))
val sql = Select(select(T.all), from(T), T.collective === coll &&? nameFilter) val sql = Select(select(T.all), from(T), T.collective === coll &&? nameFilter)
.orderBy(order(T)) .orderBy(order(T))
sql.run.query[RFolder].to[Vector] sql.build.query[RFolder].to[Vector]
} }
def delete(folderId: Ident): ConnectionIO[Int] = def delete(folderId: Ident): ConnectionIO[Int] =

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect._ import cats.effect._
import cats.implicits._ import cats.implicits._
@ -33,7 +34,7 @@ object RFolderMember {
val user = Column[Ident]("user_id", this) val user = Column[Ident]("user_id", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List(id, folder, user, created) val all = NonEmptyList.of[Column[_]](id, folder, user, created)
} }
val T = Table(None) val T = Table(None)

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect._ import cats.effect._
import cats.implicits._ import cats.implicits._
@ -39,7 +40,7 @@ object RFtsMigration {
val description = Column[String]("description", this) val description = Column[String]("description", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List(id, version, ftsEngine, description, created) val all = NonEmptyList.of[Column[_]](id, version, ftsEngine, description, created)
} }
val T = Table(None) val T = Table(None)

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect.Sync import cats.effect.Sync
import cats.implicits._ import cats.implicits._
@ -18,7 +19,7 @@ object RInvitation {
val id = Column[Ident]("id", this) val id = Column[Ident]("id", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List(id, created) val all = NonEmptyList.of[Column[_]](id, created)
} }
val T = Table(None) val T = Table(None)

View File

@ -7,6 +7,7 @@ import cats.implicits._
import docspell.common._ import docspell.common._
import docspell.store.impl.Implicits._ import docspell.store.impl.Implicits._
import docspell.store.impl._ import docspell.store.impl._
import docspell.store.qb.{Select, TableDef}
import doobie._ import doobie._
import doobie.implicits._ import doobie.implicits._
@ -63,6 +64,51 @@ object RItem {
None None
) )
final case class Table(alias: Option[String]) extends TableDef {
import docspell.store.qb.Column
val tableName = "item"
val id = Column[Ident]("itemid", this)
val cid = Column[Ident]("cid", this)
val name = Column[String]("name", this)
val itemDate = Column[Timestamp]("itemdate", this)
val source = Column[String]("source", this)
val incoming = Column[Direction]("incoming", this)
val state = Column[ItemState]("state", this)
val corrOrg = Column[Ident]("corrorg", this)
val corrPerson = Column[Ident]("corrperson", this)
val concPerson = Column[Ident]("concperson", this)
val concEquipment = Column[Ident]("concequipment", this)
val inReplyTo = Column[Ident]("inreplyto", this)
val dueDate = Column[Timestamp]("duedate", this)
val created = Column[Timestamp]("created", this)
val updated = Column[Timestamp]("updated", this)
val notes = Column[String]("notes", this)
val folder = Column[Ident]("folder_id", this)
val all = NonEmptyList.of[Column[_]](
id,
cid,
name,
itemDate,
source,
incoming,
state,
corrOrg,
corrPerson,
concPerson,
concEquipment,
inReplyTo,
dueDate,
created,
updated,
notes,
folder
)
}
val T = Table(None)
def as(alias: String): Table =
Table(Some(alias))
val table = fr"item" val table = fr"item"
object Columns { object Columns {
@ -349,9 +395,12 @@ object RItem {
updateRow(table, folder.is(folderId), folder.setTo(empty)).update.run updateRow(table, folder.is(folderId), folder.setTo(empty)).update.run
} }
def filterItemsFragment(items: NonEmptyList[Ident], coll: Ident): Fragment = def filterItemsFragment(items: NonEmptyList[Ident], coll: Ident): Select = {
selectSimple(Seq(id), table, and(cid.is(coll), id.isIn(items))) import docspell.store.qb.DSL._
Select(select(T.id), from(T), T.cid === coll && T.id.in(items))
}
def filterItems(items: NonEmptyList[Ident], coll: Ident): ConnectionIO[Vector[Ident]] = def filterItems(items: NonEmptyList[Ident], coll: Ident): ConnectionIO[Vector[Ident]] =
filterItemsFragment(items, coll).query[Ident].to[Vector] filterItemsFragment(items, coll).build.query[Ident].to[Vector]
} }

View File

@ -90,7 +90,7 @@ object RJob {
val started = Column[Timestamp]("started", this) val started = Column[Timestamp]("started", this)
val startedmillis = Column[Long]("startedmillis", this) val startedmillis = Column[Long]("startedmillis", this)
val finished = Column[Timestamp]("finished", this) val finished = Column[Timestamp]("finished", this)
val all = List( val all = NonEmptyList.of[Column[_]](
id, id,
task, task,
group, group,
@ -263,7 +263,7 @@ object RJob {
def selectGroupInState(states: NonEmptyList[JobState]): ConnectionIO[Vector[Ident]] = { def selectGroupInState(states: NonEmptyList[JobState]): ConnectionIO[Vector[Ident]] = {
val sql = val sql =
Select(select(T.group), from(T), T.state.in(states)).orderBy(T.group) Select(select(T.group), from(T), T.state.in(states)).orderBy(T.group)
sql.run.query[Ident].to[Vector] sql.build.query[Ident].to[Vector]
} }
def delete(jobId: Ident): ConnectionIO[Int] = def delete(jobId: Ident): ConnectionIO[Int] =

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.implicits._ import cats.implicits._
import docspell.common._ import docspell.common._
@ -17,7 +18,7 @@ object RJobGroupUse {
val group = Column[Ident]("groupid", this) val group = Column[Ident]("groupid", this)
val worker = Column[Ident]("workerid", this) val worker = Column[Ident]("workerid", this)
val all = List(group, worker) val all = NonEmptyList.of[Column[_]](group, worker)
} }
val T = Table(None) val T = Table(None)

View File

@ -1,5 +1,7 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import docspell.common._ import docspell.common._
import docspell.store.qb.DSL._ import docspell.store.qb.DSL._
import docspell.store.qb._ import docspell.store.qb._
@ -24,7 +26,7 @@ object RJobLog {
val level = Column[LogLevel]("level", this) val level = Column[LogLevel]("level", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val message = Column[String]("message", this) val message = Column[String]("message", this)
val all = List(id, jobId, level, created, message) val all = NonEmptyList.of[Column[_]](id, jobId, level, created, message)
// separate column only for sorting, so not included in `all` and // separate column only for sorting, so not included in `all` and
// the case class // the case class
@ -45,7 +47,7 @@ object RJobLog {
def findLogs(id: Ident): ConnectionIO[Vector[RJobLog]] = def findLogs(id: Ident): ConnectionIO[Vector[RJobLog]] =
Select(select(T.all), from(T), T.jobId === id) Select(select(T.all), from(T), T.jobId === id)
.orderBy(T.created.asc, T.counter.asc) .orderBy(T.created.asc, T.counter.asc)
.run .build
.query[RJobLog] .query[RJobLog]
.to[Vector] .to[Vector]

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect.Sync import cats.effect.Sync
import cats.implicits._ import cats.implicits._
@ -31,7 +32,7 @@ object RNode {
val url = Column[LenientUri]("url", this) val url = Column[LenientUri]("url", this)
val updated = Column[Timestamp]("updated", this) val updated = Column[Timestamp]("updated", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List(id, nodeType, url, updated, created) val all = NonEmptyList.of[Column[_]](id, nodeType, url, updated, created)
} }
def as(alias: String): Table = def as(alias: String): Table =

View File

@ -1,6 +1,7 @@
package docspell.store.records package docspell.store.records
import cats.Eq import cats.Eq
import cats.data.NonEmptyList
import fs2.Stream import fs2.Stream
import docspell.common.{IdRef, _} import docspell.common.{IdRef, _}
@ -40,7 +41,19 @@ object ROrganization {
val notes = Column[String]("notes", this) val notes = Column[String]("notes", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val updated = Column[Timestamp]("updated", this) val updated = Column[Timestamp]("updated", this)
val all = List(oid, cid, name, street, zip, city, country, notes, created, updated) val all =
NonEmptyList.of[Column[_]](
oid,
cid,
name,
street,
zip,
city,
country,
notes,
created,
updated
)
} }
val T = Table(None) val T = Table(None)
@ -120,7 +133,7 @@ object ROrganization {
order: Table => Column[_] order: Table => Column[_]
): Stream[ConnectionIO, ROrganization] = { ): Stream[ConnectionIO, ROrganization] = {
val sql = Select(select(T.all), from(T), T.cid === coll).orderBy(order(T)) val sql = Select(select(T.all), from(T), T.cid === coll).orderBy(order(T))
sql.run.query[ROrganization].stream sql.build.query[ROrganization].stream
} }
def findAllRef( def findAllRef(
@ -131,7 +144,7 @@ object ROrganization {
val nameFilter = nameQ.map(s => T.name.like(s"%${s.toLowerCase}%")) val nameFilter = nameQ.map(s => T.name.like(s"%${s.toLowerCase}%"))
val sql = Select(select(T.oid, T.name), from(T), T.cid === coll &&? nameFilter) val sql = Select(select(T.oid, T.name), from(T), T.cid === coll &&? nameFilter)
.orderBy(order(T)) .orderBy(order(T))
sql.run.query[IdRef].to[Vector] sql.build.query[IdRef].to[Vector]
} }
def delete(id: Ident, coll: Ident): ConnectionIO[Int] = def delete(id: Ident, coll: Ident): ConnectionIO[Int] =

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect._ import cats.effect._
import cats.implicits._ import cats.implicits._
@ -123,7 +124,7 @@ object RPeriodicTask {
val timer = Column[CalEvent]("timer", this) val timer = Column[CalEvent]("timer", this)
val nextrun = Column[Timestamp]("nextrun", this) val nextrun = Column[Timestamp]("nextrun", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List( val all = NonEmptyList.of[Column[_]](
id, id,
enabled, enabled,
task, task,

View File

@ -46,7 +46,7 @@ object RPerson {
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val updated = Column[Timestamp]("updated", this) val updated = Column[Timestamp]("updated", this)
val oid = Column[Ident]("oid", this) val oid = Column[Ident]("oid", this)
val all = List( val all = NonEmptyList.of[Column[_]](
pid, pid,
cid, cid,
name, name,
@ -150,7 +150,7 @@ object RPerson {
order: Table => Column[_] order: Table => Column[_]
): Stream[ConnectionIO, RPerson] = { ): Stream[ConnectionIO, RPerson] = {
val sql = Select(select(T.all), from(T), T.cid === coll).orderBy(order(T)) val sql = Select(select(T.all), from(T), T.cid === coll).orderBy(order(T))
sql.run.query[RPerson].stream sql.build.query[RPerson].stream
} }
def findAllRef( def findAllRef(
@ -163,7 +163,7 @@ object RPerson {
val sql = Select(select(T.pid, T.name), from(T), T.cid === coll &&? nameFilter) val sql = Select(select(T.pid, T.name), from(T), T.cid === coll &&? nameFilter)
.orderBy(order(T)) .orderBy(order(T))
sql.run.query[IdRef].to[Vector] sql.build.query[IdRef].to[Vector]
} }
def delete(personId: Ident, coll: Ident): ConnectionIO[Int] = def delete(personId: Ident, coll: Ident): ConnectionIO[Int] =

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect.Sync import cats.effect.Sync
import cats.implicits._ import cats.implicits._
@ -21,7 +22,7 @@ object RRememberMe {
val username = Column[Ident]("login", this) val username = Column[Ident]("login", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val uses = Column[Int]("uses", this) val uses = Column[Int]("uses", this)
val all = List(id, cid, username, created, uses) val all = NonEmptyList.of[Column[_]](id, cid, username, created, uses)
} }
private val T = Table(None) private val T = Table(None)

View File

@ -92,7 +92,7 @@ object RSentMail {
val body = Column[String]("body", this) val body = Column[String]("body", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List( val all = NonEmptyList.of[Column[_]](
id, id,
uid, uid,
messageId, messageId,

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect._ import cats.effect._
import cats.implicits._ import cats.implicits._
@ -37,7 +38,7 @@ object RSentMailItem {
val sentMailId = Column[Ident]("sentmail_id", this) val sentMailId = Column[Ident]("sentmail_id", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List( val all = NonEmptyList.of[Column[_]](
id, id,
itemId, itemId,
sentMailId, sentMailId,
@ -60,7 +61,7 @@ object RSentMailItem {
DML.delete(T, T.sentMailId === mailId) DML.delete(T, T.sentMailId === mailId)
def findSentMailIdsByItem(item: Ident): ConnectionIO[Set[Ident]] = def findSentMailIdsByItem(item: Ident): ConnectionIO[Set[Ident]] =
run(select(Seq(T.sentMailId)), from(T), T.itemId === item).query[Ident].to[Set] run(select(T.sentMailId.s), from(T), T.itemId === item).query[Ident].to[Set]
def deleteAllByItem(item: Ident): ConnectionIO[Int] = def deleteAllByItem(item: Ident): ConnectionIO[Int] =
DML.delete(T, T.itemId === item) DML.delete(T, T.itemId === item)

View File

@ -1,5 +1,7 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import docspell.common._ import docspell.common._
import docspell.store.qb.DSL._ import docspell.store.qb.DSL._
import docspell.store.qb._ import docspell.store.qb._
@ -41,7 +43,7 @@ object RSource {
val fileFilter = Column[Glob]("file_filter", this) val fileFilter = Column[Glob]("file_filter", this)
val all = val all =
List( NonEmptyList.of[Column[_]](
sid, sid,
cid, cid,
abbrev, abbrev,
@ -123,7 +125,7 @@ object RSource {
order: Table => Column[_] order: Table => Column[_]
): Fragment = { ): Fragment = {
val t = RSource.as("s") val t = RSource.as("s")
Select(select(t.all), from(t), t.cid === coll).orderBy(order(t)).run Select(select(t.all), from(t), t.cid === coll).orderBy(order(t)).build
} }
def delete(sourceId: Ident, coll: Ident): ConnectionIO[Int] = def delete(sourceId: Ident, coll: Ident): ConnectionIO[Int] =

View File

@ -27,7 +27,7 @@ object RTag {
val name = Column[String]("name", this) val name = Column[String]("name", this)
val category = Column[String]("category", this) val category = Column[String]("category", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List[Column[_]](tid, cid, name, category, created) val all = NonEmptyList.of[Column[_]](tid, cid, name, category, created)
} }
val T = Table(None) val T = Table(None)
def as(alias: String): Table = def as(alias: String): Table =
@ -75,7 +75,7 @@ object RTag {
val nameFilter = nameQ.map(s => T.name.like(s"%${s.toLowerCase}%")) val nameFilter = nameQ.map(s => T.name.like(s"%${s.toLowerCase}%"))
val sql = val sql =
Select(select(T.all), from(T), T.cid === coll &&? nameFilter).orderBy(order(T)) Select(select(T.all), from(T), T.cid === coll &&? nameFilter).orderBy(order(T))
sql.run.query[RTag].to[Vector] sql.build.query[RTag].to[Vector]
} }
def findAllById(ids: List[Ident]): ConnectionIO[Vector[RTag]] = def findAllById(ids: List[Ident]): ConnectionIO[Vector[RTag]] =
@ -97,7 +97,7 @@ object RTag {
from(t).innerJoin(ti, ti.tagId === t.tid), from(t).innerJoin(ti, ti.tagId === t.tid),
ti.itemId === itemId ti.itemId === itemId
).orderBy(t.name.asc) ).orderBy(t.name.asc)
sql.run.query[RTag].to[Vector] sql.build.query[RTag].to[Vector]
} }
def findBySource(source: Ident): ConnectionIO[Vector[RTag]] = { def findBySource(source: Ident): ConnectionIO[Vector[RTag]] = {
@ -109,7 +109,7 @@ object RTag {
from(t).innerJoin(s, s.tagId === t.tid), from(t).innerJoin(s, s.tagId === t.tid),
s.sourceId === source s.sourceId === source
).orderBy(t.name.asc) ).orderBy(t.name.asc)
sql.run.query[RTag].to[Vector] sql.build.query[RTag].to[Vector]
} }
def findAllByNameOrId( def findAllByNameOrId(

View File

@ -19,7 +19,7 @@ object RTagItem {
val tagItemId = Column[Ident]("tagitemid", this) val tagItemId = Column[Ident]("tagitemid", this)
val itemId = Column[Ident]("itemid", this) val itemId = Column[Ident]("itemid", this)
val tagId = Column[Ident]("tid", this) val tagId = Column[Ident]("tid", this)
val all = List(tagItemId, itemId, tagId) val all = NonEmptyList.of[Column[_]](tagItemId, itemId, tagId)
} }
val t = Table(None) val t = Table(None)
def as(alias: String): Table = def as(alias: String): Table =
@ -31,16 +31,8 @@ object RTagItem {
def deleteItemTags(item: Ident): ConnectionIO[Int] = def deleteItemTags(item: Ident): ConnectionIO[Int] =
DML.delete(t, t.itemId === item) DML.delete(t, t.itemId === item)
def deleteItemTags(items: NonEmptyList[Ident], cid: Ident): ConnectionIO[Int] = { def deleteItemTags(items: NonEmptyList[Ident], cid: Ident): ConnectionIO[Int] =
print(cid) DML.delete(t, t.itemId.in(RItem.filterItemsFragment(items, cid)))
DML.delete(t, t.itemId.in(items))
//TODO match those of the collective
//val itemsFiltered =
// RItem.filterItemsFragment(items, cid)
//val sql = fr"DELETE FROM" ++ Fragment.const(t.tableName) ++ fr"WHERE" ++
// t.itemId.isIn(itemsFiltered)
//sql.update.run
}
def deleteTag(tid: Ident): ConnectionIO[Int] = def deleteTag(tid: Ident): ConnectionIO[Int] =
DML.delete(t, t.tagId === tid) DML.delete(t, t.tagId === tid)

View File

@ -1,5 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import cats.effect.Sync import cats.effect.Sync
import cats.implicits._ import cats.implicits._
@ -19,7 +20,7 @@ object RTagSource {
val id = Column[Ident]("id", this) val id = Column[Ident]("id", this)
val sourceId = Column[Ident]("source_id", this) val sourceId = Column[Ident]("source_id", this)
val tagId = Column[Ident]("tag_id", this) val tagId = Column[Ident]("tag_id", this)
val all = List(id, sourceId, tagId) val all = NonEmptyList.of[Column[_]](id, sourceId, tagId)
} }
private val t = Table(None) private val t = Table(None)

View File

@ -1,5 +1,7 @@
package docspell.store.records package docspell.store.records
import cats.data.NonEmptyList
import docspell.common._ import docspell.common._
import docspell.store.qb.DSL._ import docspell.store.qb.DSL._
import docspell.store.qb._ import docspell.store.qb._
@ -34,7 +36,17 @@ object RUser {
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = val all =
List(uid, login, cid, password, state, email, loginCount, lastLogin, created) NonEmptyList.of[Column[_]](
uid,
login,
cid,
password,
state,
email,
loginCount,
lastLogin,
created
)
} }
def as(alias: String): Table = def as(alias: String): Table =
@ -83,7 +95,7 @@ object RUser {
def findAll(coll: Ident, order: Table => Column[_]): ConnectionIO[Vector[RUser]] = { def findAll(coll: Ident, order: Table => Column[_]): ConnectionIO[Vector[RUser]] = {
val t = Table(None) val t = Table(None)
val sql = Select(select(t.all), from(t), t.cid === coll).orderBy(order(t)).run val sql = Select(select(t.all), from(t), t.cid === coll).orderBy(order(t)).build
sql.query[RUser].to[Vector] sql.query[RUser].to[Vector]
} }

View File

@ -1,6 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.OptionT import cats.data.{NonEmptyList, OptionT}
import cats.effect._ import cats.effect._
import cats.implicits._ import cats.implicits._
@ -118,7 +118,7 @@ object RUserEmail {
val mailReplyTo = Column[MailAddress]("mail_replyto", this) val mailReplyTo = Column[MailAddress]("mail_replyto", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List( val all = NonEmptyList.of[Column[_]](
id, id,
uid, uid,
name, name,
@ -188,7 +188,7 @@ object RUserEmail {
user.cid === accId.collective && user.login === accId.user &&? nameFilter user.cid === accId.collective && user.login === accId.user &&? nameFilter
).orderBy(email.name) ).orderBy(email.name)
sql.run.query[RUserEmail] sql.build.query[RUserEmail]
} }
def findByAccount( def findByAccount(

View File

@ -1,6 +1,6 @@
package docspell.store.records package docspell.store.records
import cats.data.OptionT import cats.data.{NonEmptyList, OptionT}
import cats.effect._ import cats.effect._
import cats.implicits._ import cats.implicits._
@ -106,7 +106,7 @@ object RUserImap {
val imapCertCheck = Column[Boolean]("imap_certcheck", this) val imapCertCheck = Column[Boolean]("imap_certcheck", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List( val all = NonEmptyList.of[Column[_]](
id, id,
uid, uid,
name, name,
@ -173,7 +173,7 @@ object RUserImap {
select(m.all), select(m.all),
from(m).innerJoin(u, m.uid === u.uid), from(m).innerJoin(u, m.uid === u.uid),
u.cid === accId.collective && u.login === accId.user &&? nameFilter u.cid === accId.collective && u.login === accId.user &&? nameFilter
).orderBy(m.name).run ).orderBy(m.name).build
sql.query[RUserImap] sql.query[RUserImap]
} }

View File

@ -1,7 +1,6 @@
package docspell.store.qb package docspell.store.qb
import minitest._ import minitest._
import docspell.store.qb._
import docspell.store.qb.model._ import docspell.store.qb.model._
import docspell.store.qb.DSL._ import docspell.store.qb.DSL._
@ -31,9 +30,16 @@ object QueryBuilderTest extends SimpleTestSuite {
val q = Select(proj, tables, cond).orderBy(c.name.desc) val q = Select(proj, tables, cond).orderBy(c.name.desc)
q match { q match {
case Select.Ordered(Select.SimpleSelect(proj, from, where, group), sb, vempty) => case Select.Ordered(
Select.SimpleSelect(false, proj, from, where, group),
sb,
vempty
) =>
assert(vempty.isEmpty) assert(vempty.isEmpty)
assertEquals(sb, OrderBy(SelectExpr.SelectColumn(c.name), OrderBy.OrderType.Desc)) assertEquals(
sb,
OrderBy(SelectExpr.SelectColumn(c.name, None), OrderBy.OrderType.Desc)
)
assertEquals(11, proj.size) assertEquals(11, proj.size)
from match { from match {
case FromExpr.From(_) => case FromExpr.From(_) =>
@ -55,6 +61,8 @@ object QueryBuilderTest extends SimpleTestSuite {
case _ => case _ =>
fail("Unexpected join result") fail("Unexpected join result")
} }
case _ =>
fail("Unexpected result")
} }
assertEquals(group, None) assertEquals(group, None)
assert(where.isDefined) assert(where.isDefined)

View File

@ -5,7 +5,7 @@ import docspell.store.qb._
import docspell.store.qb.model._ import docspell.store.qb.model._
import docspell.store.qb.DSL._ import docspell.store.qb.DSL._
object DoobieQueryTest extends SimpleTestSuite { object SelectBuilderTest extends SimpleTestSuite {
test("basic fragment") { test("basic fragment") {
val c = CourseRecord.as("c") val c = CourseRecord.as("c")
@ -25,7 +25,7 @@ object DoobieQueryTest extends SimpleTestSuite {
val frag = SelectBuilder(q) val frag = SelectBuilder(q)
assertEquals( assertEquals(
frag.toString, frag.toString,
"""Fragment("SELECT c.id, c.name, c.owner_id, c.lecturer_id, c.lessons FROM course c INNER JOIN person o ON c.owner_id = o.id LEFT JOIN person l ON c.lecturer_id = l.id WHERE (LOWER(c.name) LIKE ? AND o.name = ? )")""" """Fragment("SELECT c.id, c.name, c.owner_id, c.lecturer_id, c.lessons FROM course c INNER JOIN person o ON c.owner_id = o.id LEFT JOIN person l ON c.lecturer_id = l.id WHERE (LOWER(c.name) LIKE ? AND o.name = ? )")"""
) )
} }

View File

@ -1,5 +1,6 @@
package docspell.store.qb.model package docspell.store.qb.model
import cats.data.NonEmptyList
import docspell.store.qb._ import docspell.store.qb._
case class CourseRecord( case class CourseRecord(
@ -22,7 +23,7 @@ object CourseRecord {
val lecturerId = Column[Long]("lecturer_id", this) val lecturerId = Column[Long]("lecturer_id", this)
val lessons = Column[Int]("lessons", this) val lessons = Column[Int]("lessons", this)
val all = List(id, name, ownerId, lecturerId, lessons) val all = NonEmptyList.of[Column[_]](id, name, ownerId, lecturerId, lessons)
} }
def as(alias: String): Table = def as(alias: String): Table =

View File

@ -1,5 +1,6 @@
package docspell.store.qb.model package docspell.store.qb.model
import cats.data.NonEmptyList
import docspell.store.qb._ import docspell.store.qb._
import docspell.common._ import docspell.common._
@ -15,7 +16,7 @@ object PersonRecord {
val name = Column[String]("name", this) val name = Column[String]("name", this)
val created = Column[Timestamp]("created", this) val created = Column[Timestamp]("created", this)
val all = List(id, name, created) val all = NonEmptyList.of[Column[_]](id, name, created)
} }
def as(alias: String): Table = def as(alias: String): Table =