Compare commits

...

10 commits

Author SHA1 Message Date
1e99
f6192f6118 remove platform restriction 2024-12-29 23:30:28 +01:00
1e99
027d9f573c improve README 2024-12-29 09:57:15 +01:00
1e99
7df811beb4 add build.sh 2024-12-29 09:37:34 +01:00
1e99
d1d5f93486 add static override 2024-12-16 22:31:50 +01:00
1e99
71e28f94ca upgrade to go 1.21.3 2024-12-15 10:03:43 +01:00
1e99
972e941da3 dir store now creates directory 2024-11-30 11:01:38 +01:00
1e99
6855166afc update pipeline 2024-11-30 10:56:53 +01:00
1e99
d5d6d53946 add error view 2024-11-30 10:55:59 +01:00
1e99
049402203b no longer translate translation keys 2024-11-10 17:26:06 +01:00
1e99
7171af3687 update translations 2024-11-10 17:23:12 +01:00
17 changed files with 150 additions and 104 deletions

View file

@ -1,5 +1,4 @@
when:
- event: "push"
- event: "manual"
steps:

View file

@ -1,4 +1,4 @@
FROM golang:1.23.1 AS builder
FROM golang:1.23.3 AS builder
WORKDIR /src
COPY . ./
RUN go build -o /bin/passed .

View file

@ -1,4 +1,5 @@
# PassED
[![Discord](https://badgen.net/badge/icon/discord?icon=discord&label)](https://discord.gg/NuGxJKtDKS)
[![Demo](https://img.shields.io/website-up-down-green-red/https/passed.1e99.eu.svg)](https://passed.1e99.eu/)
[![Made with Go](https://img.shields.io/badge/Made%20with-Go-1f425f.svg)](https://go.dev/)
@ -16,25 +17,30 @@ You want to share it on paper, but everyone can read that too.
PassED solves this issue by allowing you to generate single-use URLs with your password.
## How it works
When you generate a URL...
1. The browser generates an AES key.
2. The password you entered gets encrypted using this key.
3. The encrypted password is uploaded to the server, which responds with an ID to uniquely identify the password.
4. A URL is generated that contains the ID and AES key.
When you view a password...
1. The browser imports the AES key from the URL.
2. The browser asks the server for the password using the ID in the URL.
3. The browser decrypts the password from the server using the AES key from the URL.
## Setup
Setting up PassED can be done with docker compose or from source. As the website relies on the [Web Crypto API](https://developer.mozilla.org/en-US/docs/Web/API/Web_Crypto_API) it requires a [secure context](https://developer.mozilla.org/en-US/docs/Web/Security/Secure_Contexts). In other words you must setup a reverse proxy for HTTPS, or access the site via `localhost`.
### Docker compose
```yaml
services:
"passed":
image: "git.1e99.eu/1e99/passed:latest"
image: "git.1e99.eu/1e99/passed:latest" # You can also use the latest commit hash as the tag to fix your image to a version.
volumes:
- "./passed:/etc/passed"
environment:
@ -46,30 +52,42 @@ services:
```
### From Source
1. Clonse the source code
```bash
git clone https://git.1e99.eu/1e99/passed.git --depth 1
```
2. Ensure that you have go installed, if not follow this [guide](https://go.dev/doc/install).
3. Build the project.
```bash
go build -o passed .
```
4. Run the binary.
```bash
PASSED_STORE_TYPE=dir ./passed
```
## Configuration
Configuration is done using environment variables.
- `PASSED_ADDRESS`: The address that PassED should listen on, defaults to `:3000`.
- `PASSED_LOG_REQUESTS`: Should requests be logged, defaults to `true`.
- `PASSED_MAX_LENGTH`: Maximum password length in KiB, defaults to `12288`.
- `PASSED_MAX_LENGTH`: Maximum password length in bytes, defaults to `12288` (12 KiB).
- `PASSED_STORE_TYPE`: Store type to pick, defaults to `ram`.
- `ram`: Passwords are stored in RAM.
- `dir`: Passwords are stored in a directory. The directory is specified using `PASSED_STORE_DIR_PATH`, which defaults to `passwords`. PassED will **not** create the directory for you.
- `dir`: Passwords are stored in a directory. The directory is specified using `PASSED_STORE_DIR_PATH`, which defaults to `passwords`. PassED will create the directory for you.
- `PASSED_STORE_CLEAR_INTERVAL`: Time that should pass between clearing expired passwords in seconds, defaults to `30`.
- `PASSED_STATIC_TYPE`: Directory from which static files are served, defaults to `embed`.
- `embed`: Static files are served from the files located within the binary. This is recommended.
- `dir`: Static files are served from a directory. The directory is specified using `PASSED_STATIC_DIR_PATH`, which defaults to `static`. PassED will not create the directory for you.
## Translators
- RoryBD
- Nexio

15
build.sh Executable file
View file

@ -0,0 +1,15 @@
#!/usr/bin/env bash
set -e
tag_latest=git.1e99.eu/1e99/passed:latest
tag_commit=git.1e99.eu/1e99/passed:$(git rev-parse HEAD)
# TODO: Figure out other platforms
docker image build \
--force-rm \
--tag $tag_latest \
--tag $tag_commit \
.
docker image push $tag_latest
docker image push $tag_commit

View file

@ -1,37 +0,0 @@
package config
import (
"log"
"os"
"strconv"
)
func Env(name string, out any, def string) {
raw := os.Getenv(name)
if raw == "" {
raw = def
log.Printf("No \"%s\" provided, defaulting to \"%s\".", name, def)
}
switch value := out.(type) {
case *int:
i, err := strconv.ParseInt(raw, 10, 64)
if err != nil {
log.Printf("\"%s\" is not a number (\"%s\").", name, raw)
return
}
*value = int(i)
case *bool:
switch raw {
case "true", "TRUE", "1":
*value = true
case "false", "FALSE", "0":
*value = false
}
case *string:
*value = raw
}
}

2
go.mod
View file

@ -1,3 +1,3 @@
module git.1e99.eu/1e99/passed
go 1.23.1
go 1.23.3

78
main.go
View file

@ -3,11 +3,13 @@ package main
import (
"embed"
"errors"
"io/fs"
"log"
"net/http"
"os"
"strconv"
"time"
"git.1e99.eu/1e99/passed/config"
"git.1e99.eu/1e99/passed/routes"
"git.1e99.eu/1e99/passed/storage"
)
@ -21,17 +23,22 @@ func run() error {
return err
}
staticFS, err := newStaticFS()
if err != nil {
return err
}
var address string
var logRequests bool
var maxPasswordLength int
config.Env("PASSED_ADDRESS", &address, ":3000")
config.Env("PASSED_LOG_REQUESTS", &logRequests, "true")
config.Env("PASSED_MAX_LENGTH", &maxPasswordLength, "12288")
env("PASSED_ADDRESS", &address, ":3000")
env("PASSED_LOG_REQUESTS", &logRequests, "true")
env("PASSED_MAX_LENGTH", &maxPasswordLength, "12288")
mux := http.NewServeMux()
handler := http.Handler(mux)
mux.Handle("GET /", routes.ServeFiles(embedFS, "static"))
mux.Handle("GET /", http.FileServerFS(staticFS))
mux.Handle("POST /api/password", routes.CreatePassword(store, maxPasswordLength))
mux.Handle("GET /api/password/{id}", routes.GetPassword(store))
mux.Handle("HEAD /api/password/{id}", routes.HasPassword(store))
@ -49,18 +56,43 @@ func run() error {
return nil
}
func newStaticFS() (sfs fs.FS, err error) {
var fsType string
env("PASSED_STATIC_TYPE", &fsType, "embed")
switch fsType {
case "embed":
sfs, err = fs.Sub(embedFS, "static")
return
case "dir", "directory":
var path string
env("PASSED_STATIC_DIR_PATH", &path, "static")
sfs = os.DirFS(path)
return
default:
err = errors.New("unkown fs type")
return
}
}
func newStore() (store storage.Store, err error) {
var storeType string
var clearInterval int
config.Env("PASSED_STORE_TYPE", &storeType, "ram")
config.Env("PASSED_STORE_CLEAR_INTERVAL", &clearInterval, "30")
env("PASSED_STORE_TYPE", &storeType, "ram")
env("PASSED_STORE_CLEAR_INTERVAL", &clearInterval, "30")
switch storeType {
case "ram":
store = storage.NewRamStore()
case "dir", "directory":
var path string
config.Env("PASSED_STORE_DIR_PATH", &path, "passwords")
env("PASSED_STORE_DIR_PATH", &path, "passwords")
err = os.MkdirAll(path, os.ModePerm)
if err != nil {
return
}
store = storage.NewDirStore(path)
default:
@ -92,3 +124,33 @@ func main() {
log.Fatalf("%s", err)
}
}
func env(name string, out any, def string) {
raw := os.Getenv(name)
if raw == "" {
raw = def
log.Printf("No \"%s\" provided, defaulting to \"%s\".", name, def)
}
switch value := out.(type) {
case *int:
i, err := strconv.ParseInt(raw, 10, 64)
if err != nil {
log.Printf("\"%s\" is not a number (\"%s\").", name, raw)
return
}
*value = int(i)
case *bool:
switch raw {
case "true", "TRUE", "1":
*value = true
case "false", "FALSE", "0":
*value = false
}
case *string:
*value = raw
}
}

View file

@ -1,15 +0,0 @@
package routes
import (
"io/fs"
"net/http"
)
func ServeFiles(fileSystem fs.FS, pathInFs string) http.Handler {
newFs, err := fs.Sub(fileSystem, pathInFs)
if err != nil {
panic(err)
}
return http.FileServerFS(newFs)
}

View file

@ -30,12 +30,12 @@
<details class="dropdown">
<summary t="language"></summary>
<ul dir="rtl">
<li t="language-de" class="select-language" data-lang="de"></li>
<li t="language-en" class="select-language" data-lang="en"></li>
<li t="language-es" class="select-language" data-lang="es"></li>
<li t="language-fr" class="select-language" data-lang="fr"></li>
<li t="language-nl" class="select-language" data-lang="nl"></li>
<li t="language-ro" class="select-language" data-lang="ro"></li>
<li class="select-language" data-lang="de">Deutsch</li>
<li class="select-language" data-lang="en">English</li>
<li class="select-language" data-lang="es">Español</li>
<li class="select-language" data-lang="fr">Français</li>
<li class="select-language" data-lang="nl">Nederlands</li>
<li class="select-language" data-lang="ro">Română</li>
</ul>
</details>
</li>
@ -113,5 +113,17 @@
</footer>
</article>
</dialog>
<dialog id="error">
<article>
<header t="error"></header>
<textarea readonly id="error-message"></textarea>
<footer>
<button t="close" id="error-close"></button>
</footer>
</article>
</dialog>
</body>
</html>

View file

@ -1,4 +1,17 @@
function initEnterPassword() {
function initErrorDialog() {
const dialog = document.querySelector("dialog#error");
const message = document.querySelector("textarea#error-message");
const close = document.querySelector("button#error-close");
close.addEventListener("click", () => dialog.close());
return (err) => {
message.value = err.toString();
dialog.showModal();
};
}
function initEnterPassword(errorDialog) {
const form = document.querySelector("form#enter-password");
const fieldset = document.querySelector("fieldset#enter-password");
const submit = document.querySelector("button#enter-password");
@ -28,6 +41,8 @@ function initEnterPassword() {
link.value = url.toString();
dialog.showModal();
} catch (error) {
errorDialog(error);
} finally {
fieldset.disabled = false;
submit.ariaBusy = "false";
@ -50,7 +65,7 @@ function initEnterPassword() {
});
}
async function confirmViewPassword() {
async function confirmViewPassword(errorDialog) {
const dialog = document.querySelector("dialog#confirm");
const close = document.querySelector("button#confirm-close");
const ok = document.querySelector("button#confirm-ok");
@ -89,6 +104,8 @@ async function confirmViewPassword() {
const password = await decryptPassword(encryptedPassword, key, iv);
viewPassword(password);
} catch (error) {
errorDialog(error);
} finally {
close.disabled = false;
ok.disabled = false;
@ -113,6 +130,7 @@ async function viewPassword(password) {
}
window.addEventListener("load", () => {
initEnterPassword();
confirmViewPassword();
const errorDialog = initErrorDialog();
initEnterPassword(errorDialog);
confirmViewPassword(errorDialog);
});

View file

@ -2,11 +2,6 @@
"title": "PassED",
"source-code": "Quellcode",
"language": "Sprache",
"language-en": "Englisch",
"language-de": "Deutsch",
"language-es": "Spanisch",
"language-fr": "Französich",
"language-nl": "Niederländisch",
"enter-password": "Passwort eingeben",
"password": "Passwort",
"expires-in": "Ablaufzeit",

View file

@ -2,11 +2,6 @@
"title": "PassED",
"source-code": "Source",
"language": "Language",
"language-en": "English",
"language-de": "German",
"language-es": "Spanish",
"language-fr": "French",
"language-nl": "Dutch",
"enter-password": "Enter Password",
"password": "Password",
"expires-in": "Expires in",
@ -21,6 +16,7 @@
"not-found-reason": "The password you requested may have expired, been viewed before or never even existed in the first place.",
"reveal-password": "Reveal Password",
"reveal-password-once": "You may only reveal the password once",
"error": "Error",
"copy": "Copy",
"close": "Close",
"ok": "OK"

View file

@ -2,10 +2,6 @@
"title": "PassED",
"source-code": "Fuente",
"language": "Idioma",
"language-en": "Inglés",
"language-de": "Alemán",
"language-es": "Español",
"language-fr": "Francés",
"enter-password": "Introducir Contraseña",
"password": "Contraseña",
"expires-in": "Expira en",

View file

@ -2,10 +2,6 @@
"title": "PassED",
"source-code": "Source",
"language": "Langue",
"language-en": "Anglais",
"language-de": "Allemand",
"language-es": "Espagnol",
"language-fr": "Français",
"enter-password": "Entrer le mot de passe",
"password": "Mot de passe",
"expires-in": "Expire dans",

View file

@ -2,10 +2,6 @@
"title": "PassED",
"source-code": "Bron",
"language": "Taal",
"language-en": "Engels",
"language-de": "Duits",
"language-es": "Spaans",
"language-fr": "Frans",
"enter-password": "Wachtwoord invoeren",
"password": "Wachtwoord",
"expires-in": "Expires in",

View file

@ -2,9 +2,6 @@
"title": "PassED",
"source-code": "Sursă",
"language": "Limbă",
"language-en": "Engleză",
"language-de": "Germană",
"language-ro": "Română",
"enter-password": "Introduceți parolă",
"password": "Parolă",
"expires-in": "Expiră în",
@ -14,7 +11,7 @@
"expires-in.1-week": "O săptămână",
"expires-in.2-weeks": "2 săptămâni",
"generate-link": "Generați link",
"share-link": "Distribuți link",
"share-link": "Distribuiți link",
"not-found": "Parola nu poate fi găsită",
"not-found-reason": "Parola cerută este posibil să fi expirat, fost folosită, sau să nu existe.",
"reveal-password": "Dezvăluiți parola",

View file

@ -2,7 +2,6 @@ package storage
import (
"encoding/gob"
"log"
"os"
"path"
"time"
@ -51,7 +50,6 @@ func (store *dir) Create(password []byte, expiresAt time.Time) (string, error) {
err = gob.NewEncoder(file).Encode(&entry)
if err != nil {
log.Printf("%s", err)
return "", err
}