nixos/linkwarden: init module, linkwarden: init at 2.13.0 (#347353)
This commit is contained in:
@@ -76,6 +76,8 @@
|
||||
|
||||
- [yubikey-manager](https://github.com/Yubico/yubikey-manager), a tool for configuring YubiKey devices. Available as [programs.yubikey-manager](#opt-programs.yubikey-manager.enable).
|
||||
|
||||
- [Linkwarden](https://linkwarden.app/) a self-hosted collaborative bookmark manager to collect, read, annotate, and fully preserve what matters, all in one place. Available as [services.linkwarden](#opt-services.linkwarden.enable).
|
||||
|
||||
- [Draupnir](https://github.com/the-draupnir-project/draupnir), a Matrix moderation bot. Available as [services.draupnir](#opt-services.draupnir.enable).
|
||||
|
||||
- [Pangolin](https://github.com/fosrl/pangolin), a tunneled reverse proxy server with access control. Available as [services.pangolin](#opt-services.pangolin.enable).
|
||||
|
||||
@@ -1628,6 +1628,7 @@
|
||||
./services/web-apps/lemmy.nix
|
||||
./services/web-apps/libretranslate.nix
|
||||
./services/web-apps/limesurvey.nix
|
||||
./services/web-apps/linkwarden.nix
|
||||
./services/web-apps/mainsail.nix
|
||||
./services/web-apps/mastodon.nix
|
||||
./services/web-apps/matomo.nix
|
||||
|
||||
293
nixos/modules/services/web-apps/linkwarden.nix
Normal file
293
nixos/modules/services/web-apps/linkwarden.nix
Normal file
@@ -0,0 +1,293 @@
|
||||
{
|
||||
lib,
|
||||
config,
|
||||
pkgs,
|
||||
...
|
||||
}:
|
||||
|
||||
let
|
||||
cfg = config.services.linkwarden;
|
||||
isPostgresUnixSocket = lib.hasPrefix "/" cfg.database.host;
|
||||
|
||||
inherit (lib)
|
||||
types
|
||||
mkIf
|
||||
mkOption
|
||||
mkEnableOption
|
||||
;
|
||||
|
||||
commonServiceConfig = {
|
||||
Type = "simple";
|
||||
Restart = "on-failure";
|
||||
RestartSec = 3;
|
||||
|
||||
EnvironmentFile = cfg.environmentFile;
|
||||
StateDirectory = "linkwarden";
|
||||
CacheDirectory = "linkwarden";
|
||||
User = cfg.user;
|
||||
Group = cfg.group;
|
||||
|
||||
# Hardening
|
||||
CapabilityBoundingSet = "";
|
||||
NoNewPrivileges = true;
|
||||
PrivateUsers = true;
|
||||
PrivateTmp = true;
|
||||
PrivateDevices = true;
|
||||
PrivateMounts = true;
|
||||
ProtectClock = true;
|
||||
ProtectControlGroups = true;
|
||||
ProtectHome = true;
|
||||
ProtectHostname = true;
|
||||
ProtectKernelLogs = true;
|
||||
ProtectKernelModules = true;
|
||||
ProtectKernelTunables = true;
|
||||
RestrictAddressFamilies = [
|
||||
"AF_INET"
|
||||
"AF_INET6"
|
||||
"AF_UNIX"
|
||||
];
|
||||
RestrictNamespaces = true;
|
||||
RestrictRealtime = true;
|
||||
RestrictSUIDSGID = true;
|
||||
};
|
||||
|
||||
secret = types.nullOr (
|
||||
types.str
|
||||
// {
|
||||
# We don't want users to be able to pass a path literal here but
|
||||
# it should look like a path.
|
||||
check = it: lib.isString it && lib.types.path.check it;
|
||||
}
|
||||
);
|
||||
|
||||
startupScript =
|
||||
arg:
|
||||
if cfg.secretFiles == { } then
|
||||
"${lib.getExe cfg.package}" + arg
|
||||
else
|
||||
pkgs.writeShellScript "linkwarden-env" ''
|
||||
${lib.strings.concatStringsSep "\n" (
|
||||
lib.attrsets.mapAttrsToList (key: path: "export ${key}=$(< \"${path}\")") cfg.secretFiles
|
||||
)}
|
||||
${lib.getExe cfg.package}${arg}
|
||||
'';
|
||||
in
|
||||
{
|
||||
options.services.linkwarden = {
|
||||
enable = mkEnableOption "Linkwarden";
|
||||
package = lib.mkPackageOption pkgs "linkwarden" { };
|
||||
|
||||
storageLocation = mkOption {
|
||||
type = types.path;
|
||||
default = "/var/lib/linkwarden";
|
||||
description = "Directory used to store media files. If it is not the default, the directory has to be created manually such that the linkwarden user is able to read and write to it.";
|
||||
};
|
||||
cacheLocation = mkOption {
|
||||
type = types.path;
|
||||
default = "/var/cache/linkwarden";
|
||||
description = "Directory used as cache. If it is not the default, the directory has to be created manually such that the linkwarden user is able to read and write to it.";
|
||||
};
|
||||
|
||||
enableRegistration = mkEnableOption "registration for new users";
|
||||
|
||||
environment = mkOption {
|
||||
type = types.attrsOf types.str;
|
||||
default = { };
|
||||
example = {
|
||||
PAGINATION_TAKE_COUNT = "50";
|
||||
};
|
||||
description = ''
|
||||
Extra configuration environment variables. Refer to the [documentation](https://docs.linkwarden.app/self-hosting/environment-variables) for options.
|
||||
'';
|
||||
};
|
||||
|
||||
environmentFile = mkOption {
|
||||
type = secret;
|
||||
example = "/run/secrets/linkwarden";
|
||||
default = null;
|
||||
description = ''
|
||||
Path of a file with extra environment variables to be loaded from disk.
|
||||
This file is not added to the nix store, so it can be used to pass secrets to linkwarden.
|
||||
Refer to the [documentation](https://docs.linkwarden.app/self-hosting/environment-variables) for options.
|
||||
|
||||
Linkwarden needs at least a nextauth secret. To set a database password use POSTGRES_PASSWORD:
|
||||
```
|
||||
NEXTAUTH_SECRET=<secret>
|
||||
POSTGRES_PASSWORD=<pass>
|
||||
```
|
||||
'';
|
||||
};
|
||||
|
||||
secretFiles = mkOption {
|
||||
type = types.attrsOf secret;
|
||||
example = {
|
||||
POSTGRES_PASSWORD = "/run/secrets/linkwarden_postgres_passwd";
|
||||
NEXTAUTH_SECRET = "/run/secrets/linkwarden_secret";
|
||||
};
|
||||
default = { };
|
||||
description = ''
|
||||
Attribute set containing paths to files to add to the environment of linkwarden.
|
||||
The files are not added to the nix store, so they can be used to pass secrets to linkwarden.
|
||||
Refer to the [documentation](https://docs.linkwarden.app/self-hosting/environment-variables) for options.
|
||||
|
||||
Linkwarden needs at least a nextauth secret. To set a database password use POSTGRES_PASSWORD:
|
||||
```
|
||||
NEXTAUTH_SECRET=<secret>
|
||||
POSTGRES_PASSWORD=<pass>
|
||||
```
|
||||
'';
|
||||
};
|
||||
|
||||
host = mkOption {
|
||||
type = types.str;
|
||||
default = "localhost";
|
||||
description = "The host that Linkwarden will listen on.";
|
||||
};
|
||||
port = mkOption {
|
||||
type = types.port;
|
||||
default = 3000;
|
||||
description = "The port that Linkwarden will listen on.";
|
||||
};
|
||||
openFirewall = mkOption {
|
||||
type = types.bool;
|
||||
default = false;
|
||||
description = "Whether to open the Linkwarden port in the firewall";
|
||||
};
|
||||
user = mkOption {
|
||||
type = types.str;
|
||||
default = "linkwarden";
|
||||
description = "The user Linkwarden should run as.";
|
||||
};
|
||||
group = mkOption {
|
||||
type = types.str;
|
||||
default = "linkwarden";
|
||||
description = "The group Linkwarden should run as.";
|
||||
};
|
||||
|
||||
database = {
|
||||
createLocally = mkEnableOption "the automatic creation of the database for Linkwarden." // {
|
||||
default = true;
|
||||
};
|
||||
name = mkOption {
|
||||
type = types.str;
|
||||
default = "linkwarden";
|
||||
description = "The name of the Linkwarden database.";
|
||||
};
|
||||
host = mkOption {
|
||||
type = types.str;
|
||||
default = "/run/postgresql";
|
||||
example = "localhost";
|
||||
description = "Hostname or address of the postgresql server. If an absolute path is given here, it will be interpreted as a unix socket path.";
|
||||
};
|
||||
port = mkOption {
|
||||
type = types.port;
|
||||
default = 5432;
|
||||
description = "Port of the postgresql server.";
|
||||
};
|
||||
user = mkOption {
|
||||
type = types.str;
|
||||
default = "linkwarden";
|
||||
description = "The database user for Linkwarden.";
|
||||
};
|
||||
};
|
||||
};
|
||||
|
||||
config = mkIf cfg.enable {
|
||||
assertions = [
|
||||
{
|
||||
assertion = cfg.database.createLocally -> cfg.database.name == cfg.database.user;
|
||||
message = "The postgres module requires the database name and the database user name to be the same.";
|
||||
}
|
||||
{
|
||||
assertion = cfg.environmentFile == null -> cfg.secretFiles ? "NEXTAUTH_SECRET";
|
||||
message = ''
|
||||
Linkwarden needs at least a nextauth secret to run.
|
||||
Use either the environmentFile or secretFiles.NEXTAUTH_SECRET to provide one.
|
||||
'';
|
||||
}
|
||||
];
|
||||
|
||||
services.postgresql = mkIf cfg.database.createLocally {
|
||||
enable = true;
|
||||
ensureDatabases = [ cfg.database.name ];
|
||||
ensureUsers = [
|
||||
{
|
||||
name = cfg.database.user;
|
||||
ensureDBOwnership = true;
|
||||
ensureClauses.login = true;
|
||||
}
|
||||
];
|
||||
};
|
||||
|
||||
networking.firewall.allowedTCPPorts = mkIf cfg.openFirewall [ cfg.port ];
|
||||
|
||||
services.linkwarden.environment = {
|
||||
LINKWARDEN_HOST = cfg.host;
|
||||
LINKWARDEN_PORT = toString cfg.port;
|
||||
LINKWARDEN_CACHE_DIR = cfg.cacheLocation;
|
||||
STORAGE_FOLDER = cfg.storageLocation;
|
||||
NEXT_PUBLIC_DISABLE_REGISTRATION = mkIf (!cfg.enableRegistration) "true";
|
||||
NEXT_TELEMETRY_DISABLED = "1";
|
||||
DATABASE_URL = mkIf isPostgresUnixSocket "postgresql://${lib.strings.escapeURL cfg.database.user}@localhost/${lib.strings.escapeURL cfg.database.name}?host=${cfg.database.host}";
|
||||
DATABASE_PORT = toString cfg.database.port;
|
||||
DATABASE_HOST = mkIf (!isPostgresUnixSocket) cfg.database.host;
|
||||
DATABASE_NAME = cfg.database.name;
|
||||
DATABASE_USER = cfg.database.user;
|
||||
};
|
||||
|
||||
systemd.services.linkwarden = {
|
||||
description = "Linkwarden (Self-hosted collaborative bookmark manager to collect, organize, and preserve webpages, articles, and more...)";
|
||||
requires = [
|
||||
"network-online.target"
|
||||
]
|
||||
++ lib.optionals cfg.database.createLocally [ "postgresql.service" ];
|
||||
after = [
|
||||
"network-online.target"
|
||||
]
|
||||
++ lib.optionals cfg.database.createLocally [ "postgresql.service" ];
|
||||
wantedBy = [ "multi-user.target" ];
|
||||
environment = cfg.environment // {
|
||||
# Required, otherwise chrome dumps core
|
||||
CHROME_CONFIG_HOME = cfg.cacheLocation;
|
||||
};
|
||||
|
||||
serviceConfig = commonServiceConfig // {
|
||||
ExecStart = startupScript "";
|
||||
};
|
||||
};
|
||||
|
||||
systemd.services.linkwarden-worker = {
|
||||
description = "Linkwarden (worker process)";
|
||||
requires = [
|
||||
"network-online.target"
|
||||
"linkwarden.service"
|
||||
]
|
||||
++ lib.optionals cfg.database.createLocally [ "postgresql.service" ];
|
||||
after = [
|
||||
"network-online.target"
|
||||
"linkwarden.service"
|
||||
]
|
||||
++ lib.optionals cfg.database.createLocally [ "postgresql.service" ];
|
||||
wantedBy = [ "multi-user.target" ];
|
||||
environment = cfg.environment // {
|
||||
# Required, otherwise chrome dumps core
|
||||
CHROME_CONFIG_HOME = cfg.cacheLocation;
|
||||
};
|
||||
|
||||
serviceConfig = commonServiceConfig // {
|
||||
ExecStart = startupScript " worker";
|
||||
};
|
||||
};
|
||||
|
||||
users.users = mkIf (cfg.user == "linkwarden") {
|
||||
linkwarden = {
|
||||
name = "linkwarden";
|
||||
group = cfg.group;
|
||||
isSystemUser = true;
|
||||
};
|
||||
};
|
||||
users.groups = mkIf (cfg.group == "linkwarden") { linkwarden = { }; };
|
||||
|
||||
meta.maintainers = with lib.maintainers; [ jvanbruegge ];
|
||||
};
|
||||
}
|
||||
@@ -831,6 +831,7 @@ in
|
||||
lighttpd = runTest ./lighttpd.nix;
|
||||
limesurvey = runTest ./limesurvey.nix;
|
||||
limine = import ./limine { inherit runTest; };
|
||||
linkwarden = runTest ./web-apps/linkwarden.nix;
|
||||
listmonk = handleTestOn [ "x86_64-linux" "aarch64-linux" ] ./listmonk.nix { };
|
||||
litellm = runTest ./litellm.nix;
|
||||
litestream = runTest ./litestream.nix;
|
||||
|
||||
60
nixos/tests/web-apps/linkwarden.nix
Normal file
60
nixos/tests/web-apps/linkwarden.nix
Normal file
@@ -0,0 +1,60 @@
|
||||
{ ... }:
|
||||
{
|
||||
name = "linkwarden-nixos";
|
||||
|
||||
nodes.machine =
|
||||
{ pkgs, ... }:
|
||||
let
|
||||
secretsFile = pkgs.writeText "linkwarden-secret-env" ''
|
||||
VERY_SENSITIVE_SECRET
|
||||
'';
|
||||
webroot = pkgs.runCommand "webroot" { } ''
|
||||
mkdir $out
|
||||
cd $out
|
||||
echo '<!DOCTYPE html><html><body><h1>HELLO LINKWARDEN</h1></body></html>' > index.html
|
||||
'';
|
||||
in
|
||||
{
|
||||
services.linkwarden = {
|
||||
enable = true;
|
||||
enableRegistration = true;
|
||||
secretFiles = {
|
||||
NEXTAUTH_SECRET = toString secretsFile;
|
||||
};
|
||||
environment = {
|
||||
NEXTAUTH_URL = "http://localhost:3000/api/v1/auth";
|
||||
};
|
||||
};
|
||||
|
||||
services.nginx = {
|
||||
enable = true;
|
||||
virtualHosts.localhost.root = webroot;
|
||||
};
|
||||
};
|
||||
|
||||
testScript = ''
|
||||
import json
|
||||
|
||||
machine.wait_for_unit("linkwarden.service")
|
||||
machine.wait_for_unit("linkwarden-worker.service")
|
||||
|
||||
machine.wait_for_open_port(3000)
|
||||
machine.succeed("curl --fail -s http://localhost:3000/")
|
||||
|
||||
machine.succeed("curl -L --fail -s --data '{\"name\":\"Admin\",\"username\":\"admin\",\"password\":\"adminadmin\"}' -H 'Content-Type: application/json' -X POST http://localhost:3000/api/v1/users")
|
||||
|
||||
response = machine.succeed("curl -L --fail -s -c next_cookies.txt -H 'Content-Type: application/json' -X GET http://localhost:3000/api/v1/auth/csrf")
|
||||
csrfToken = json.loads(response)['csrfToken']
|
||||
|
||||
machine.succeed("curl -L --fail -s -b next_cookies.txt -c next_cookies.txt -H 'Content-Type: application/x-www-form-urlencoded' --data-urlencode 'username=admin' --data-urlencode 'password=adminadmin' --data-urlencode 'csrfToken=%s' http://localhost:3000/api/v1/auth/callback/credentials" % csrfToken)
|
||||
|
||||
curlCmd = "curl -L --fail -s -b next_cookies.txt -H 'Content-Type: application/json' "
|
||||
|
||||
machine.succeed(curlCmd + "--data '{\"url\":\"http://localhost/\"}' -X POST http://localhost:3000/api/v1/links")
|
||||
|
||||
machine.succeed(curlCmd + "-X GET http://localhost:3000/api/v1/links")
|
||||
|
||||
machine.wait_for_file("/var/lib/linkwarden/archives/1/1.html")
|
||||
machine.succeed("grep -q '<h1>HELLO LINKWARDEN</h1>' </var/lib/linkwarden/archives/1/1.html")
|
||||
'';
|
||||
}
|
||||
42
pkgs/by-name/li/linkwarden/01-localfont.patch
Normal file
42
pkgs/by-name/li/linkwarden/01-localfont.patch
Normal file
@@ -0,0 +1,42 @@
|
||||
diff --git i/apps/web/components/Preservation/ReadableView.tsx w/apps/web/components/Preservation/ReadableView.tsx
|
||||
index 64f14186..daff3636 100644
|
||||
--- i/apps/web/components/Preservation/ReadableView.tsx
|
||||
+++ w/apps/web/components/Preservation/ReadableView.tsx
|
||||
@@ -20,13 +20,13 @@ import {
|
||||
} from "@linkwarden/router/highlights";
|
||||
import { Highlight } from "@linkwarden/prisma/client";
|
||||
import { useUser } from "@linkwarden/router/user";
|
||||
-import { Caveat } from "next/font/google";
|
||||
-import { Bentham } from "next/font/google";
|
||||
+import localFont from "next/font/local";
|
||||
import { Separator } from "../ui/separator";
|
||||
import { Button } from "../ui/button";
|
||||
|
||||
-const caveat = Caveat({ subsets: ["latin"] });
|
||||
-const bentham = Bentham({ subsets: ["latin"], weight: "400" });
|
||||
+
|
||||
+const caveat = localFont({ src: "../../public/caveat.ttf" });
|
||||
+const bentham = localFont({ src: "../../public/bentham.ttf" });
|
||||
|
||||
type Props = {
|
||||
link: LinkIncludingShortenedCollectionAndTags;
|
||||
diff --git i/apps/web/components/TextStyleDropdown.tsx w/apps/web/components/TextStyleDropdown.tsx
|
||||
index a84587d9..59a291e4 100644
|
||||
--- i/apps/web/components/TextStyleDropdown.tsx
|
||||
+++ w/apps/web/components/TextStyleDropdown.tsx
|
||||
@@ -13,12 +13,11 @@ import {
|
||||
import { Button } from "@/components/ui/button";
|
||||
import { FitWidth, FormatLineSpacing, FormatSize } from "@/components/ui/icons";
|
||||
import { useUpdateUserPreference, useUser } from "@linkwarden/router/user";
|
||||
-import { Caveat } from "next/font/google";
|
||||
-import { Bentham } from "next/font/google";
|
||||
+import localFont from "next/font/local";
|
||||
import { useTranslation } from "next-i18next";
|
||||
|
||||
-const caveat = Caveat({ subsets: ["latin"] });
|
||||
-const bentham = Bentham({ subsets: ["latin"], weight: "400" });
|
||||
+const caveat = localFont({ src: "../public/caveat.ttf" });
|
||||
+const bentham = localFont({ src: "../public/bentham.ttf" });
|
||||
|
||||
const fontSizes = [
|
||||
"12px",
|
||||
205
pkgs/by-name/li/linkwarden/package.nix
Normal file
205
pkgs/by-name/li/linkwarden/package.nix
Normal file
@@ -0,0 +1,205 @@
|
||||
{
|
||||
lib,
|
||||
stdenvNoCC,
|
||||
buildNpmPackage,
|
||||
fetchFromGitHub,
|
||||
fetchYarnDeps,
|
||||
makeBinaryWrapper,
|
||||
nixosTests,
|
||||
yarnConfigHook,
|
||||
fetchpatch,
|
||||
# dependencies
|
||||
bash,
|
||||
monolith,
|
||||
nodejs,
|
||||
openssl,
|
||||
google-fonts,
|
||||
playwright-driver,
|
||||
prisma,
|
||||
prisma-engines,
|
||||
}:
|
||||
|
||||
let
|
||||
# The bcrypt package requires a gyp build and its dev dependencies.
|
||||
# Linkwarden uses yarn for dependencies, bycrypt npm. Mixing the two causes issues.
|
||||
bcrypt = buildNpmPackage rec {
|
||||
pname = "bcrypt";
|
||||
version = "5.1.1";
|
||||
|
||||
src = fetchFromGitHub {
|
||||
owner = "kelektiv";
|
||||
repo = "node.bcrypt.js";
|
||||
tag = "v${version}";
|
||||
hash = "sha256-mgfYEgvgC5JwgUhU8Kn/f1D7n9ljnIODkKotEcxQnDQ=";
|
||||
};
|
||||
|
||||
npmDepsHash = "sha256-CPXZ/yLEjTBIyTPVrgCvb+UGZJ6yRZUJOvBSZpLSABY=";
|
||||
|
||||
npmBuildScript = "install";
|
||||
|
||||
postInstall = ''
|
||||
cp -r lib $out/lib/node_modules/bcrypt/
|
||||
'';
|
||||
};
|
||||
|
||||
google-fonts' = google-fonts.override {
|
||||
fonts = [
|
||||
"Caveat"
|
||||
"Bentham"
|
||||
];
|
||||
};
|
||||
in
|
||||
stdenvNoCC.mkDerivation (finalAttrs: {
|
||||
pname = "linkwarden";
|
||||
version = "2.13.0";
|
||||
|
||||
src = fetchFromGitHub {
|
||||
owner = "linkwarden";
|
||||
repo = "linkwarden";
|
||||
tag = "v${finalAttrs.version}";
|
||||
hash = "sha256-zoJ5y2J+lkmfAFdI/7FvFAC6D308IPxaLzpGtj42IrU=";
|
||||
};
|
||||
|
||||
patches = [
|
||||
/*
|
||||
Prevents NextJS from attempting to download fonts during build. The fonts
|
||||
directory will be created in the derivation script.
|
||||
|
||||
See similar patches:
|
||||
pkgs/by-name/cr/crabfit-frontend/01-localfont.patch
|
||||
pkgs/by-name/al/alcom/use-local-fonts.patch
|
||||
pkgs/by-name/ne/nextjs-ollama-llm-ui/0002-use-local-google-fonts.patch
|
||||
*/
|
||||
./01-localfont.patch
|
||||
|
||||
/*
|
||||
https://github.com/linkwarden/linkwarden/pull/1290
|
||||
|
||||
Fixes an issue where linkwarden cannot save a plain HTTP (no TLS) website.
|
||||
*/
|
||||
(fetchpatch {
|
||||
url = "https://github.com/linkwarden/linkwarden/commit/327826d760e5b1870c58a25f85501a7c9a468818.patch";
|
||||
hash = "sha256-kq1GIEW0chnPmzvg4eDSS/5WtRyWlrHlk41h4pSCMzg=";
|
||||
})
|
||||
];
|
||||
|
||||
yarnOfflineCache = fetchYarnDeps {
|
||||
yarnLock = finalAttrs.src + "/yarn.lock";
|
||||
hash = "sha256-Z1EwecQGWHr6RZCDHAy7BA6BEoixj1dbKH3XE8sfeKQ=";
|
||||
};
|
||||
|
||||
nativeBuildInputs = [
|
||||
makeBinaryWrapper
|
||||
nodejs
|
||||
prisma
|
||||
yarnConfigHook
|
||||
];
|
||||
|
||||
buildInputs = [
|
||||
openssl
|
||||
];
|
||||
|
||||
env.NODE_ENV = "production";
|
||||
|
||||
postPatch = ''
|
||||
for f in packages/filesystem/*Folder.ts packages/filesystem/*File.ts; do
|
||||
substituteInPlace $f \
|
||||
--replace-fail 'process.cwd(),' "" \
|
||||
--replace-fail '"../..",' ""
|
||||
done
|
||||
'';
|
||||
|
||||
preBuild = ''
|
||||
export PRISMA_CLIENT_ENGINE_TYPE='binary'
|
||||
export PRISMA_QUERY_ENGINE_LIBRARY="${prisma-engines}/lib/libquery_engine.node"
|
||||
export PRISMA_QUERY_ENGINE_BINARY="${prisma-engines}/bin/query-engine"
|
||||
export PRISMA_SCHEMA_ENGINE_BINARY="${prisma-engines}/bin/schema-engine"
|
||||
'';
|
||||
|
||||
buildPhase = ''
|
||||
runHook preBuild
|
||||
|
||||
cp ${google-fonts'}/share/fonts/truetype/Bentham-* ./apps/web/public/bentham.ttf
|
||||
cp ${google-fonts'}/share/fonts/truetype/Caveat* ./apps/web/public/caveat.ttf
|
||||
|
||||
yarn prisma:generate
|
||||
yarn web:build
|
||||
|
||||
runHook postBuild
|
||||
'';
|
||||
|
||||
postBuild = ''
|
||||
substituteInPlace node_modules/next/dist/server/image-optimizer.js \
|
||||
--replace-fail 'this.cacheDir = (0, _path.join)(distDir, "cache", "images");' 'this.cacheDir = (0, _path.join)(process.env.LINKWARDEN_CACHE_DIR, "cache", "images");'
|
||||
'';
|
||||
|
||||
installPhase = ''
|
||||
runHook preInstall
|
||||
|
||||
# Shrink closure a bit
|
||||
shopt -s extglob
|
||||
rm -rf node_modules/bcrypt node_modules/@next/swc-* node_modules/lightningcss* node_modules/react-native* node_modules/@react-native* \
|
||||
node_modules/expo* node_modules/@expo node_modules/.bin node_modules/zeego/node_modules/.bin node_modules/@react-navigation/native* \
|
||||
node_modules/@react-navigation/*/node_modules/.bin node_modules/@native-html node_modules/jest-expo node_modules/@jsamr/react-native-li \
|
||||
node_modules/lucide-react-native node_modules/@esbuild/!(linux-x64)
|
||||
shopt -u extglob
|
||||
|
||||
ln -s ${bcrypt}/lib/node_modules/bcrypt node_modules/
|
||||
mkdir -p $out/share/linkwarden/apps/web/.next $out/bin
|
||||
cp -r apps/web/.next apps/web/* $out/share/linkwarden/apps/web
|
||||
cp -r apps/worker $out/share/linkwarden/apps/worker
|
||||
cp -r packages $out/share/linkwarden/
|
||||
cp -r node_modules $out/share/linkwarden/
|
||||
rm -r $out/share/linkwarden/node_modules/@linkwarden/{mobile,react-native-render-html}
|
||||
|
||||
echo "#!${lib.getExe bash} -e
|
||||
export DATABASE_URL=\''${DATABASE_URL-"postgresql://\$DATABASE_USER:\$POSTGRES_PASSWORD@\$DATABASE_HOST:\$DATABASE_PORT/\$DATABASE_NAME"}
|
||||
export npm_config_cache="\$LINKWARDEN_CACHE_DIR/npm"
|
||||
|
||||
if [ \"\$1\" == \"worker\" ]; then
|
||||
echo "Starting worker"
|
||||
${lib.getExe' nodejs "npm"} start --prefix $out/share/linkwarden/apps/worker
|
||||
else
|
||||
echo "Starting server"
|
||||
${lib.getExe prisma} migrate deploy --schema $out/share/linkwarden/packages/prisma/schema.prisma \
|
||||
&& ${lib.getExe' nodejs "npm"} start --prefix $out/share/linkwarden/apps/web -- -H \$LINKWARDEN_HOST -p \$LINKWARDEN_PORT
|
||||
fi
|
||||
" > $out/bin/start.sh
|
||||
chmod +x $out/bin/start.sh
|
||||
|
||||
makeWrapper $out/bin/start.sh $out/bin/linkwarden \
|
||||
--prefix PATH : "${
|
||||
lib.makeBinPath [
|
||||
bash
|
||||
monolith
|
||||
openssl
|
||||
]
|
||||
}" \
|
||||
--set-default PRISMA_CLIENT_ENGINE_TYPE 'binary' \
|
||||
--set-default PRISMA_QUERY_ENGINE_LIBRARY "${prisma-engines}/lib/libquery_engine.node" \
|
||||
--set-default PRISMA_QUERY_ENGINE_BINARY "${prisma-engines}/bin/query-engine" \
|
||||
--set-default PRISMA_SCHEMA_ENGINE_BINARY "${prisma-engines}/bin/schema-engine" \
|
||||
--set-default PLAYWRIGHT_LAUNCH_OPTIONS_EXECUTABLE_PATH ${playwright-driver.browsers-chromium}/chromium-*/chrome-linux/chrome \
|
||||
--set-default LINKWARDEN_CACHE_DIR /var/cache/linkwarden \
|
||||
--set-default LINKWARDEN_HOST localhost \
|
||||
--set-default LINKWARDEN_PORT 3000 \
|
||||
--set-default STORAGE_FOLDER /var/lib/linkwarden \
|
||||
--set-default NEXT_TELEMETRY_DISABLED 1
|
||||
|
||||
runHook postInstall
|
||||
'';
|
||||
|
||||
passthru.tests = {
|
||||
inherit (nixosTests) linkwarden;
|
||||
};
|
||||
|
||||
meta = {
|
||||
description = "Self-hosted collaborative bookmark manager to collect, organize, and preserve webpages, articles, and more...";
|
||||
homepage = "https://linkwarden.app/";
|
||||
license = lib.licenses.agpl3Only;
|
||||
maintainers = with lib.maintainers; [ jvanbruegge ];
|
||||
platforms = [ "x86_64-linux" ];
|
||||
mainProgram = "linkwarden";
|
||||
};
|
||||
|
||||
})
|
||||
@@ -101,6 +101,7 @@ stdenv.mkDerivation (finalAttrs: {
|
||||
homepage = "https://www.prisma.io/";
|
||||
license = licenses.asl20;
|
||||
maintainers = with maintainers; [ aqrln ];
|
||||
mainProgram = "prisma";
|
||||
platforms = platforms.unix;
|
||||
};
|
||||
})
|
||||
|
||||
Reference in New Issue
Block a user