Compare commits

..

No commits in common. "3526decbadcf9efbc57c01a15b63ab32fc4cf9e8" and "49209663886040d52fb7554e37c1523c8b6ffe94" have entirely different histories.

10 changed files with 45 additions and 207 deletions

View file

@ -118,7 +118,3 @@ uml: plantuml.jar
install-just: install-just:
@echo "Installing just" @echo "Installing just"
@curl --proto '=https' --tlsv1.2 -sSf https://just.systems/install.sh | bash -s -- --to /usr/local/bin @curl --proto '=https' --tlsv1.2 -sSf https://just.systems/install.sh | bash -s -- --to /usr/local/bin
.PHONY: types
types:
tygo generate

View file

@ -21,14 +21,13 @@ type Database interface {
AddProject(name string, description string, username string) error AddProject(name string, description string, username string) error
Migrate(dirname string) error Migrate(dirname string) error
GetProjectId(projectname string) (int, error) GetProjectId(projectname string) (int, error)
AddTimeReport(projectName string, userName string, activityType string, start time.Time, end time.Time) error AddTimeReport(projectName string, userName string, start time.Time, end time.Time) error
AddUserToProject(username string, projectname string, role string) error AddUserToProject(username string, projectname string, role string) error
ChangeUserRole(username string, projectname string, role string) error ChangeUserRole(username string, projectname string, role string) error
GetAllUsersProject(projectname string) ([]UserProjectMember, error) GetAllUsersProject(projectname string) ([]UserProjectMember, error)
GetAllUsersApplication() ([]string, error) GetAllUsersApplication() ([]string, error)
GetProjectsForUser(username string) ([]types.Project, error) GetProjectsForUser(username string) ([]types.Project, error)
GetAllProjects() ([]types.Project, error) GetAllProjects() ([]types.Project, error)
GetProject(projectId int) (types.Project, error)
GetUserRole(username string, projectname string) (string, error) GetUserRole(username string, projectname string) (string, error)
} }
@ -52,8 +51,8 @@ const projectInsert = "INSERT INTO projects (name, description, owner_user_id) S
const promoteToAdmin = "INSERT INTO site_admin (admin_id) SELECT id FROM users WHERE username = ?" const promoteToAdmin = "INSERT INTO site_admin (admin_id) SELECT id FROM users WHERE username = ?"
const addTimeReport = `WITH UserLookup AS (SELECT id FROM users WHERE username = ?), const addTimeReport = `WITH UserLookup AS (SELECT id FROM users WHERE username = ?),
ProjectLookup AS (SELECT id FROM projects WHERE name = ?) ProjectLookup AS (SELECT id FROM projects WHERE name = ?)
INSERT INTO time_reports (project_id, user_id, activity_type, start, end) INSERT INTO time_reports (project_id, user_id, start, end)
VALUES ((SELECT id FROM ProjectLookup), (SELECT id FROM UserLookup),?, ?, ?);` VALUES ((SELECT id FROM ProjectLookup), (SELECT id FROM UserLookup), ?, ?);`
const addUserToProject = "INSERT INTO user_roles (user_id, project_id, p_role) VALUES (?, ?, ?)" // WIP const addUserToProject = "INSERT INTO user_roles (user_id, project_id, p_role) VALUES (?, ?, ?)" // WIP
const changeUserRole = "UPDATE user_roles SET p_role = ? WHERE user_id = ? AND project_id = ?" const changeUserRole = "UPDATE user_roles SET p_role = ? WHERE user_id = ? AND project_id = ?"
@ -89,34 +88,23 @@ func DbConnect(dbpath string) Database {
return &Db{db} return &Db{db}
} }
// GetProjectsForUser retrieves all projects associated with a specific user.
func (d *Db) GetProjectsForUser(username string) ([]types.Project, error) { func (d *Db) GetProjectsForUser(username string) ([]types.Project, error) {
var projects []types.Project var projects []types.Project
err := d.Select(&projects, getProjectsForUser, username) err := d.Select(&projects, getProjectsForUser, username)
return projects, err return projects, err
} }
// GetAllProjects retrieves all projects from the database.
func (d *Db) GetAllProjects() ([]types.Project, error) { func (d *Db) GetAllProjects() ([]types.Project, error) {
var projects []types.Project var projects []types.Project
err := d.Select(&projects, "SELECT * FROM projects") err := d.Select(&projects, "SELECT * FROM projects")
return projects, err return projects, err
} }
// GetProject retrieves a specific project by its ID. func (d *Db) AddTimeReport(projectName string, userName string, start time.Time, end time.Time) error { // WIP
func (d *Db) GetProject(projectId int) (types.Project, error) { _, err := d.Exec(addTimeReport, userName, projectName, start, end)
var project types.Project
err := d.Select(&project, "SELECT * FROM projects WHERE id = ?")
return project, err
}
// AddTimeReport adds a time report for a specific project and user.
func (d *Db) AddTimeReport(projectName string, userName string, activityType string, start time.Time, end time.Time) error { // WIP
_, err := d.Exec(addTimeReport, userName, projectName, activityType, start, end)
return err return err
} }
// AddUserToProject adds a user to a project with a specified role.
func (d *Db) AddUserToProject(username string, projectname string, role string) error { // WIP func (d *Db) AddUserToProject(username string, projectname string, role string) error { // WIP
var userid int var userid int
userid, err := d.GetUserId(username) userid, err := d.GetUserId(username)
@ -134,28 +122,23 @@ func (d *Db) AddUserToProject(username string, projectname string, role string)
return err3 return err3
} }
// ChangeUserRole changes the role of a user within a project.
func (d *Db) ChangeUserRole(username string, projectname string, role string) error { func (d *Db) ChangeUserRole(username string, projectname string, role string) error {
// Get the user ID
var userid int var userid int
userid, err := d.GetUserId(username) userid, err := d.GetUserId(username)
if err != nil { if err != nil {
panic(err) panic(err)
} }
// Get the project ID
var projectid int var projectid int
projectid, err2 := d.GetProjectId(projectname) projectid, err2 := d.GetProjectId(projectname)
if err2 != nil { if err2 != nil {
panic(err2) panic(err2)
} }
// Execute the SQL query to change the user's role
_, err3 := d.Exec(changeUserRole, role, userid, projectid) _, err3 := d.Exec(changeUserRole, role, userid, projectid)
return err3 return err3
} }
// GetUserRole retrieves the role of a user within a project.
func (d *Db) GetUserRole(username string, projectname string) (string, error) { func (d *Db) GetUserRole(username string, projectname string) (string, error) {
var role string var role string
err := d.Get(&role, "SELECT p_role FROM user_roles WHERE user_id = (SELECT id FROM users WHERE username = ?) AND project_id = (SELECT id FROM projects WHERE name = ?)", username, projectname) err := d.Get(&role, "SELECT p_role FROM user_roles WHERE user_id = (SELECT id FROM users WHERE username = ?) AND project_id = (SELECT id FROM projects WHERE name = ?)", username, projectname)

View file

@ -112,7 +112,7 @@ func TestAddTimeReport(t *testing.T) {
var now = time.Now() var now = time.Now()
var then = now.Add(time.Hour) var then = now.Add(time.Hour)
err = db.AddTimeReport("testproject", "testuser", "activity", now, then) err = db.AddTimeReport("testproject", "testuser", now, then)
if err != nil { if err != nil {
t.Error("AddTimeReport failed:", err) t.Error("AddTimeReport failed:", err)
} }
@ -137,7 +137,7 @@ func TestAddUserToProject(t *testing.T) {
var now = time.Now() var now = time.Now()
var then = now.Add(time.Hour) var then = now.Add(time.Hour)
err = db.AddTimeReport("testproject", "testuser", "activity", now, then) err = db.AddTimeReport("testproject", "testuser", now, then)
if err != nil { if err != nil {
t.Error("AddTimeReport failed:", err) t.Error("AddTimeReport failed:", err)
} }
@ -343,38 +343,3 @@ func TestGetProjectsForUser(t *testing.T) {
t.Error("GetProjectsForUser failed: expected 1, got", len(projects)) t.Error("GetProjectsForUser failed: expected 1, got", len(projects))
} }
} }
func TestAddProject(t *testing.T) {
db, err := setupState()
if err != nil {
t.Error("setupState failed:", err)
}
err = db.AddUser("testuser", "password")
if err != nil {
t.Error("AddUser failed:", err)
}
err = db.AddProject("testproject", "description", "testuser")
if err != nil {
t.Error("AddProject failed:", err)
}
// Retrieve the added project to verify its existence
projects, err := db.GetAllProjects()
if err != nil {
t.Error("GetAllProjects failed:", err)
}
// Check if the project was added successfully
found := false
for _, project := range projects {
if project.Name == "testproject" {
found = true
break
}
}
if !found {
t.Error("Added project not found")
}
}

View file

@ -2,12 +2,10 @@ CREATE TABLE IF NOT EXISTS time_reports (
id INTEGER PRIMARY KEY, id INTEGER PRIMARY KEY,
project_id INTEGER NOT NULL, project_id INTEGER NOT NULL,
user_id INTEGER NOT NULL, user_id INTEGER NOT NULL,
activity_type TEXT NOT NULL,
start DATETIME NOT NULL, start DATETIME NOT NULL,
end DATETIME NOT NULL, end DATETIME NOT NULL,
FOREIGN KEY (project_id) REFERENCES projects (id) ON DELETE CASCADE FOREIGN KEY (project_id) REFERENCES projects (id) ON DELETE CASCADE
FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE
FOREIGN KEY (activity_type) REFERENCES activity_types (name) ON DELETE CASCADE
); );
CREATE TRIGGER IF NOT EXISTS time_reports_start_before_end CREATE TRIGGER IF NOT EXISTS time_reports_start_before_end

View file

@ -1,7 +1,7 @@
-- It is unclear weather this table will be used -- It is unclear weather this table will be used
-- Create the table to store hash salts -- Create the table to store hash salts
CREATE TABLE IF NOT EXISTS salts ( CREATE TABLE salts (
id INTEGER PRIMARY KEY, id INTEGER PRIMARY KEY,
salt TEXT NOT NULL salt TEXT NOT NULL
); );

View file

@ -1,10 +0,0 @@
CREATE TABLE IF NOT EXISTS activity_types (
name TEXT PRIMARY KEY
);
INSERT OR IGNORE INTO activity_types (name) VALUES ('Development');
INSERT OR IGNORE INTO activity_types (name) VALUES ('Meeting');
INSERT OR IGNORE INTO activity_types (name) VALUES ('Administration');
INSERT OR IGNORE INTO activity_types (name) VALUES ('Own Work');
INSERT OR IGNORE INTO activity_types (name) VALUES ('Studies');
INSErt OR IGNORE INTO activity_types (name) VALUES ('Testing');

View file

@ -1,7 +1,6 @@
package handlers package handlers
import ( import (
"strconv"
"time" "time"
"ttime/internal/database" "ttime/internal/database"
"ttime/internal/types" "ttime/internal/types"
@ -226,24 +225,3 @@ func (gs *GState) ProjectRoleChange(c *fiber.Ctx) error {
// Return a success message // Return a success message
return c.SendStatus(fiber.StatusOK) return c.SendStatus(fiber.StatusOK)
} }
// GetProject retrieves a specific project by its ID
func (gs *GState) GetProject(c *fiber.Ctx) error {
// Extract the project ID from the request parameters or body
projectID := c.Params("projectID")
// Parse the project ID into an integer
projectIDInt, err := strconv.Atoi(projectID)
if err != nil {
return c.Status(400).SendString("Invalid project ID")
}
// Get the project from the database by its ID
project, err := gs.Db.GetProject(projectIDInt)
if err != nil {
return c.Status(500).SendString(err.Error())
}
// Return the project as JSON
return c.JSON(project)
}

View file

@ -1,9 +0,0 @@
packages:
- path: "ttime/internal/types"
output_path: "../frontend/src/Types/goTypes.ts"
type_mappings:
time.Time: "string /* RFC3339 */"
null.String: "null | string"
null.Bool: "null | boolean"
uuid.UUID: "string /* uuid */"
uuid.NullUUID: "null | string /* uuid */"

View file

@ -9,7 +9,7 @@ module.exports = {
'plugin:react-hooks/recommended', 'plugin:react-hooks/recommended',
'plugin:prettier/recommended', 'plugin:prettier/recommended',
], ],
ignorePatterns: ['dist', '.eslintrc.cjs', 'tailwind.config.js', 'postcss.config.js', 'jest.config.cjs', 'goTypes.ts'], ignorePatterns: ['dist', '.eslintrc.cjs', 'tailwind.config.js', 'postcss.config.js', 'jest.config.cjs'],
parser: '@typescript-eslint/parser', parser: '@typescript-eslint/parser',
plugins: ['react-refresh', 'prettier'], plugins: ['react-refresh', 'prettier'],
rules: { rules: {

View file

@ -1,120 +1,57 @@
import { NewProject, Project } from "../Types/Project"; import { NewProject, Project } from "../Types/Project";
import { NewUser, User } from "../Types/Users"; import { NewUser, User } from "../Types/Users";
// This type of pattern should be hard to misuse
interface APIResponse<T> {
success: boolean;
message?: string;
data?: T;
}
// Note that all protected routes also require a token
// Defines all the methods that an instance of the API must implement // Defines all the methods that an instance of the API must implement
interface API { interface API {
/** Register a new user */ /** Register a new user */
registerUser(user: NewUser): Promise<APIResponse<User>>; registerUser(user: NewUser): Promise<User>;
/** Remove a user */ /** Remove a user */
removeUser(username: string, token: string): Promise<APIResponse<User>>; removeUser(username: string): Promise<User>;
/** Create a project */ /** Create a project */
createProject( createProject(project: NewProject): Promise<Project>;
project: NewProject,
token: string,
): Promise<APIResponse<Project>>;
/** Renew the token */ /** Renew the token */
renewToken(token: string): Promise<APIResponse<string>>; renewToken(token: string): Promise<string>;
} }
// Export an instance of the API // Export an instance of the API
export const api: API = { export const api: API = {
async registerUser(user: NewUser): Promise<APIResponse<User>> { async registerUser(user: NewUser): Promise<User> {
try { return fetch("/api/register", {
const response = await fetch("/api/register", { method: "POST",
method: "POST", headers: {
headers: { "Content-Type": "application/json",
"Content-Type": "application/json", },
}, body: JSON.stringify(user),
body: JSON.stringify(user), }).then((res) => res.json() as Promise<User>);
});
if (!response.ok) {
return { success: false, message: "Failed to register user" };
} else {
const data = (await response.json()) as User;
return { success: true, data };
}
} catch (e) {
return { success: false, message: "Failed to register user" };
}
}, },
async removeUser( async removeUser(username: string): Promise<User> {
username: string, return fetch("/api/userdelete", {
token: string, method: "POST",
): Promise<APIResponse<User>> { headers: {
try { "Content-Type": "application/json",
const response = await fetch("/api/userdelete", { },
method: "POST", body: JSON.stringify(username),
headers: { }).then((res) => res.json() as Promise<User>);
"Content-Type": "application/json",
Authorization: "Bearer " + token,
},
body: JSON.stringify(username),
});
if (!response.ok) {
return { success: false, message: "Failed to remove user" };
} else {
const data = (await response.json()) as User;
return { success: true, data };
}
} catch (e) {
return { success: false, message: "Failed to remove user" };
}
}, },
async createProject( async createProject(project: NewProject): Promise<Project> {
project: NewProject, return fetch("/api/project", {
token: string, method: "POST",
): Promise<APIResponse<Project>> { headers: {
try { "Content-Type": "application/json",
const response = await fetch("/api/project", { },
method: "POST", body: JSON.stringify(project),
headers: { }).then((res) => res.json() as Promise<Project>);
"Content-Type": "application/json",
Authorization: "Bearer " + token,
},
body: JSON.stringify(project),
});
if (!response.ok) {
return { success: false, message: "Failed to create project" };
} else {
const data = (await response.json()) as Project;
return { success: true, data };
}
} catch (e) {
return { success: false, message: "Failed to create project" };
}
}, },
async renewToken(token: string): Promise<APIResponse<string>> { async renewToken(token: string): Promise<string> {
try { return fetch("/api/loginrenew", {
const response = await fetch("/api/loginrenew", { method: "POST",
method: "POST", headers: {
headers: { "Content-Type": "application/json",
"Content-Type": "application/json", Authorization: "Bearer " + token,
Authorization: "Bearer " + token, },
}, }).then((res) => res.json() as Promise<string>);
});
if (!response.ok) {
return { success: false, message: "Failed to renew token" };
} else {
const data = (await response.json()) as string;
return { success: true, data };
}
} catch (e) {
return { success: false, message: "Failed to renew token" };
}
}, },
}; };