aboutsummaryrefslogtreecommitdiff
path: root/src/main/kotlin/DatabaseController.kt
blob: 64acc6c17e8dcb327b1f7a847d4b7b367beada6d (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
package space.anity

import org.jetbrains.exposed.sql.*
import org.jetbrains.exposed.sql.transactions.*
import java.sql.*

class DatabaseController(dbFileLocation: String = "main.db") {
    val db: Database

    /**
     * Database table for the file location indexing
     */
    object FileLocation : Table() {
        val id = integer("id").autoIncrement().primaryKey()
        val location = text("location")
    }

    /**
     * Database table to index the users with their regarding passwords
     */
    object UserData : Table() {
        // only for multiple users:
        // val id = integer("id").autoIncrement().primaryKey()
        val username = varchar("username", 24).primaryKey()  // remove .primaryKey(), if id column is used
        val password = varchar("password", 64)
        val role = varchar("role", 64).default("USER")
    }

    /**
     * Database table storing general data/states
     */
    object General : Table() {
        val initialUse = integer("initialUse").default(1).primaryKey() // boolean -> 0:1
    }

    init {
        // create connection
        this.db = Database.connect("jdbc:sqlite:$dbFileLocation", "org.sqlite.JDBC")
        TransactionManager.manager.defaultIsolationLevel = Connection.TRANSACTION_SERIALIZABLE

        // add tables
        transaction {
            SchemaUtils.createMissingTablesAndColumns(FileLocation, UserData, General)
        }
    }

    fun createUser(usernameString: String, passwordHash: String, roleString: String) {
        transaction {
            try {
                UserData.insert {
                    it[username] = usernameString
                    it[password] = passwordHash
                    it[role] = roleString
                }
            } catch (_: org.jetbrains.exposed.exceptions.ExposedSQLException) {
                println("User already exists")
            }

        }
    }

    fun getUser(usernameString: String): List<Pair<String, Roles>> {
        return transaction {
            return@transaction UserData.select { UserData.username eq usernameString }.map {
                it[UserData.username] to (if (it[UserData.role] == "ADMIN") Roles.ADMIN else Roles.USER)
            }
        }
    }

    /*
    fun selectUser(uname: String) :String {
        var pwd :String

        transaction {
            UserData.select{UserData.username eq uname}.forEach {
                pwd = it[UserData.password]
            }
        }

        // return pwd
    }

    */

    // TODO add functions for database usage
}