mirror of
https://github.com/kmein/niveum
synced 2026-03-21 12:21:08 +01:00
Compare commits
10 Commits
c05422c8e4
...
wayland
| Author | SHA1 | Date | |
|---|---|---|---|
| b274a59a50 | |||
| b4de03bb3c | |||
| b0062abbfe | |||
| 0e9a046c5f | |||
| 72ab319e65 | |||
| f08e43067b | |||
| d0ac0af7c3 | |||
| 5febabb7fa | |||
| 44d29f90e9 | |||
| 1aaf0fe5ae |
@@ -1,114 +0,0 @@
|
|||||||
#!/usr/bin/env bash
|
|
||||||
|
|
||||||
# Usage:
|
|
||||||
# ./mp3_transfer.sh -s 1.3 /mnt/mp3player file1.m4a file2.m4a ...
|
|
||||||
|
|
||||||
set -e
|
|
||||||
|
|
||||||
# Default speed
|
|
||||||
SPEED=1.0
|
|
||||||
|
|
||||||
# Parse options
|
|
||||||
while getopts ":s:" opt; do
|
|
||||||
case $opt in
|
|
||||||
s)
|
|
||||||
SPEED=$OPTARG
|
|
||||||
;;
|
|
||||||
\?)
|
|
||||||
echo "Invalid option: -$OPTARG" >&2
|
|
||||||
exit 1
|
|
||||||
;;
|
|
||||||
:)
|
|
||||||
echo "Option -$OPTARG requires a value." >&2
|
|
||||||
exit 1
|
|
||||||
;;
|
|
||||||
esac
|
|
||||||
done
|
|
||||||
|
|
||||||
# Shift past the options
|
|
||||||
shift $((OPTIND -1))
|
|
||||||
|
|
||||||
# Check arguments
|
|
||||||
if [ "$#" -lt 2 ]; then
|
|
||||||
echo "Usage: $0 [-s speed] MOUNT_POINT FILE1 [FILE2 ...]"
|
|
||||||
exit 1
|
|
||||||
fi
|
|
||||||
|
|
||||||
MOUNT_POINT=$1
|
|
||||||
shift
|
|
||||||
FILES=("$@")
|
|
||||||
|
|
||||||
# Check mount point exists
|
|
||||||
if [ ! -d "$MOUNT_POINT" ]; then
|
|
||||||
echo "Error: Mount point '$MOUNT_POINT' does not exist."
|
|
||||||
exit 1
|
|
||||||
fi
|
|
||||||
|
|
||||||
# Estimate required space
|
|
||||||
TOTAL_SIZE=0
|
|
||||||
for f in "${FILES[@]}"; do
|
|
||||||
if [ ! -f "$f" ]; then
|
|
||||||
echo "Warning: File '$f' does not exist, skipping."
|
|
||||||
continue
|
|
||||||
fi
|
|
||||||
# Get file size in bytes
|
|
||||||
FILE_SIZE=$(stat --printf="%s" "$f")
|
|
||||||
# Estimate mp3 output size: roughly 1/2 of original m4a (adjust if needed)
|
|
||||||
TOTAL_SIZE=$((TOTAL_SIZE + FILE_SIZE / 2))
|
|
||||||
done
|
|
||||||
|
|
||||||
# Get available space in bytes
|
|
||||||
AVAILABLE=$(df --output=avail "$MOUNT_POINT" | tail -n 1)
|
|
||||||
AVAILABLE=$((AVAILABLE * 1024)) # df reports in KB
|
|
||||||
|
|
||||||
if [ "$TOTAL_SIZE" -gt "$AVAILABLE" ]; then
|
|
||||||
echo "Error: Not enough space on device. Required: $TOTAL_SIZE bytes, Available: $AVAILABLE bytes"
|
|
||||||
exit 1
|
|
||||||
fi
|
|
||||||
|
|
||||||
echo "Enough space available. Starting conversion..."
|
|
||||||
|
|
||||||
sanitize_filename() {
|
|
||||||
local name="$1"
|
|
||||||
# Remove path, keep only base name
|
|
||||||
name=$(basename "$name" .m4a)
|
|
||||||
# Replace spaces and special chars with underscore
|
|
||||||
name=$(echo "$name" | tr ' ' '_' | tr -cd '[:alnum:]_-')
|
|
||||||
# Truncate to max 50 chars
|
|
||||||
echo "${name:0:50}"
|
|
||||||
}
|
|
||||||
|
|
||||||
# Convert and copy files
|
|
||||||
for f in "${FILES[@]}"; do
|
|
||||||
if [ ! -f "$f" ]; then
|
|
||||||
continue
|
|
||||||
fi
|
|
||||||
|
|
||||||
# Determine the next prefix
|
|
||||||
existing_prefixes=$(ls "$MOUNT_POINT" | grep -E '^[0-9].*\.mp3$' | sed -E 's/^([0-9]).*/\1/' | sort -n | uniq)
|
|
||||||
for i in {0..9}; do
|
|
||||||
if ! echo "$existing_prefixes" | grep -q "^$i$"; then
|
|
||||||
PREFIX=$i
|
|
||||||
break
|
|
||||||
fi
|
|
||||||
done
|
|
||||||
|
|
||||||
echo "Using prefix: $PREFIX"
|
|
||||||
|
|
||||||
BASENAME=$(sanitize_filename "$f")
|
|
||||||
OUT_PATTERN="$MOUNT_POINT/${PREFIX}%02d_${BASENAME}.mp3"
|
|
||||||
|
|
||||||
echo "Converting '$f' to '$OUT_PATTERN' at speed $SPEED..."
|
|
||||||
|
|
||||||
ffmpeg -i "$f" \
|
|
||||||
-filter:a "atempo=$SPEED" -ar 44100 -ac 2 -c:a libmp3lame -b:a 128k \
|
|
||||||
-f segment -segment_time 300 \
|
|
||||||
"$OUT_PATTERN"
|
|
||||||
|
|
||||||
# Update prefix for next file
|
|
||||||
# Count how many segments were created
|
|
||||||
SEG_COUNT=$(ls "$MOUNT_POINT" | grep -E "^${PREFIX}[0-9]{2}_" | wc -l)
|
|
||||||
PREFIX=$((PREFIX + SEG_COUNT))
|
|
||||||
done
|
|
||||||
|
|
||||||
echo "All files processed successfully."
|
|
||||||
@@ -1,81 +1,50 @@
|
|||||||
let
|
let
|
||||||
lib = import <nixpkgs/lib>;
|
lib = import <nixpkgs/lib>;
|
||||||
in
|
in rec {
|
||||||
rec {
|
|
||||||
inherit lib;
|
inherit lib;
|
||||||
|
|
||||||
input = [
|
input = [
|
||||||
{
|
{
|
||||||
x = [
|
x = ["pool" "zfs"];
|
||||||
"pool"
|
y = ["mdadm" "raid1"];
|
||||||
"zfs"
|
|
||||||
];
|
|
||||||
y = [
|
|
||||||
"mdadm"
|
|
||||||
"raid1"
|
|
||||||
];
|
|
||||||
}
|
}
|
||||||
{
|
{
|
||||||
x = [
|
x = ["pool" "zfs"];
|
||||||
"pool"
|
y = ["disk" "sda"];
|
||||||
"zfs"
|
|
||||||
];
|
|
||||||
y = [
|
|
||||||
"disk"
|
|
||||||
"sda"
|
|
||||||
];
|
|
||||||
}
|
}
|
||||||
{
|
{
|
||||||
x = [
|
x = ["mdadm" "raid1"];
|
||||||
"mdadm"
|
y = ["disk" "sdb"];
|
||||||
"raid1"
|
|
||||||
];
|
|
||||||
y = [
|
|
||||||
"disk"
|
|
||||||
"sdb"
|
|
||||||
];
|
|
||||||
}
|
}
|
||||||
{
|
{
|
||||||
x = [
|
x = ["mdadm" "raid1"];
|
||||||
"mdadm"
|
y = ["disk" "sdc"];
|
||||||
"raid1"
|
|
||||||
];
|
|
||||||
y = [
|
|
||||||
"disk"
|
|
||||||
"sdc"
|
|
||||||
];
|
|
||||||
}
|
}
|
||||||
];
|
];
|
||||||
|
|
||||||
outNodes = node: graph: lib.unique (builtins.map (e: e.y) (builtins.filter (v: v.x == node) graph));
|
outNodes = node: graph:
|
||||||
|
lib.unique
|
||||||
|
(builtins.map (e: e.y)
|
||||||
|
(builtins.filter (v: v.x == node) graph));
|
||||||
|
|
||||||
vertices = graph: lib.unique (builtins.map (x: x.y) graph ++ builtins.map (x: x.x) graph);
|
vertices = graph:
|
||||||
|
lib.unique
|
||||||
|
(builtins.map (x: x.y) graph ++ builtins.map (x: x.x) graph);
|
||||||
|
|
||||||
deleteVertex = node: graph: (builtins.filter (v: v.x != node && v.y != node) graph);
|
deleteVertex = node: graph: (builtins.filter (v: v.x != node && v.y != node) graph);
|
||||||
|
|
||||||
findSink =
|
findSink = graph:
|
||||||
graph:
|
lib.findFirst
|
||||||
lib.findFirst (v: outNodes v graph == [ ]) (lib.trace graph (builtins.abort "No sink found")) (
|
(v: outNodes v graph == [])
|
||||||
vertices graph
|
(lib.trace graph (builtins.abort "No sink found"))
|
||||||
);
|
(vertices graph);
|
||||||
|
|
||||||
topSort =
|
topSort = graph:
|
||||||
graph:
|
if graph == []
|
||||||
if graph == [ ] then
|
then []
|
||||||
[ ]
|
else if builtins.length graph == 1
|
||||||
else if builtins.length graph == 1 then
|
then let only = builtins.head graph; in [only.y only.x]
|
||||||
let
|
else let sink = findSink graph; in [sink] ++ topSort (deleteVertex sink graph);
|
||||||
only = builtins.head graph;
|
|
||||||
in
|
|
||||||
[
|
|
||||||
only.y
|
|
||||||
only.x
|
|
||||||
]
|
|
||||||
else
|
|
||||||
let
|
|
||||||
sink = findSink graph;
|
|
||||||
in
|
|
||||||
[ sink ] ++ topSort (deleteVertex sink graph);
|
|
||||||
|
|
||||||
output = topSort input;
|
output = topSort input;
|
||||||
}
|
}
|
||||||
|
|||||||
2
.github/workflows/flake.yml
vendored
2
.github/workflows/flake.yml
vendored
@@ -2,7 +2,7 @@ name: Update flake.lock
|
|||||||
on:
|
on:
|
||||||
workflow_dispatch: # allows manual triggering
|
workflow_dispatch: # allows manual triggering
|
||||||
schedule:
|
schedule:
|
||||||
- cron: "0 0 * * 0" # runs weekly on Sunday at 00:00
|
- cron: '0 0 * * 0' # runs weekly on Sunday at 00:00
|
||||||
|
|
||||||
jobs:
|
jobs:
|
||||||
lockfile:
|
lockfile:
|
||||||
|
|||||||
54
.github/workflows/niveum.yml
vendored
54
.github/workflows/niveum.yml
vendored
@@ -7,33 +7,33 @@ jobs:
|
|||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
strategy:
|
strategy:
|
||||||
matrix:
|
matrix:
|
||||||
system: [makanek, manakish, kabsa, zaatar, ful, fatteh]
|
system: [makanek,manakish,kabsa,zaatar,ful,fatteh]
|
||||||
steps:
|
steps:
|
||||||
- uses: actions/checkout@v3
|
- uses: actions/checkout@v3
|
||||||
- name: Install QEMU (ARM)
|
- name: Install QEMU (ARM)
|
||||||
run: |
|
run: |
|
||||||
sudo apt-get update
|
sudo apt-get update
|
||||||
sudo apt-get install -y qemu-user-static
|
sudo apt-get install -y qemu-user-static
|
||||||
if: ${{ matrix.system == 'ful' }}
|
if: ${{ matrix.system == 'ful' }}
|
||||||
- name: Install Nix (ARM)
|
- name: Install Nix (ARM)
|
||||||
uses: cachix/install-nix-action@v16
|
uses: cachix/install-nix-action@v16
|
||||||
if: ${{ matrix.system == 'ful' }}
|
if: ${{ matrix.system == 'ful' }}
|
||||||
with:
|
with:
|
||||||
extra_nix_config: |
|
extra_nix_config: |
|
||||||
system = aarch64-linux
|
system = aarch64-linux
|
||||||
- name: Install Nix (x86_64)
|
- name: Install Nix (x86_64)
|
||||||
uses: cachix/install-nix-action@v16
|
uses: cachix/install-nix-action@v16
|
||||||
if: ${{ matrix.system != 'ful' }}
|
if: ${{ matrix.system != 'ful' }}
|
||||||
- name: nixos-rebuild dry-build
|
- name: nixos-rebuild dry-build
|
||||||
run: |
|
run: |
|
||||||
# remove secrets: ref https://stackoverflow.com/questions/1260748/how-do-i-remove-a-submodule/36593218
|
# remove secrets: ref https://stackoverflow.com/questions/1260748/how-do-i-remove-a-submodule/36593218
|
||||||
git submodule deinit -f secrets
|
git submodule deinit -f secrets
|
||||||
rm -rf .git/modules/secrets
|
rm -rf .git/modules/secrets
|
||||||
git rm -f secrets
|
git rm -f secrets
|
||||||
|
|
||||||
# recreate secrets
|
# recreate secrets
|
||||||
mkdir secrets
|
mkdir secrets
|
||||||
cat secrets.txt | while read -r path; do touch $path; done
|
cat secrets.txt | while read -r path; do touch $path; done
|
||||||
git add secrets
|
git add secrets
|
||||||
|
|
||||||
nix run nixpkgs#nixos-rebuild -- dry-build --flake $GITHUB_WORKSPACE#${{matrix.system}}
|
nix run nixpkgs#nixos-rebuild -- dry-build --flake $GITHUB_WORKSPACE#${{matrix.system}}
|
||||||
|
|||||||
@@ -1,18 +1,12 @@
|
|||||||
# niveum
|
# niveum
|
||||||
|
|
||||||
> I must Create a System, or be enslav'd by another Man's. —William Blake
|
|
||||||
|
|
||||||
> [nĭvĕus](https://logeion.uchicago.edu/niveus), a, um, adj. [nix], _of_ or _from snow, snowy, snow-_ (poet.)
|
> [nĭvĕus](https://logeion.uchicago.edu/niveus), a, um, adj. [nix], _of_ or _from snow, snowy, snow-_ (poet.)
|
||||||
>
|
>
|
||||||
> 1. Lit.: aggeribus niveis informis, Verg. G. 3, 354: aqua, _cooled with snow_, Mart. 12, 17, 6; cf. id. 14, 104 and 117: mons, _covered with snow_, Cat. 64, 240.—
|
> 1. Lit.: aggeribus niveis informis, Verg. G. 3, 354: aqua, _cooled with snow_, Mart. 12, 17, 6; cf. id. 14, 104 and 117: mons, _covered with snow_, Cat. 64, 240.—
|
||||||
|
>
|
||||||
> 2. Transf., _snow-white, snowy_ (mostly poet.): a similitudine sic: Corpore niveum candorem, aspectu igneum ardorem assequebatur, Auct. Her. 4, 33, 44: lacerti, Verg. A. 8, 387: lac, id. E. 2, 20: hanc si capite niveae agnae exorari judicas, Sen. Q. N. 2, 36: Briseis niveo colore, Hor. C. 2, 4, 3: vestis, Ov. M. 10, 432: candidior nivei folio, Galatea, ligustri, id. ib. 13, 789: dens, id. H. 18, 18: quā notam duxit niveus videri, Hor. C. 4, 2, 59: panis, Juv. 5, 70: flumen, _clear, pellucid_, Sen. Hippol. 504: undae, Mart. 7, 32, 11: tribuni, _clothed in white togas_, Calp. Ecl. 7, 29; so, Quirites, Juv. 10, 45.
|
> 2. Transf., _snow-white, snowy_ (mostly poet.): a similitudine sic: Corpore niveum candorem, aspectu igneum ardorem assequebatur, Auct. Her. 4, 33, 44: lacerti, Verg. A. 8, 387: lac, id. E. 2, 20: hanc si capite niveae agnae exorari judicas, Sen. Q. N. 2, 36: Briseis niveo colore, Hor. C. 2, 4, 3: vestis, Ov. M. 10, 432: candidior nivei folio, Galatea, ligustri, id. ib. 13, 789: dens, id. H. 18, 18: quā notam duxit niveus videri, Hor. C. 4, 2, 59: panis, Juv. 5, 70: flumen, _clear, pellucid_, Sen. Hippol. 504: undae, Mart. 7, 32, 11: tribuni, _clothed in white togas_, Calp. Ecl. 7, 29; so, Quirites, Juv. 10, 45.
|
||||||
|
|
||||||
## Pressestimmen
|
## Pressestimmen
|
||||||
|
|
||||||
> das ist ja pure poesie —[riotbib](https://github.com/riotbib/)
|
> das ist ja pure poesie —[riotbib](https://github.com/riotbib/)
|
||||||
|
|
||||||
> Deine Configs sind wunderschön <3 —[flxai](https://github.com/flxai/)
|
> Deine Configs sind wunderschön <3 —[flxai](https://github.com/flxai/)
|
||||||
|
|
||||||
## To do
|
|
||||||
|
|
||||||
🦗
|
|
||||||
|
|||||||
@@ -1,98 +1,91 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
|
niveumPackages,
|
||||||
lib,
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
darwin = lib.strings.hasSuffix "-darwin" pkgs.system;
|
||||||
darwin = lib.strings.hasSuffix "-darwin" pkgs.stdenv.hostPlatform.system;
|
in {
|
||||||
in
|
environment.systemPackages =
|
||||||
{
|
[
|
||||||
environment.systemPackages = [
|
pkgs.htop
|
||||||
pkgs.htop
|
pkgs.w3m
|
||||||
pkgs.w3m
|
pkgs.wget
|
||||||
pkgs.wget
|
# ARCHIVE TOOLS
|
||||||
# ARCHIVE TOOLS
|
pkgs.unzip
|
||||||
pkgs.unzip
|
pkgs.unrar
|
||||||
pkgs.unrar
|
pkgs.p7zip
|
||||||
pkgs.p7zip
|
pkgs.sshuttle
|
||||||
pkgs.sshuttle
|
pkgs.zip
|
||||||
pkgs.zip
|
# MONITORS
|
||||||
# MONITORS
|
pkgs.iftop # interface bandwidth monitor
|
||||||
pkgs.iftop # interface bandwidth monitor
|
pkgs.lsof # list open files
|
||||||
pkgs.lsof # list open files
|
# SHELL
|
||||||
# SHELL
|
pkgs.sqlite
|
||||||
pkgs.sqlite
|
pkgs.fd # better find
|
||||||
pkgs.fd # better find
|
pkgs.tree
|
||||||
pkgs.tree
|
pkgs.parallel # for parallel, since moreutils shadows task spooler
|
||||||
pkgs.parallel # for parallel, since moreutils shadows task spooler
|
pkgs.ripgrep # better grep
|
||||||
pkgs.ripgrep # better grep
|
pkgs.rlwrap
|
||||||
pkgs.rlwrap
|
pkgs.progress # display progress bars for pipes
|
||||||
pkgs.progress # display progress bars for pipes
|
pkgs.file # determine file type
|
||||||
pkgs.file # determine file type
|
pkgs.gdu # ncurses disk usage (ncdu is broken)
|
||||||
pkgs.gdu # ncurses disk usage (ncdu is broken)
|
pkgs.rmlint # remove duplicate files
|
||||||
pkgs.rmlint # remove duplicate files
|
pkgs.jq # json toolkit
|
||||||
pkgs.jq # json toolkit
|
pkgs.jless # less(1) for json
|
||||||
pkgs.jless # less(1) for json
|
pkgs.fq # toolkit for yaml, xml and binaries
|
||||||
pkgs.fq # toolkit for yaml, xml and binaries
|
pkgs.bc # calculator
|
||||||
pkgs.bc # calculator
|
pkgs.pari # gp -- better calculator
|
||||||
pkgs.pari # gp -- better calculator
|
pkgs.ts
|
||||||
pkgs.ts
|
niveumPackages.vimv
|
||||||
pkgs.vimv
|
niveumPackages.vg
|
||||||
pkgs.vg
|
niveumPackages.fkill
|
||||||
pkgs.fkill
|
niveumPackages.cyberlocker-tools
|
||||||
pkgs.cyberlocker-tools
|
niveumPackages.untilport
|
||||||
pkgs.untilport
|
niveumPackages.kpaste
|
||||||
pkgs.kpaste
|
# HARDWARE
|
||||||
# HARDWARE
|
pkgs.pciutils # for lspci
|
||||||
pkgs.pciutils # for lspci
|
]
|
||||||
]
|
++ lib.optionals (!darwin) [
|
||||||
++ lib.optionals (!darwin) [
|
pkgs.usbutils # for lsusb
|
||||||
pkgs.usbutils # for lsusb
|
pkgs.lshw # for lshw
|
||||||
pkgs.lshw # for lshw
|
pkgs.iotop # I/O load monitor
|
||||||
pkgs.iotop # I/O load monitor
|
pkgs.psmisc # for killall, pstree
|
||||||
pkgs.psmisc # for killall, pstree
|
];
|
||||||
];
|
|
||||||
|
|
||||||
security.wrappers = {
|
|
||||||
pmount = {
|
security.wrappers = {
|
||||||
setuid = true;
|
pmount = {
|
||||||
owner = "root";
|
setuid = true;
|
||||||
group = "root";
|
owner = "root";
|
||||||
source = "${pkgs.pmount}/bin/pmount";
|
group = "root";
|
||||||
|
source = "${pkgs.pmount}/bin/pmount";
|
||||||
|
};
|
||||||
|
pumount = {
|
||||||
|
setuid = true;
|
||||||
|
owner = "root";
|
||||||
|
group = "root";
|
||||||
|
source = "${pkgs.pmount}/bin/pumount";
|
||||||
|
};
|
||||||
};
|
};
|
||||||
pumount = {
|
|
||||||
setuid = true;
|
|
||||||
owner = "root";
|
|
||||||
group = "root";
|
|
||||||
source = "${pkgs.pmount}/bin/pumount";
|
|
||||||
};
|
|
||||||
};
|
|
||||||
|
|
||||||
environment.interactiveShellInit = ''
|
environment.shellAliases = let
|
||||||
# Use XDG_RUNTIME_DIR for temporary files if available
|
take = pkgs.writers.writeDash "take" ''
|
||||||
if [ -d "$XDG_RUNTIME_DIR" ]; then
|
mkdir "$1" && cd "$1"
|
||||||
export TMPDIR="$XDG_RUNTIME_DIR"
|
'';
|
||||||
fi
|
cdt = pkgs.writers.writeDash "cdt" ''
|
||||||
'';
|
cd "$(mktemp -d)"
|
||||||
|
pwd
|
||||||
environment.shellAliases =
|
'';
|
||||||
let
|
wcd = pkgs.writers.writeDash "wcd" ''
|
||||||
take = pkgs.writers.writeDash "take" ''
|
cd "$(readlink "$(${pkgs.which}/bin/which --skip-alias "$1")" | xargs dirname)/.."
|
||||||
mkdir "$1" && cd "$1"
|
'';
|
||||||
'';
|
where = pkgs.writers.writeDash "where" ''
|
||||||
cdt = pkgs.writers.writeDash "cdt" ''
|
readlink "$(${pkgs.which}/bin/which --skip-alias "$1")" | xargs dirname
|
||||||
cd $(mktemp -p "$XDG_RUNTIME_DIR" -d "cdt-XXXXXX")
|
'';
|
||||||
pwd
|
in
|
||||||
'';
|
|
||||||
wcd = pkgs.writers.writeDash "wcd" ''
|
|
||||||
cd "$(readlink "$(${pkgs.which}/bin/which --skip-alias "$1")" | xargs dirname)/.."
|
|
||||||
'';
|
|
||||||
where = pkgs.writers.writeDash "where" ''
|
|
||||||
readlink "$(${pkgs.which}/bin/which --skip-alias "$1")" | xargs dirname
|
|
||||||
'';
|
|
||||||
in
|
|
||||||
{
|
{
|
||||||
nixi = "nix repl nixpkgs";
|
nixi = "nix repl '<nixpkgs>'";
|
||||||
take = "source ${take}";
|
take = "source ${take}";
|
||||||
wcd = "source ${wcd}";
|
wcd = "source ${wcd}";
|
||||||
where = "source ${where}";
|
where = "source ${where}";
|
||||||
@@ -111,17 +104,16 @@ in
|
|||||||
la = "${pkgs.coreutils}/bin/ls --color=auto --time-style=long-iso --almost-all -l";
|
la = "${pkgs.coreutils}/bin/ls --color=auto --time-style=long-iso --almost-all -l";
|
||||||
}
|
}
|
||||||
// (
|
// (
|
||||||
if darwin then
|
if darwin
|
||||||
{ }
|
then {}
|
||||||
else
|
else {
|
||||||
{
|
"ß" = "${pkgs.util-linux}/bin/setsid";
|
||||||
"ß" = "${pkgs.util-linux}/bin/setsid";
|
ip = "${pkgs.iproute2}/bin/ip -c";
|
||||||
ip = "${pkgs.iproute2}/bin/ip -c";
|
# systemd
|
||||||
# systemd
|
s = "${pkgs.systemd}/bin/systemctl";
|
||||||
s = "${pkgs.systemd}/bin/systemctl";
|
us = "${pkgs.systemd}/bin/systemctl --user";
|
||||||
us = "${pkgs.systemd}/bin/systemctl --user";
|
j = "${pkgs.systemd}/bin/journalctl";
|
||||||
j = "${pkgs.systemd}/bin/journalctl";
|
uj = "${pkgs.systemd}/bin/journalctl --user";
|
||||||
uj = "${pkgs.systemd}/bin/journalctl --user";
|
}
|
||||||
}
|
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|||||||
120
configs/aerc.nix
120
configs/aerc.nix
@@ -2,18 +2,20 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
config,
|
config,
|
||||||
lib,
|
lib,
|
||||||
|
niveumPackages,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
{
|
inherit (import ../lib/email.nix) defaults thunderbirdProfile;
|
||||||
|
in {
|
||||||
age.secrets = {
|
age.secrets = {
|
||||||
email-password-ical-ephemeris = {
|
email-password-cock = {
|
||||||
file = ../secrets/email-password-ical-ephemeris.age;
|
file = ../secrets/email-password-cock.age;
|
||||||
owner = config.users.users.me.name;
|
owner = config.users.users.me.name;
|
||||||
group = config.users.users.me.group;
|
group = config.users.users.me.group;
|
||||||
mode = "400";
|
mode = "400";
|
||||||
};
|
};
|
||||||
email-password-cock = {
|
email-password-letos = {
|
||||||
file = ../secrets/email-password-cock.age;
|
file = ../secrets/email-password-letos.age;
|
||||||
owner = config.users.users.me.name;
|
owner = config.users.users.me.name;
|
||||||
group = config.users.users.me.group;
|
group = config.users.users.me.group;
|
||||||
mode = "400";
|
mode = "400";
|
||||||
@@ -41,15 +43,14 @@
|
|||||||
extraConfig = {
|
extraConfig = {
|
||||||
database.path = config.home-manager.users.me.accounts.email.maildirBasePath;
|
database.path = config.home-manager.users.me.accounts.email.maildirBasePath;
|
||||||
new.tags = "";
|
new.tags = "";
|
||||||
user.name = pkgs.lib.niveum.email.defaults.realName;
|
user.name = defaults.realName;
|
||||||
user.primary_email = config.home-manager.users.me.accounts.email.accounts.posteo.address;
|
user.primary_email = config.home-manager.users.me.accounts.email.accounts.posteo.address;
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
programs.mbsync = {
|
programs.mbsync = {
|
||||||
enable = true;
|
enable = true;
|
||||||
extraConfig = lib.concatStringsSep "\n\n" (
|
extraConfig = lib.concatStringsSep "\n\n" (lib.mapAttrsToList (name: account: ''
|
||||||
lib.mapAttrsToList (name: account: ''
|
|
||||||
IMAPAccount ${name}
|
IMAPAccount ${name}
|
||||||
CertificateFile /etc/ssl/certs/ca-certificates.crt
|
CertificateFile /etc/ssl/certs/ca-certificates.crt
|
||||||
Host ${account.imap.host}
|
Host ${account.imap.host}
|
||||||
@@ -73,55 +74,46 @@
|
|||||||
Patterns *
|
Patterns *
|
||||||
Remove None
|
Remove None
|
||||||
SyncState *
|
SyncState *
|
||||||
'') config.home-manager.users.me.accounts.email.accounts
|
'')
|
||||||
);
|
config.home-manager.users.me.accounts.email.accounts);
|
||||||
};
|
};
|
||||||
|
|
||||||
accounts.email.accounts = {
|
accounts.email.accounts = {
|
||||||
cock =
|
cock =
|
||||||
let
|
lib.recursiveUpdate defaults
|
||||||
mailhost = "mail.cock.li";
|
rec {
|
||||||
address = "2210@cock.li";
|
address = "2210@cock.li";
|
||||||
in
|
|
||||||
lib.recursiveUpdate pkgs.lib.niveum.email.defaults {
|
|
||||||
address = address;
|
|
||||||
userName = address;
|
userName = address;
|
||||||
passwordCommand = "${pkgs.coreutils}/bin/cat ${config.age.secrets.email-password-cock.path}";
|
passwordCommand = "${pkgs.coreutils}/bin/cat ${config.age.secrets.email-password-cock.path}";
|
||||||
realName = "2210";
|
realName = "2210";
|
||||||
imap.host = mailhost;
|
imap.host = "mail.cock.li";
|
||||||
imap.port = 993;
|
imap.port = 993;
|
||||||
smtp.host = mailhost;
|
smtp.host = imap.host;
|
||||||
smtp.port = 25;
|
smtp.port = 25;
|
||||||
smtp.tls.useStartTls = true;
|
smtp.tls.useStartTls = true;
|
||||||
};
|
};
|
||||||
ical-ephemeris =
|
letos =
|
||||||
let
|
lib.recursiveUpdate defaults
|
||||||
address = "ical.ephemeris@web.de";
|
{
|
||||||
in
|
userName = "slfletos";
|
||||||
lib.recursiveUpdate pkgs.lib.niveum.email.defaults {
|
address = "letos.sprachlit@hu-berlin.de";
|
||||||
userName = address;
|
passwordCommand = "${pkgs.coreutils}/bin/cat ${config.age.secrets.email-password-letos.path}";
|
||||||
realName = "Kieran from iCal Ephemeris";
|
imap.host = "mailbox.cms.hu-berlin.de";
|
||||||
address = address;
|
|
||||||
passwordCommand = "${pkgs.coreutils}/bin/cat ${config.age.secrets.email-password-ical-ephemeris.path}";
|
|
||||||
imap.host = "imap.web.de";
|
|
||||||
imap.port = 993;
|
imap.port = 993;
|
||||||
smtp.host = "smtp.web.de";
|
smtp.host = "mailhost.cms.hu-berlin.de";
|
||||||
smtp.port = 587;
|
smtp.port = 25;
|
||||||
smtp.tls.useStartTls = true;
|
smtp.tls.useStartTls = true;
|
||||||
};
|
};
|
||||||
posteo =
|
posteo =
|
||||||
let
|
lib.recursiveUpdate defaults
|
||||||
mailhost = "posteo.de";
|
rec {
|
||||||
address = "kieran.meinhardt@posteo.net";
|
address = "kieran.meinhardt@posteo.net";
|
||||||
in
|
aliases = ["kmein@posteo.de"];
|
||||||
lib.recursiveUpdate pkgs.lib.niveum.email.defaults {
|
|
||||||
address = address;
|
|
||||||
aliases = [ "kmein@posteo.de" ];
|
|
||||||
userName = address;
|
userName = address;
|
||||||
imap.host = mailhost;
|
imap.host = "posteo.de";
|
||||||
imap.port = 993;
|
imap.port = 993;
|
||||||
imap.tls.enable = true;
|
imap.tls.enable = true;
|
||||||
smtp.host = mailhost;
|
smtp.host = imap.host;
|
||||||
smtp.port = 465;
|
smtp.port = 465;
|
||||||
smtp.tls.enable = true;
|
smtp.tls.enable = true;
|
||||||
primary = true;
|
primary = true;
|
||||||
@@ -140,7 +132,7 @@
|
|||||||
enable = true;
|
enable = true;
|
||||||
settings = {
|
settings = {
|
||||||
};
|
};
|
||||||
profiles.${pkgs.lib.niveum.email.thunderbirdProfile} = {
|
profiles.${thunderbirdProfile} = {
|
||||||
isDefault = true;
|
isDefault = true;
|
||||||
settings = {
|
settings = {
|
||||||
"mail.default_send_format" = 1;
|
"mail.default_send_format" = 1;
|
||||||
@@ -148,8 +140,10 @@
|
|||||||
"msgcompose.text_color" = config.lib.stylix.colors.withHashtag.base00;
|
"msgcompose.text_color" = config.lib.stylix.colors.withHashtag.base00;
|
||||||
"msgcompose.background_color" = config.lib.stylix.colors.withHashtag.base05;
|
"msgcompose.background_color" = config.lib.stylix.colors.withHashtag.base05;
|
||||||
};
|
};
|
||||||
userChrome = '''';
|
userChrome = ''
|
||||||
userContent = '''';
|
'';
|
||||||
|
userContent = ''
|
||||||
|
'';
|
||||||
withExternalGnupg = false;
|
withExternalGnupg = false;
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
@@ -211,7 +205,7 @@
|
|||||||
"*" = ":filter -x Flagged<Enter>";
|
"*" = ":filter -x Flagged<Enter>";
|
||||||
};
|
};
|
||||||
view = {
|
view = {
|
||||||
tr = ":pipe ${pkgs.trans}/bin/trans -show-original n -b -no-autocorrect<Enter>"; # https://man.sr.ht/~rjarry/aerc/integrations/translator.md
|
tr = ":pipe ${niveumPackages.trans}/bin/trans -show-original n -b -no-autocorrect<Enter>"; # https://man.sr.ht/~rjarry/aerc/integrations/translator.md
|
||||||
"/" = ":toggle-key-passthrough <Enter> /";
|
"/" = ":toggle-key-passthrough <Enter> /";
|
||||||
q = ":close<Enter>";
|
q = ":close<Enter>";
|
||||||
O = ":open<Enter>";
|
O = ":open<Enter>";
|
||||||
@@ -284,9 +278,7 @@
|
|||||||
ui.spinner = ". , .";
|
ui.spinner = ". , .";
|
||||||
general.unsafe-accounts-conf = true;
|
general.unsafe-accounts-conf = true;
|
||||||
general.pgp-provider = "gpg";
|
general.pgp-provider = "gpg";
|
||||||
viewer = {
|
viewer = {pager = "${pkgs.less}/bin/less -R";};
|
||||||
pager = "${pkgs.less}/bin/less -R";
|
|
||||||
};
|
|
||||||
compose = {
|
compose = {
|
||||||
# address-book-cmd = "khard email --remove-first-line --parsable '%s'";
|
# address-book-cmd = "khard email --remove-first-line --parsable '%s'";
|
||||||
no-attachment-warning = "(attach|attached|attachments?|anbei|Anhang|angehängt|beigefügt)";
|
no-attachment-warning = "(attach|attached|attachments?|anbei|Anhang|angehängt|beigefügt)";
|
||||||
@@ -303,26 +295,24 @@
|
|||||||
"message/rfc822" = "${pkgs.aerc}/libexec/aerc/filters/colorize";
|
"message/rfc822" = "${pkgs.aerc}/libexec/aerc/filters/colorize";
|
||||||
"application/x-sh" = "${pkgs.bat}/bin/bat -fP -l sh";
|
"application/x-sh" = "${pkgs.bat}/bin/bat -fP -l sh";
|
||||||
};
|
};
|
||||||
openers =
|
openers = let
|
||||||
let
|
as-pdf = pkgs.writers.writeDash "as-pdf" ''
|
||||||
as-pdf = pkgs.writers.writeDash "as-pdf" ''
|
d=$(mktemp -d)
|
||||||
d=$(mktemp -p "$XDG_RUNTIME_DIR" -d)
|
trap clean EXIT
|
||||||
trap clean EXIT
|
clean() {
|
||||||
clean() {
|
rm -rf "$d"
|
||||||
rm -rf "$d"
|
}
|
||||||
}
|
${pkgs.libreoffice}/bin/libreoffice --headless --convert-to pdf "$1" --outdir "$d"
|
||||||
${pkgs.libreoffice}/bin/libreoffice --headless --convert-to pdf "$1" --outdir "$d"
|
${pkgs.zathura}/bin/zathura "$d"/*.pdf
|
||||||
${pkgs.zathura}/bin/zathura "$d"/*.pdf
|
'';
|
||||||
'';
|
in {
|
||||||
in
|
"image/*" = "${pkgs.nsxiv}/bin/nsxiv";
|
||||||
{
|
"application/pdf" = "${pkgs.zathura}/bin/zathura";
|
||||||
"image/*" = "${pkgs.nsxiv}/bin/nsxiv";
|
"application/vnd.openxmlformats-officedocument.wordprocessingml.document" = toString as-pdf;
|
||||||
"application/pdf" = "${pkgs.zathura}/bin/zathura";
|
"application/vnd.oasis.opendocument.text" = toString as-pdf;
|
||||||
"application/vnd.openxmlformats-officedocument.wordprocessingml.document" = toString as-pdf;
|
"video/*" = "${pkgs.mpv}/bin/mpv";
|
||||||
"application/vnd.oasis.opendocument.text" = toString as-pdf;
|
"audio/*" = "${pkgs.mpv}/bin/mpv";
|
||||||
"video/*" = "${pkgs.mpv}/bin/mpv";
|
};
|
||||||
"audio/*" = "${pkgs.mpv}/bin/mpv";
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
|
|
||||||
templates = {
|
templates = {
|
||||||
|
|||||||
@@ -2,10 +2,8 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
in {
|
||||||
in
|
|
||||||
{
|
|
||||||
environment.variables.TERMINAL = "alacritty";
|
environment.variables.TERMINAL = "alacritty";
|
||||||
|
|
||||||
home-manager.users.me = {
|
home-manager.users.me = {
|
||||||
|
|||||||
@@ -1,5 +1,5 @@
|
|||||||
{
|
{
|
||||||
programs.adb.enable = true;
|
programs.adb.enable = true;
|
||||||
|
|
||||||
users.users.me.extraGroups = [ "adbusers" ];
|
users.users.me.extraGroups = ["adbusers"];
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,13 +1,13 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
config,
|
config,
|
||||||
lib,
|
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
{
|
inherit (import ../lib) restic;
|
||||||
|
in {
|
||||||
services.restic.backups.niveum = {
|
services.restic.backups.niveum = {
|
||||||
initialize = true;
|
initialize = true;
|
||||||
repository = pkgs.lib.niveum.restic.repository;
|
inherit (restic) repository;
|
||||||
timerConfig = {
|
timerConfig = {
|
||||||
OnCalendar = "8:00";
|
OnCalendar = "8:00";
|
||||||
RandomizedDelaySec = "1h";
|
RandomizedDelaySec = "1h";
|
||||||
@@ -38,15 +38,15 @@
|
|||||||
|
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
(pkgs.writers.writeDashBin "restic-niveum" ''
|
(pkgs.writers.writeDashBin "restic-niveum" ''
|
||||||
${pkgs.restic}/bin/restic -r ${pkgs.lib.niveum.restic.repository} -p ${config.age.secrets.restic.path} "$@"
|
${pkgs.restic}/bin/restic -r ${restic.repository} -p ${config.age.secrets.restic.path} "$@"
|
||||||
'')
|
'')
|
||||||
(pkgs.writers.writeDashBin "restic-mount" ''
|
(pkgs.writers.writeDashBin "restic-mount" ''
|
||||||
mountdir=$(mktemp -p "$XDG_RUNTIME_DIR" -d "restic-mount-XXXXXXX")
|
mountdir=$(mktemp -d)
|
||||||
trap clean EXIT
|
trap clean EXIT
|
||||||
clean() {
|
clean() {
|
||||||
rm -r "$mountdir"
|
rm -r "$mountdir"
|
||||||
}
|
}
|
||||||
${pkgs.restic}/bin/restic -r ${pkgs.lib.niveum.restic.repository} -p ${config.age.secrets.restic.path} mount "$mountdir"
|
${pkgs.restic}/bin/restic -r ${restic.repository} -p ${config.age.secrets.restic.path} mount "$mountdir"
|
||||||
'')
|
'')
|
||||||
];
|
];
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,10 +1,10 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}: {
|
||||||
{
|
|
||||||
programs.bash = {
|
programs.bash = {
|
||||||
promptInit = ''PS1="$(${pkgs.ncurses}/bin/tput bold)\w \$([[ \$? == 0 ]] && echo \"\[\033[1;32m\]\" || echo \"\[\033[1;31m\]\")\$$(${pkgs.ncurses}/bin/tput sgr0) "'';
|
promptInit = ''
|
||||||
|
PS1="$(${pkgs.ncurses}/bin/tput bold)\w \$([[ \$? == 0 ]] && echo \"\[\033[1;32m\]\" || echo \"\[\033[1;31m\]\")\$$(${pkgs.ncurses}/bin/tput sgr0) "'';
|
||||||
interactiveShellInit = ''
|
interactiveShellInit = ''
|
||||||
set -o vi
|
set -o vi
|
||||||
'';
|
'';
|
||||||
completion.enable = true;
|
enableCompletion = true;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,5 +1,4 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}: {
|
||||||
{
|
|
||||||
hardware.bluetooth = {
|
hardware.bluetooth = {
|
||||||
enable = true;
|
enable = true;
|
||||||
settings.general = {
|
settings.general = {
|
||||||
|
|||||||
@@ -1,19 +1,28 @@
|
|||||||
{
|
{
|
||||||
config,
|
|
||||||
pkgs,
|
pkgs,
|
||||||
|
lib,
|
||||||
|
config,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
{
|
autorenkalender-package = pkgs.fetchFromGitHub {
|
||||||
|
owner = "kmein";
|
||||||
|
repo = "autorenkalender";
|
||||||
|
rev = "cf49a7b057301332d980eb47042a626add93db66";
|
||||||
|
sha256 = "1pa7sjg33vdnjianrqldv445jdzzv3mn231ljk1j58hs0cd505gs";
|
||||||
|
};
|
||||||
|
autorenkalender =
|
||||||
|
pkgs.python3Packages.callPackage autorenkalender-package {};
|
||||||
|
in {
|
||||||
niveum.bots.autorenkalender = {
|
niveum.bots.autorenkalender = {
|
||||||
enable = true;
|
enable = true;
|
||||||
time = "07:00";
|
time = "07:00";
|
||||||
telegram = {
|
telegram = {
|
||||||
enable = true;
|
enable = true;
|
||||||
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
||||||
chatIds = [ "@autorenkalender" ];
|
chatIds = ["@autorenkalender"];
|
||||||
parseMode = "Markdown";
|
parseMode = "Markdown";
|
||||||
};
|
};
|
||||||
command = "${pkgs.autorenkalender}/bin/autorenkalender";
|
command = "${autorenkalender}/bin/autorenkalender";
|
||||||
};
|
};
|
||||||
|
|
||||||
niveum.passport.services = [
|
niveum.passport.services = [
|
||||||
|
|||||||
@@ -3,69 +3,64 @@
|
|||||||
lib,
|
lib,
|
||||||
config,
|
config,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
niveum.bots.celan = {
|
niveum.bots.celan = {
|
||||||
enable = true;
|
enable = true;
|
||||||
time = "08:00";
|
time = "08:00";
|
||||||
telegram = {
|
telegram = {
|
||||||
enable = true;
|
enable = true;
|
||||||
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
||||||
chatIds = [ "@PaulCelan" ];
|
chatIds = ["@PaulCelan"];
|
||||||
};
|
};
|
||||||
mastodon = {
|
mastodon = {
|
||||||
enable = true;
|
enable = true;
|
||||||
tokenFile = config.age.secrets.mastodon-token-celan.path;
|
tokenFile = config.age.secrets.mastodon-token-celan.path;
|
||||||
language = "de";
|
language = "de";
|
||||||
};
|
};
|
||||||
command = toString (
|
command = toString (pkgs.writers.writePython3 "random-celan.py" { libraries = [pkgs.python3Packages.lxml]; } ''
|
||||||
pkgs.writers.writePython3 "random-celan.py" { libraries = [ pkgs.python3Packages.lxml ]; } ''
|
from lxml import etree
|
||||||
from lxml import etree
|
import random
|
||||||
import random
|
|
||||||
|
|
||||||
|
|
||||||
def xml_text(elements):
|
def xml_text(elements):
|
||||||
return "".join("".join(t.itertext()) for t in elements).strip()
|
return "".join("".join(t.itertext()) for t in elements).strip()
|
||||||
|
|
||||||
|
|
||||||
tree = etree.parse('${
|
tree = etree.parse('${pkgs.fetchurl {
|
||||||
pkgs.fetchurl {
|
url = "http://c.krebsco.de/celan.tei.xml";
|
||||||
url = "http://c.krebsco.de/celan.tei.xml";
|
hash = "sha256-HgNmJYfhuwyfm+FcNtnnYWpJpIIU1ElHLeLiIFjF9mE=";
|
||||||
hash = "sha256-HgNmJYfhuwyfm+FcNtnnYWpJpIIU1ElHLeLiIFjF9mE=";
|
}}')
|
||||||
}
|
root = tree.getroot()
|
||||||
}')
|
|
||||||
root = tree.getroot()
|
|
||||||
|
|
||||||
tei = {"tei": "http://www.tei-c.org/ns/1.0"}
|
tei = {"tei": "http://www.tei-c.org/ns/1.0"}
|
||||||
|
|
||||||
poems = root.xpath(".//tei:lg[@type='poem']", namespaces=tei)
|
poems = root.xpath(".//tei:lg[@type='poem']", namespaces=tei)
|
||||||
|
|
||||||
poem = random.choice(poems)
|
poem = random.choice(poems)
|
||||||
|
|
||||||
for stanza in poem.xpath("./tei:lg[@type='stanza']", namespaces=tei):
|
for stanza in poem.xpath("./tei:lg[@type='stanza']", namespaces=tei):
|
||||||
for line in stanza.xpath('./tei:l', namespaces=tei):
|
for line in stanza.xpath('./tei:l', namespaces=tei):
|
||||||
if line.text:
|
if line.text:
|
||||||
print(line.text.strip())
|
print(line.text.strip())
|
||||||
print()
|
print()
|
||||||
|
|
||||||
current_element = poem
|
current_element = poem
|
||||||
while current_element is not None:
|
while current_element is not None:
|
||||||
if current_element.tag == "{http://www.tei-c.org/ns/1.0}text":
|
if current_element.tag == "{http://www.tei-c.org/ns/1.0}text":
|
||||||
text_element = current_element
|
text_element = current_element
|
||||||
|
|
||||||
title = xml_text(text_element.xpath("./tei:front/tei:docTitle",
|
title = xml_text(text_element.xpath("./tei:front/tei:docTitle",
|
||||||
namespaces=tei))
|
namespaces=tei))
|
||||||
print(f"Aus: #{title.replace(" ", "_")}", end=" ")
|
print(f"Aus: #{title.replace(" ", "_")}", end=" ")
|
||||||
|
|
||||||
if date := xml_text(text_element.xpath("./tei:front/tei:docDate",
|
if date := xml_text(text_element.xpath("./tei:front/tei:docDate",
|
||||||
namespaces=tei)):
|
namespaces=tei)):
|
||||||
print(f"({date})")
|
print(f"({date})")
|
||||||
break
|
break
|
||||||
current_element = current_element.getparent()
|
current_element = current_element.getparent()
|
||||||
|
|
||||||
print("\n\n#PaulCelan #Celan #Lyrik #poetry")
|
print("\n\n#PaulCelan #Celan #Lyrik #poetry")
|
||||||
''
|
'');
|
||||||
);
|
|
||||||
};
|
};
|
||||||
|
|
||||||
age.secrets = {
|
age.secrets = {
|
||||||
|
|||||||
@@ -1,13 +1,15 @@
|
|||||||
{
|
{
|
||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
|
lib,
|
||||||
|
inputs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
telebots = inputs.telebots.defaultPackage.x86_64-linux;
|
||||||
reverseDirectory = "/run/telegram-reverse";
|
reverseDirectory = "/run/telegram-reverse";
|
||||||
proverbDirectory = "/run/telegram-proverb";
|
proverbDirectory = "/run/telegram-proverb";
|
||||||
in
|
inherit (import ../../lib) tmpfilesConfig;
|
||||||
{
|
in {
|
||||||
imports = [
|
imports = [
|
||||||
./logotheca.nix
|
./logotheca.nix
|
||||||
./transits.nix
|
./transits.nix
|
||||||
@@ -15,30 +17,18 @@ in
|
|||||||
./hesychius.nix
|
./hesychius.nix
|
||||||
./smyth.nix
|
./smyth.nix
|
||||||
./nachtischsatan.nix
|
./nachtischsatan.nix
|
||||||
# ./tlg-wotd.nix TODO reenable
|
./tlg-wotd.nix
|
||||||
./celan.nix
|
./celan.nix
|
||||||
./nietzsche.nix
|
./nietzsche.nix
|
||||||
];
|
];
|
||||||
|
|
||||||
age.secrets = {
|
systemd.tmpfiles.rules = map (path:
|
||||||
telegram-token-kmein.file = ../../secrets/telegram-token-kmein.age;
|
tmpfilesConfig {
|
||||||
};
|
type = "d";
|
||||||
|
mode = "0750";
|
||||||
systemd.tmpfiles.rules =
|
age = "1h";
|
||||||
map
|
inherit path;
|
||||||
(
|
}) [reverseDirectory proverbDirectory];
|
||||||
path:
|
|
||||||
pkgs.lib.niveum.tmpfilesConfig {
|
|
||||||
type = "d";
|
|
||||||
mode = "0750";
|
|
||||||
age = "1h";
|
|
||||||
inherit path;
|
|
||||||
}
|
|
||||||
)
|
|
||||||
[
|
|
||||||
reverseDirectory
|
|
||||||
proverbDirectory
|
|
||||||
];
|
|
||||||
|
|
||||||
niveum.passport.services = [
|
niveum.passport.services = [
|
||||||
{
|
{
|
||||||
@@ -66,12 +56,12 @@ in
|
|||||||
};
|
};
|
||||||
|
|
||||||
systemd.services.telegram-reverse = {
|
systemd.services.telegram-reverse = {
|
||||||
wantedBy = [ "multi-user.target" ];
|
wantedBy = ["multi-user.target"];
|
||||||
description = "Telegram reverse bot";
|
description = "Telegram reverse bot";
|
||||||
path = [ pkgs.ffmpeg ];
|
path = [pkgs.ffmpeg];
|
||||||
enable = true;
|
enable = true;
|
||||||
script = ''
|
script = ''
|
||||||
TELEGRAM_BOT_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/token")" ${pkgs.telebots}/bin/telegram-reverse
|
TELEGRAM_BOT_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/token")" ${telebots}/bin/telegram-reverse
|
||||||
'';
|
'';
|
||||||
serviceConfig.Restart = "always";
|
serviceConfig.Restart = "always";
|
||||||
serviceConfig.WorkingDirectory = reverseDirectory;
|
serviceConfig.WorkingDirectory = reverseDirectory;
|
||||||
@@ -79,33 +69,33 @@ in
|
|||||||
};
|
};
|
||||||
|
|
||||||
systemd.services.telegram-streaming-link = {
|
systemd.services.telegram-streaming-link = {
|
||||||
wantedBy = [ "multi-user.target" ];
|
wantedBy = ["multi-user.target"];
|
||||||
description = "Telegram bot converting YouTube Music <-> Spotify";
|
description = "Telegram bot converting YouTube Music <-> Spotify";
|
||||||
enable = true;
|
enable = true;
|
||||||
script = ''
|
script = ''
|
||||||
TELEGRAM_BOT_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/token")" ${pkgs.telebots}/bin/telegram-streaming-link
|
TELEGRAM_BOT_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/token")" ${telebots}/bin/telegram-streaming-link
|
||||||
'';
|
'';
|
||||||
serviceConfig.Restart = "always";
|
serviceConfig.Restart = "always";
|
||||||
serviceConfig.LoadCredential = "token:${config.age.secrets.telegram-token-streaming-link.path}";
|
serviceConfig.LoadCredential = "token:${config.age.secrets.telegram-token-streaming-link.path}";
|
||||||
};
|
};
|
||||||
|
|
||||||
systemd.services.telegram-betacode = {
|
systemd.services.telegram-betacode = {
|
||||||
wantedBy = [ "multi-user.target" ];
|
wantedBy = ["multi-user.target"];
|
||||||
description = "Telegram beta code bot";
|
description = "Telegram beta code bot";
|
||||||
enable = true;
|
enable = true;
|
||||||
script = ''
|
script = ''
|
||||||
TELEGRAM_BOT_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/token")" ${pkgs.telebots}/bin/telegram-betacode
|
TELEGRAM_BOT_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/token")" ${telebots}/bin/telegram-betacode
|
||||||
'';
|
'';
|
||||||
serviceConfig.Restart = "always";
|
serviceConfig.Restart = "always";
|
||||||
serviceConfig.LoadCredential = "token:${config.age.secrets.telegram-token-betacode.path}";
|
serviceConfig.LoadCredential = "token:${config.age.secrets.telegram-token-betacode.path}";
|
||||||
};
|
};
|
||||||
|
|
||||||
systemd.services.telegram-proverb = {
|
systemd.services.telegram-proverb = {
|
||||||
wantedBy = [ "multi-user.target" ];
|
wantedBy = ["multi-user.target"];
|
||||||
description = "Telegram proverb bot";
|
description = "Telegram proverb bot";
|
||||||
enable = true;
|
enable = true;
|
||||||
script = ''
|
script = ''
|
||||||
TELEGRAM_BOT_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/token")" ${pkgs.telebots}/bin/telegram-proverb
|
TELEGRAM_BOT_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/token")" ${telebots}/bin/telegram-proverb
|
||||||
'';
|
'';
|
||||||
serviceConfig.Restart = "always";
|
serviceConfig.Restart = "always";
|
||||||
serviceConfig.WorkingDirectory = proverbDirectory;
|
serviceConfig.WorkingDirectory = proverbDirectory;
|
||||||
|
|||||||
@@ -1,9 +1,12 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
config,
|
config,
|
||||||
|
inputs,
|
||||||
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
{
|
hesychius = inputs.scripts.outPath + "/hesychius/hesychius.txt";
|
||||||
|
in {
|
||||||
niveum.bots.hesychius = {
|
niveum.bots.hesychius = {
|
||||||
enable = true;
|
enable = true;
|
||||||
time = "08:00";
|
time = "08:00";
|
||||||
@@ -15,9 +18,9 @@
|
|||||||
telegram = {
|
telegram = {
|
||||||
enable = true;
|
enable = true;
|
||||||
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
||||||
chatIds = [ "@HesychiosAlexandreus" ];
|
chatIds = ["@HesychiosAlexandreus"];
|
||||||
};
|
};
|
||||||
command = "${pkgs.coreutils}/bin/shuf -n1 ${pkgs.hesychius}";
|
command = "${pkgs.coreutils}/bin/shuf -n1 ${hesychius}";
|
||||||
};
|
};
|
||||||
|
|
||||||
systemd.timers.bot-hesychius.timerConfig.RandomizedDelaySec = "10h";
|
systemd.timers.bot-hesychius.timerConfig.RandomizedDelaySec = "10h";
|
||||||
|
|||||||
@@ -1,16 +1,17 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
config,
|
config,
|
||||||
|
lib,
|
||||||
|
niveumPackages,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
niveum.bots.logotheca = {
|
niveum.bots.logotheca = {
|
||||||
enable = true;
|
enable = true;
|
||||||
time = "08/6:00";
|
time = "08/6:00";
|
||||||
telegram = {
|
telegram = {
|
||||||
enable = true;
|
enable = true;
|
||||||
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
||||||
chatIds = [ "-1001760262519" ];
|
chatIds = ["-1001760262519"];
|
||||||
parseMode = "Markdown";
|
parseMode = "Markdown";
|
||||||
};
|
};
|
||||||
matrix = {
|
matrix = {
|
||||||
@@ -21,7 +22,7 @@
|
|||||||
"!zlwCuPiCNMSxDviFzA:4d2.org"
|
"!zlwCuPiCNMSxDviFzA:4d2.org"
|
||||||
];
|
];
|
||||||
};
|
};
|
||||||
command = "${pkgs.literature-quote}/bin/literature-quote";
|
command = "${niveumPackages.literature-quote}/bin/literature-quote";
|
||||||
};
|
};
|
||||||
|
|
||||||
age.secrets = {
|
age.secrets = {
|
||||||
|
|||||||
@@ -3,36 +3,31 @@
|
|||||||
config,
|
config,
|
||||||
lib,
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
nachtischsatan-bot = {tokenFile}:
|
||||||
nachtischsatan-bot =
|
pkgs.writers.writePython3 "nachtischsatan-bot" {
|
||||||
{ tokenFile }:
|
libraries = [pkgs.python3Packages.python-telegram-bot];
|
||||||
pkgs.writers.writePython3 "nachtischsatan-bot"
|
} ''
|
||||||
{
|
from telegram.ext import Application, ContextTypes, MessageHandler, filters
|
||||||
libraries = [ pkgs.python3Packages.python-telegram-bot ];
|
from telegram import Update
|
||||||
}
|
import random
|
||||||
''
|
import time
|
||||||
from telegram.ext import Application, ContextTypes, MessageHandler, filters
|
|
||||||
from telegram import Update
|
|
||||||
import random
|
|
||||||
import time
|
|
||||||
|
|
||||||
|
|
||||||
async def flubber(update: Update, context: ContextTypes.DEFAULT_TYPE):
|
async def flubber(update: Update, context: ContextTypes.DEFAULT_TYPE):
|
||||||
time.sleep(random.randrange(4000) / 1000)
|
time.sleep(random.randrange(4000) / 1000)
|
||||||
await update.message.reply_text("*flubberflubber*")
|
await update.message.reply_text("*flubberflubber*")
|
||||||
|
|
||||||
|
|
||||||
with open('${tokenFile}', 'r') as tokenFile:
|
with open('${tokenFile}', 'r') as tokenFile:
|
||||||
token = tokenFile.read().strip()
|
token = tokenFile.read().strip()
|
||||||
application = Application.builder().token(token).build()
|
application = Application.builder().token(token).build()
|
||||||
application.add_handler(MessageHandler(filters.ALL, flubber))
|
application.add_handler(MessageHandler(filters.ALL, flubber))
|
||||||
application.run_polling()
|
application.run_polling()
|
||||||
'';
|
'';
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
systemd.services.telegram-nachtischsatan = {
|
systemd.services.telegram-nachtischsatan = {
|
||||||
wantedBy = [ "multi-user.target" ];
|
wantedBy = ["multi-user.target"];
|
||||||
description = "*flubberflubber*";
|
description = "*flubberflubber*";
|
||||||
enable = true;
|
enable = true;
|
||||||
script = toString (nachtischsatan-bot {
|
script = toString (nachtischsatan-bot {
|
||||||
|
|||||||
@@ -1,9 +1,9 @@
|
|||||||
{
|
{
|
||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
|
niveumPackages,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
niveum.bots.nietzsche = {
|
niveum.bots.nietzsche = {
|
||||||
enable = true;
|
enable = true;
|
||||||
time = "08:00";
|
time = "08:00";
|
||||||
@@ -12,17 +12,15 @@
|
|||||||
tokenFile = config.age.secrets.mastodon-token-nietzsche.path;
|
tokenFile = config.age.secrets.mastodon-token-nietzsche.path;
|
||||||
language = "de";
|
language = "de";
|
||||||
};
|
};
|
||||||
command = toString (
|
command = toString (pkgs.writers.writeBash "random-nietzsche" ''
|
||||||
pkgs.writers.writeBash "random-nietzsche" ''
|
set -efu
|
||||||
set -efu
|
random_number=$(( ($RANDOM % 10) + 1 ))
|
||||||
random_number=$(( ($RANDOM % 10) + 1 ))
|
if [ "$random_number" -eq 1 ]; then
|
||||||
if [ "$random_number" -eq 1 ]; then
|
${niveumPackages.random-zeno}/bin/random-zeno "/Literatur/M/Nietzsche,+Friedrich"
|
||||||
${pkgs.random-zeno}/bin/random-zeno "/Literatur/M/Nietzsche,+Friedrich"
|
else
|
||||||
else
|
${niveumPackages.random-zeno}/bin/random-zeno "/Philosophie/M/Nietzsche,+Friedrich"
|
||||||
${pkgs.random-zeno}/bin/random-zeno "/Philosophie/M/Nietzsche,+Friedrich"
|
fi
|
||||||
fi
|
'');
|
||||||
''
|
|
||||||
);
|
|
||||||
};
|
};
|
||||||
|
|
||||||
systemd.timers.bot-nietzsche.timerConfig.RandomizedDelaySec = "10h";
|
systemd.timers.bot-nietzsche.timerConfig.RandomizedDelaySec = "10h";
|
||||||
|
|||||||
@@ -3,8 +3,7 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
niveum.bots.smyth = {
|
niveum.bots.smyth = {
|
||||||
enable = true;
|
enable = true;
|
||||||
time = "08:00";
|
time = "08:00";
|
||||||
@@ -16,44 +15,26 @@
|
|||||||
telegram = {
|
telegram = {
|
||||||
enable = true;
|
enable = true;
|
||||||
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
||||||
chatIds = [ "@HerbertWeirSmyth" ];
|
chatIds = ["@HerbertWeirSmyth"];
|
||||||
};
|
};
|
||||||
command = toString (
|
command = toString (pkgs.writers.writeDash "random-smyth" ''
|
||||||
pkgs.writers.writeDash "random-smyth" ''
|
set -efu
|
||||||
set -efu
|
|
||||||
|
|
||||||
good_curl() {
|
RANDOM_SECTION=$(
|
||||||
${pkgs.curl}/bin/curl "$@" \
|
${pkgs.curl}/bin/curl -sSL http://www.perseus.tufts.edu/hopper/xmltoc?doc=Perseus%3Atext%3A1999.04.0007%3Asmythp%3D1 \
|
||||||
--compressed \
|
| ${pkgs.gnugrep}/bin/grep -o 'ref="[^"]*"' \
|
||||||
-H 'Accept: text/html,application/xhtml+xml,application/xml;q=0.9,*/*;q=0.8' \
|
| ${pkgs.coreutils}/bin/shuf -n1 \
|
||||||
-H 'Accept-Language: en-US,en;q=0.5' \
|
| ${pkgs.gnused}/bin/sed 's/^ref="//;s/"$//'
|
||||||
-H 'DNT: 1' \
|
)
|
||||||
-H 'Connection: keep-alive' \
|
|
||||||
-H 'Upgrade-Insecure-Requests: 1' \
|
|
||||||
-H 'Sec-Fetch-Dest: document' \
|
|
||||||
-H 'Sec-Fetch-Mode: navigate' \
|
|
||||||
-H 'Sec-Fetch-Site: cross-site' \
|
|
||||||
-H 'Priority: u=0, i' \
|
|
||||||
-H 'Pragma: no-cache' \
|
|
||||||
-H 'Cache-Control: no-cache'
|
|
||||||
}
|
|
||||||
|
|
||||||
RANDOM_SECTION=$(
|
url="http://www.perseus.tufts.edu/hopper/text?doc=$RANDOM_SECTION"
|
||||||
good_curl -sSL http://www.perseus.tufts.edu/hopper/xmltoc?doc=Perseus%3Atext%3A1999.04.0007%3Asmythp%3D1 \
|
${pkgs.curl}/bin/curl -sSL "$url"\
|
||||||
| ${pkgs.gnugrep}/bin/grep -o 'ref="[^"]*"' \
|
| ${pkgs.htmlq}/bin/htmlq '#text_main' \
|
||||||
| ${pkgs.coreutils}/bin/shuf -n1 \
|
| ${pkgs.gnused}/bin/sed 's/<\/\?hr>//g' \
|
||||||
| ${pkgs.gnused}/bin/sed 's/^ref="//;s/"$//'
|
| ${pkgs.pandoc}/bin/pandoc -f html -t plain --wrap=none
|
||||||
)
|
|
||||||
|
|
||||||
url="http://www.perseus.tufts.edu/hopper/text?doc=$RANDOM_SECTION"
|
printf '\n%s\n\n#AncientGreek' "$url"
|
||||||
good_curl -sSL "$url"\
|
'');
|
||||||
| ${pkgs.htmlq}/bin/htmlq '#text_main' \
|
|
||||||
| ${pkgs.gnused}/bin/sed 's/<\/\?hr>//g' \
|
|
||||||
| ${pkgs.pandoc}/bin/pandoc -f html -t plain --wrap=none
|
|
||||||
|
|
||||||
printf '\n%s\n\n#AncientGreek' "$url"
|
|
||||||
''
|
|
||||||
);
|
|
||||||
};
|
};
|
||||||
|
|
||||||
systemd.timers.bot-smyth.timerConfig.RandomizedDelaySec = "10h";
|
systemd.timers.bot-smyth.timerConfig.RandomizedDelaySec = "10h";
|
||||||
|
|||||||
@@ -1,154 +1,140 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
|
lib,
|
||||||
config,
|
config,
|
||||||
|
niveumPackages,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
mastodonEndpoint = "https://social.krebsco.de";
|
mastodonEndpoint = "https://social.krebsco.de";
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
systemd.services.bot-tlg-wotd = {
|
systemd.services.bot-tlg-wotd = {
|
||||||
# TODO reenable
|
|
||||||
# once https://github.com/NixOS/nixpkgs/pull/462893 is in stable NixOS
|
|
||||||
enable = true;
|
enable = true;
|
||||||
wants = [ "network-online.target" ];
|
wants = ["network-online.target"];
|
||||||
startAt = "9:30";
|
startAt = "9:30";
|
||||||
path = [
|
path = [ pkgs.jq pkgs.curl pkgs.recode pkgs.deno pkgs.imagemagick pkgs.gawk pkgs.gnugrep pkgs.coreutils ];
|
||||||
pkgs.jq
|
|
||||||
pkgs.curl
|
|
||||||
pkgs.recode
|
|
||||||
pkgs.deno
|
|
||||||
pkgs.imagemagick
|
|
||||||
pkgs.gawk
|
|
||||||
pkgs.gnugrep
|
|
||||||
pkgs.coreutils
|
|
||||||
];
|
|
||||||
environment = {
|
environment = {
|
||||||
NPM_CONFIG_CACHE = "/tmp";
|
NPM_CONFIG_CACHE = "/tmp";
|
||||||
CLTK_DATA = "/tmp";
|
CLTK_DATA = "/tmp";
|
||||||
};
|
};
|
||||||
script = ''
|
script = ''
|
||||||
set -efux
|
set -efux
|
||||||
|
|
||||||
chat_id=@tlgwotd
|
chat_id=@tlgwotd
|
||||||
|
|
||||||
export TELEGRAM_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/telegram-token")"
|
export TELEGRAM_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/telegram-token")"
|
||||||
export MASTODON_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/mastodon-token")"
|
export MASTODON_TOKEN="$(cat "$CREDENTIALS_DIRECTORY/mastodon-token")"
|
||||||
|
|
||||||
json_data=$(curl -sSL http://stephanus.tlg.uci.edu/Iris/Wotd | recode html..utf8)
|
json_data=$(curl -sSL http://stephanus.tlg.uci.edu/Iris/Wotd | recode html..utf8)
|
||||||
|
|
||||||
word=$(echo "$json_data" | jq -r '.word')
|
word=$(echo "$json_data" | jq -r '.word')
|
||||||
compact_word=$(echo "$word" | sed 's/,.*$//')
|
compact_word=$(echo "$word" | sed 's/,.*$//')
|
||||||
definition=$(echo "$json_data" | jq -r '.definition | sub("<.*>"; "") | rtrimstr(" ")')
|
definition=$(echo "$json_data" | jq -r '.definition | sub("<.*>"; "") | rtrimstr(" ")')
|
||||||
first_occurrence=$(echo "$json_data" | jq -r '.firstOccurrence')
|
first_occurrence=$(echo "$json_data" | jq -r '.firstOccurrence')
|
||||||
total_occurrences=$(echo "$json_data" | jq -r '.totalOccurrences')
|
total_occurrences=$(echo "$json_data" | jq -r '.totalOccurrences')
|
||||||
telegram_caption="*$word* ‘$definition’
|
telegram_caption="*$word* ‘$definition’
|
||||||
|
|
||||||
First occurrence (century): $first_occurrence
|
First occurrence (century): $first_occurrence
|
||||||
Number of occurrences (in all Ancient Greek texts): $total_occurrences"
|
Number of occurrences (in all Ancient Greek texts): $total_occurrences"
|
||||||
mastodon_caption="$word ‘$definition’
|
mastodon_caption="$word ‘$definition’
|
||||||
|
|
||||||
First occurrence (century): $first_occurrence
|
First occurrence (century): $first_occurrence
|
||||||
Number of occurrences (in all Ancient Greek texts): $total_occurrences"
|
Number of occurrences (in all Ancient Greek texts): $total_occurrences"
|
||||||
|
|
||||||
#ancientgreek #classics #wotd #wordoftheday
|
#ancientgreek #classics #wotd #wordoftheday
|
||||||
|
|
||||||
transliteration=$(${
|
transliteration=$(${pkgs.writers.makePythonWriter pkgs.python311 pkgs.python311Packages pkgs.python3Packages "translit.py" {
|
||||||
pkgs.writers.writePython3 "translit.py"
|
# revert to pkgs.writers.writePython3 once https://github.com/NixOS/nixpkgs/pull/353367 is merged
|
||||||
{
|
libraries = [ pkgs.python3Packages.cltk ];
|
||||||
libraries = py: [ py.cltk ];
|
} ''
|
||||||
}
|
import sys
|
||||||
''
|
from cltk.phonology.grc.transcription import Transcriber
|
||||||
import sys
|
|
||||||
from cltk.phonology.grc.transcription import Transcriber
|
|
||||||
|
|
||||||
probert = Transcriber("Attic", "Probert")
|
probert = Transcriber("Attic", "Probert")
|
||||||
text = " ".join(sys.argv[1:])
|
text = " ".join(sys.argv[1:])
|
||||||
ipa = probert.transcribe(text)
|
ipa = probert.transcribe(text)
|
||||||
|
|
||||||
print(ipa)
|
print(ipa)
|
||||||
''
|
''} "$compact_word")
|
||||||
} "$compact_word")
|
|
||||||
|
|
||||||
|
|
||||||
photo_path=/tmp/output.png
|
photo_path=/tmp/output.png
|
||||||
|
|
||||||
hex_to_rgb() {
|
hex_to_rgb() {
|
||||||
hex="$1"
|
hex="$1"
|
||||||
r=$(printf "%d" "0x$(echo "$hex" | cut -c2-3)")
|
r=$(printf "%d" "0x$(echo "$hex" | cut -c2-3)")
|
||||||
g=$(printf "%d" "0x$(echo "$hex" | cut -c4-5)")
|
g=$(printf "%d" "0x$(echo "$hex" | cut -c4-5)")
|
||||||
b=$(printf "%d" "0x$(echo "$hex" | cut -c6-7)")
|
b=$(printf "%d" "0x$(echo "$hex" | cut -c6-7)")
|
||||||
echo "$r $g $b"
|
echo "$r $g $b"
|
||||||
}
|
}
|
||||||
|
|
||||||
calculate_luminance() {
|
calculate_luminance() {
|
||||||
r="$1"
|
r="$1"
|
||||||
g="$2"
|
g="$2"
|
||||||
b="$3"
|
b="$3"
|
||||||
|
|
||||||
r_l=$(echo "$r" | awk '{print ($1 / 255 <= 0.03928) ? $1 / 255 / 12.92 : (($1 / 255 + 0.055) / 1.055)^2.4}')
|
r_l=$(echo "$r" | awk '{print ($1 / 255 <= 0.03928) ? $1 / 255 / 12.92 : (($1 / 255 + 0.055) / 1.055)^2.4}')
|
||||||
g_l=$(echo "$g" | awk '{print ($1 / 255 <= 0.03928) ? $1 / 255 / 12.92 : (($1 / 255 + 0.055) / 1.055)^2.4}')
|
g_l=$(echo "$g" | awk '{print ($1 / 255 <= 0.03928) ? $1 / 255 / 12.92 : (($1 / 255 + 0.055) / 1.055)^2.4}')
|
||||||
b_l=$(echo "$b" | awk '{print ($1 / 255 <= 0.03928) ? $1 / 255 / 12.92 : (($1 / 255 + 0.055) / 1.055)^2.4}')
|
b_l=$(echo "$b" | awk '{print ($1 / 255 <= 0.03928) ? $1 / 255 / 12.92 : (($1 / 255 + 0.055) / 1.055)^2.4}')
|
||||||
|
|
||||||
echo "$r_l $g_l $b_l" | awk '{print 0.2126*$1 + 0.7152*$2 + 0.0722*$3}'
|
echo "$r_l $g_l $b_l" | awk '{print 0.2126*$1 + 0.7152*$2 + 0.0722*$3}'
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
hex_color="#$(echo "$compact_word" | md5sum | cut -c 1-6)"
|
hex_color="#$(echo "$compact_word" | md5sum | cut -c 1-6)"
|
||||||
if echo "$hex_color" | grep -qE '^#[0-9A-Fa-f]{6}$'; then
|
if echo "$hex_color" | grep -qE '^#[0-9A-Fa-f]{6}$'; then
|
||||||
set -- $(hex_to_rgb "$hex_color")
|
set -- $(hex_to_rgb "$hex_color")
|
||||||
r="$1"
|
r="$1"
|
||||||
g="$2"
|
g="$2"
|
||||||
b="$3"
|
b="$3"
|
||||||
fi
|
fi
|
||||||
|
|
||||||
luminance=$(calculate_luminance "$r" "$g" "$b")
|
luminance=$(calculate_luminance "$r" "$g" "$b")
|
||||||
|
|
||||||
threshold="0.1"
|
threshold="0.1"
|
||||||
echo "$r $g $b"
|
echo "$r $g $b"
|
||||||
if [ "$(echo "$luminance" | awk -v threshold="$threshold" '{print ($1 > threshold)}')" -eq 1 ]; then
|
if [ "$(echo "$luminance" | awk -v threshold="$threshold" '{print ($1 > threshold)}')" -eq 1 ]; then
|
||||||
color1="black"
|
color1="black"
|
||||||
color2="#333"
|
color2="#333"
|
||||||
else
|
else
|
||||||
color1="white"
|
color1="white"
|
||||||
color2=lightgrey
|
color2=lightgrey
|
||||||
fi
|
fi
|
||||||
|
|
||||||
magick -size 1400x846 \
|
magick -size 1400x846 \
|
||||||
xc:"$hex_color" \
|
xc:"$hex_color" \
|
||||||
-font "${pkgs.gentium}/share/fonts/truetype/GentiumBookPlus-Bold.ttf" \
|
-font "${pkgs.gentium}/share/fonts/truetype/GentiumBookPlus-Bold.ttf" \
|
||||||
-fill "$color1" \
|
-fill "$color1" \
|
||||||
-pointsize 150 -gravity west \
|
-pointsize 150 -gravity west \
|
||||||
-annotate +100-160 "$compact_word" \
|
-annotate +100-160 "$compact_word" \
|
||||||
-font "${pkgs.gentium}/share/fonts/truetype/GentiumBookPlus-Regular.ttf" \
|
-font "${pkgs.gentium}/share/fonts/truetype/GentiumBookPlus-Regular.ttf" \
|
||||||
-fill "$color2" \
|
-fill "$color2" \
|
||||||
-pointsize 60 -gravity west \
|
-pointsize 60 -gravity west \
|
||||||
-annotate +100+00 "$transliteration" \
|
-annotate +100+00 "$transliteration" \
|
||||||
-fill "$color1" \
|
-fill "$color1" \
|
||||||
-annotate +100+120 "‘$definition’" \
|
-annotate +100+120 "‘$definition’" \
|
||||||
-fill "$color2" \
|
-fill "$color2" \
|
||||||
-pointsize 40 -gravity southwest \
|
-pointsize 40 -gravity southwest \
|
||||||
-annotate +100+60 "attested $total_occurrences times" \
|
-annotate +100+60 "attested $total_occurrences times" \
|
||||||
-pointsize 40 -gravity southeast \
|
-pointsize 40 -gravity southeast \
|
||||||
-annotate +100+60 "$(date -I)" \
|
-annotate +100+60 "$(date -I)" \
|
||||||
"$photo_path"
|
"$photo_path"
|
||||||
|
|
||||||
curl -X POST "https://api.telegram.org/bot$TELEGRAM_TOKEN/sendPhoto" \
|
curl -X POST "https://api.telegram.org/bot$TELEGRAM_TOKEN/sendPhoto" \
|
||||||
-F "chat_id=\"$chat_id\"" \
|
-F "chat_id=\"$chat_id\"" \
|
||||||
-F "photo=@$photo_path" \
|
-F "photo=@$photo_path" \
|
||||||
-F parse_mode=Markdown \
|
-F parse_mode=Markdown \
|
||||||
-F caption="$telegram_caption"
|
-F caption="$telegram_caption"
|
||||||
|
|
||||||
mastodon_upload_response=$(curl -X POST "${mastodonEndpoint}/api/v2/media" \
|
mastodon_upload_response=$(curl -X POST "${mastodonEndpoint}/api/v2/media" \
|
||||||
-H "Authorization: Bearer $MASTODON_TOKEN" \
|
-H "Authorization: Bearer $MASTODON_TOKEN" \
|
||||||
-F "file=@$photo_path" \
|
-F "file=@$photo_path" \
|
||||||
-F "description=$word ‘$definition’")
|
-F "description=$word ‘$definition’")
|
||||||
mastodon_image_id=$(echo $mastodon_upload_response | jq -r .id)
|
mastodon_image_id=$(echo $mastodon_upload_response | jq -r .id)
|
||||||
curl -X POST "${mastodonEndpoint}/api/v1/statuses" \
|
curl -X POST "${mastodonEndpoint}/api/v1/statuses" \
|
||||||
-H "Authorization: Bearer $MASTODON_TOKEN" \
|
-H "Authorization: Bearer $MASTODON_TOKEN" \
|
||||||
-d "status=$mastodon_caption" \
|
-d "status=$mastodon_caption" \
|
||||||
-d "visibility=public" \
|
-d "visibility=public" \
|
||||||
-d "media_ids[]=$mastodon_image_id"
|
-d "media_ids[]=$mastodon_image_id"
|
||||||
'';
|
'';
|
||||||
serviceConfig = {
|
serviceConfig = {
|
||||||
Type = "oneshot";
|
Type = "oneshot";
|
||||||
@@ -163,6 +149,7 @@ in
|
|||||||
};
|
};
|
||||||
|
|
||||||
age.secrets = {
|
age.secrets = {
|
||||||
|
telegram-token-kmein.file = ../../secrets/telegram-token-kmein.age;
|
||||||
mastodon-token-tlgwotd.file = ../../secrets/mastodon-token-tlgwotd.age;
|
mastodon-token-tlgwotd.file = ../../secrets/mastodon-token-tlgwotd.age;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|||||||
@@ -3,8 +3,7 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
toSymbols = pkgs.writers.writeDash "to-symbols" ''
|
toSymbols = pkgs.writers.writeDash "to-symbols" ''
|
||||||
${pkgs.gnused}/bin/sed '
|
${pkgs.gnused}/bin/sed '
|
||||||
s/\bTri\b/△/;
|
s/\bTri\b/△/;
|
||||||
@@ -41,8 +40,7 @@ let
|
|||||||
s/^\s*//
|
s/^\s*//
|
||||||
'
|
'
|
||||||
'';
|
'';
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
niveum.bots.transits = {
|
niveum.bots.transits = {
|
||||||
enable = true;
|
enable = true;
|
||||||
time = "*:0/1";
|
time = "*:0/1";
|
||||||
@@ -53,21 +51,19 @@ in
|
|||||||
telegram = {
|
telegram = {
|
||||||
enable = true;
|
enable = true;
|
||||||
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
tokenFile = config.age.secrets.telegram-token-kmein.path;
|
||||||
chatIds = [ "-1001796440545" ];
|
chatIds = ["-1001796440545"];
|
||||||
};
|
};
|
||||||
command = toString (
|
command = toString (pkgs.writers.writeDash "common-transits" ''
|
||||||
pkgs.writers.writeDash "common-transits" ''
|
set -efu
|
||||||
set -efu
|
|
||||||
|
|
||||||
now=$(${pkgs.coreutils}/bin/date +%_H:%M | ${pkgs.gnused}/bin/sed 's/^\s*//')
|
now=$(${pkgs.coreutils}/bin/date +%_H:%M | ${pkgs.gnused}/bin/sed 's/^\s*//')
|
||||||
date=$(${pkgs.coreutils}/bin/date +'%m %d %Y')
|
date=$(${pkgs.coreutils}/bin/date +'%m %d %Y')
|
||||||
(
|
(
|
||||||
cd ${pkgs.astrolog}/bin
|
cd ${pkgs.astrolog}/bin
|
||||||
# ./astrolog -Yt -Yd -q 10 22 1999 6:32 -zN Kassel -td $date -R Uranus Neptune Pluto "North Node"
|
# ./astrolog -Yt -Yd -q 10 22 1999 6:32 -zN Kassel -td $date -R Uranus Neptune Pluto "North Node"
|
||||||
./astrolog -qd $date -zN Berlin -Yt -Yd -d -R Uranus Neptune Pluto "North Node" -A 2
|
./astrolog -qd $date -zN Berlin -Yt -Yd -d -R Uranus Neptune Pluto "North Node" -A 2
|
||||||
) | ${toSymbols} | ${pkgs.coreutils}/bin/sort -n | ${pkgs.gnugrep}/bin/grep "^$now" || :
|
) | ${toSymbols} | ${pkgs.coreutils}/bin/sort -n | ${pkgs.gnugrep}/bin/grep "^$now" || :
|
||||||
''
|
'');
|
||||||
);
|
|
||||||
};
|
};
|
||||||
|
|
||||||
age.secrets = {
|
age.secrets = {
|
||||||
|
|||||||
@@ -1,12 +1,12 @@
|
|||||||
{
|
{
|
||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
|
niveumPackages,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
pkgs.cro
|
niveumPackages.cro
|
||||||
pkgs.tor-browser
|
pkgs.tor-browser-bundle-bin
|
||||||
pkgs.firefox
|
pkgs.firefox
|
||||||
pkgs.brave
|
pkgs.brave
|
||||||
];
|
];
|
||||||
@@ -14,79 +14,73 @@
|
|||||||
home-manager.users.me = {
|
home-manager.users.me = {
|
||||||
programs.firefox = {
|
programs.firefox = {
|
||||||
enable = true;
|
enable = true;
|
||||||
profiles =
|
profiles = let
|
||||||
let
|
defaultSettings = {
|
||||||
defaultSettings = {
|
"beacon.enabled" = false;
|
||||||
"beacon.enabled" = false;
|
"browser.bookmarks.showMobileBookmarks" = true;
|
||||||
"browser.bookmarks.showMobileBookmarks" = true;
|
"browser.newtab.preload" = false;
|
||||||
"browser.newtab.preload" = false;
|
"browser.search.isUS" = false;
|
||||||
"browser.search.isUS" = false;
|
"browser.search.region" = "DE";
|
||||||
"browser.search.region" = "DE";
|
"browser.send_pings" = false;
|
||||||
"browser.send_pings" = false;
|
"browser.shell.checkDefaultBrowser" = false;
|
||||||
"browser.shell.checkDefaultBrowser" = false;
|
"browser.startup.homepage" = "chrome://browser/content/blanktab.html";
|
||||||
"browser.startup.homepage" = "chrome://browser/content/blanktab.html";
|
"browser.uidensity" = 1;
|
||||||
"browser.uidensity" = 1;
|
"browser.urlbar.placeholderName" = "Search";
|
||||||
"browser.urlbar.placeholderName" = "Search";
|
"datareporting.healthreport.service.enabled" = false;
|
||||||
"datareporting.healthreport.service.enabled" = false;
|
"datareporting.healthreport.uploadEnabled" = false;
|
||||||
"datareporting.healthreport.uploadEnabled" = false;
|
"datareporting.policy.dataSubmissionEnabled" = false;
|
||||||
"datareporting.policy.dataSubmissionEnabled" = false;
|
"datareporting.sessions.current.clean" = true;
|
||||||
"datareporting.sessions.current.clean" = true;
|
"distribution.searchplugins.defaultLocale" = "de-DE";
|
||||||
"distribution.searchplugins.defaultLocale" = "de-DE";
|
"general.smoothScroll" = true;
|
||||||
"general.smoothScroll" = true;
|
"identity.fxaccounts.account.device.name" = config.networking.hostName;
|
||||||
"identity.fxaccounts.account.device.name" = config.networking.hostName;
|
"network.cookie.cookieBehavior" = 1;
|
||||||
"network.cookie.cookieBehavior" = 1;
|
"privacy.donottrackheader.enabled" = true;
|
||||||
"privacy.donottrackheader.enabled" = true;
|
"privacy.trackingprotection.enabled" = true;
|
||||||
"privacy.trackingprotection.enabled" = true;
|
"privacy.trackingprotection.pbmode.enabled" = true;
|
||||||
"privacy.trackingprotection.pbmode.enabled" = true;
|
"privacy.trackingprotection.socialtracking.enabled" = true;
|
||||||
"privacy.trackingprotection.socialtracking.enabled" = true;
|
"services.sync.declinedEngines" = "passwords";
|
||||||
"services.sync.declinedEngines" = "passwords";
|
"services.sync.engine.passwords" = false;
|
||||||
"services.sync.engine.passwords" = false;
|
"signon.autofillForms" = false;
|
||||||
"signon.autofillForms" = false;
|
"signon.rememberSignons" = false;
|
||||||
"signon.rememberSignons" = false;
|
"toolkit.legacyUserProfileCustomizations.stylesheets" = true;
|
||||||
"toolkit.legacyUserProfileCustomizations.stylesheets" = true;
|
"toolkit.telemetry.archive.enabled" = false;
|
||||||
"toolkit.telemetry.archive.enabled" = false;
|
"toolkit.telemetry.bhrPing.enabled" = false;
|
||||||
"toolkit.telemetry.bhrPing.enabled" = false;
|
"toolkit.telemetry.cachedClientID" = "";
|
||||||
"toolkit.telemetry.cachedClientID" = "";
|
"toolkit.telemetry.enabled" = false;
|
||||||
"toolkit.telemetry.enabled" = false;
|
"toolkit.telemetry.firstShutdownPing.enabled" = false;
|
||||||
"toolkit.telemetry.firstShutdownPing.enabled" = false;
|
"toolkit.telemetry.hybridContent.enabled" = false;
|
||||||
"toolkit.telemetry.hybridContent.enabled" = false;
|
"toolkit.telemetry.newProfilePing.enabled" = false;
|
||||||
"toolkit.telemetry.newProfilePing.enabled" = false;
|
"toolkit.telemetry.prompted" = 2;
|
||||||
"toolkit.telemetry.prompted" = 2;
|
"toolkit.telemetry.rejected" = true;
|
||||||
"toolkit.telemetry.rejected" = true;
|
"toolkit.telemetry.server" = "";
|
||||||
"toolkit.telemetry.server" = "";
|
"toolkit.telemetry.shutdownPingSender.enabled" = false;
|
||||||
"toolkit.telemetry.shutdownPingSender.enabled" = false;
|
"toolkit.telemetry.unified" = false;
|
||||||
"toolkit.telemetry.unified" = false;
|
"toolkit.telemetry.unifiedIsOptIn" = false;
|
||||||
"toolkit.telemetry.unifiedIsOptIn" = false;
|
"toolkit.telemetry.updatePing.enabled" = false;
|
||||||
"toolkit.telemetry.updatePing.enabled" = false;
|
"ui.prefersReducedMotion" = 1;
|
||||||
"ui.prefersReducedMotion" = 1;
|
|
||||||
};
|
|
||||||
in
|
|
||||||
{
|
|
||||||
default = {
|
|
||||||
id = 0;
|
|
||||||
isDefault = true;
|
|
||||||
settings = defaultSettings;
|
|
||||||
# extensions = with pkgs.nur.repos.rycee.firefox-addons; [
|
|
||||||
# ublock-origin
|
|
||||||
# darkreader
|
|
||||||
# sponsorblock
|
|
||||||
# consent-o-matic
|
|
||||||
# i-dont-care-about-cookies
|
|
||||||
# # auto-tab-discard TODO what is this
|
|
||||||
# ];
|
|
||||||
userChrome = ''
|
|
||||||
#TabsToolbar {
|
|
||||||
visibility: collapse !important;
|
|
||||||
}
|
|
||||||
'';
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
|
in {
|
||||||
|
default = {
|
||||||
|
id = 0;
|
||||||
|
isDefault = true;
|
||||||
|
settings = defaultSettings;
|
||||||
|
# extensions = with pkgs.nur.repos.rycee.firefox-addons; [
|
||||||
|
# ublock-origin
|
||||||
|
# darkreader
|
||||||
|
# sponsorblock
|
||||||
|
# consent-o-matic
|
||||||
|
# i-dont-care-about-cookies
|
||||||
|
# # auto-tab-discard TODO what is this
|
||||||
|
# ];
|
||||||
|
userChrome = ''
|
||||||
|
#TabsToolbar {
|
||||||
|
visibility: collapse !important;
|
||||||
|
}
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
};
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
home-manager.users.me = {
|
|
||||||
stylix.targets.firefox.profileNames = [ "default" ];
|
|
||||||
};
|
|
||||||
|
|
||||||
environment.variables.BROWSER = "firefox";
|
environment.variables.BROWSER = "firefox";
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,38 +1,28 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}:
|
||||||
{
|
# https://paste.sr.ht/~erictapen/11716989e489b600f237041b6d657fdf0ee17b34
|
||||||
networking.networkmanager.ensureProfiles.profiles = {
|
let
|
||||||
"39C3" = {
|
certificate = pkgs.stdenv.mkDerivation rec {
|
||||||
connection = {
|
name = "dst-root-ca-x3.pem";
|
||||||
id = "39C3";
|
src = builtins.toFile "${name}.sed" ''
|
||||||
type = "wifi";
|
1,/DST Root CA X3/d
|
||||||
};
|
1,/-----END CERTIFICATE-----/p
|
||||||
wifi = {
|
'';
|
||||||
mode = "infrastructure";
|
nativeBuildInputs = with pkgs; [cacert gnused];
|
||||||
ssid = "39C3";
|
phases = "installPhase";
|
||||||
};
|
installPhase = ''
|
||||||
wifi-security = {
|
${pkgs.gnused}/bin/sed -n -f $src ${pkgs.cacert}/etc/ssl/certs/ca-bundle.crt > $out
|
||||||
auth-alg = "open";
|
'';
|
||||||
key-mgmt = "wpa-eap";
|
};
|
||||||
};
|
in {
|
||||||
"802-1x" = {
|
networking.wireless.networks."36C3" = {
|
||||||
anonymous-identity = "39C3";
|
auth = ''
|
||||||
eap = "ttls;";
|
key_mgmt=WPA-EAP
|
||||||
identity = "39C3";
|
eap=TTLS
|
||||||
password = "39C3";
|
identity="kmein"
|
||||||
phase2-auth = "pap";
|
password=" "
|
||||||
altsubject-matches = "DNS:radius.c3noc.net";
|
ca_cert="${certificate}"
|
||||||
ca-cert = "${builtins.fetchurl {
|
altsubject_match="DNS:radius.c3noc.net"
|
||||||
url = "https://letsencrypt.org/certs/isrgrootx1.pem";
|
phase2="auth=PAP"
|
||||||
sha256 = "sha256:1la36n2f31j9s03v847ig6ny9lr875q3g7smnq33dcsmf2i5gd92";
|
'';
|
||||||
}}";
|
|
||||||
};
|
|
||||||
ipv4 = {
|
|
||||||
method = "auto";
|
|
||||||
};
|
|
||||||
ipv6 = {
|
|
||||||
addr-gen-mode = "default";
|
|
||||||
method = "auto";
|
|
||||||
};
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -2,7 +2,6 @@
|
|||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
services.clipmenu.enable = true;
|
services.clipmenu.enable = true;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -3,8 +3,9 @@
|
|||||||
lib,
|
lib,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
{
|
inherit (import ../lib) tmpfilesConfig;
|
||||||
|
in {
|
||||||
systemd.user.services.systemd-tmpfiles-clean = {
|
systemd.user.services.systemd-tmpfiles-clean = {
|
||||||
enable = true;
|
enable = true;
|
||||||
wantedBy = [ "default.target" ];
|
wantedBy = [ "default.target" ];
|
||||||
@@ -15,40 +16,27 @@
|
|||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
systemd.user.tmpfiles.users.me.rules =
|
systemd.user.tmpfiles.users.me.rules = map tmpfilesConfig [
|
||||||
map pkgs.lib.niveum.tmpfilesConfig [
|
{
|
||||||
{
|
type = "d";
|
||||||
type = "d";
|
mode = "0755";
|
||||||
mode = "0755";
|
age = "7d";
|
||||||
age = "7d";
|
path = "${config.users.users.me.home}/sync/Downloads";
|
||||||
path = "${config.users.users.me.home}/sync/Downloads";
|
}
|
||||||
}
|
{
|
||||||
{
|
type = "d";
|
||||||
type = "d";
|
mode = "0755";
|
||||||
mode = "0755";
|
age = "7d";
|
||||||
age = "7d";
|
path = "${config.users.users.me.home}/cloud/nextcloud/tmp";
|
||||||
path = "${config.users.users.me.home}/cloud/nextcloud/tmp";
|
}
|
||||||
}
|
] ++ map (path: tmpfilesConfig {
|
||||||
]
|
type = "L+";
|
||||||
++
|
user = config.users.users.me.name;
|
||||||
map
|
group = config.users.users.me.group;
|
||||||
(
|
mode = "0755";
|
||||||
path:
|
argument = "${config.users.users.me.home}/sync/${path}";
|
||||||
pkgs.lib.niveum.tmpfilesConfig {
|
path = "${config.users.users.me.home}/${path}";
|
||||||
type = "L+";
|
}) [".ssh" ".gnupg" ".pki" ".local/share/aerc"];
|
||||||
user = config.users.users.me.name;
|
|
||||||
group = config.users.users.me.group;
|
|
||||||
mode = "0755";
|
|
||||||
argument = "${config.users.users.me.home}/sync/${path}";
|
|
||||||
path = "${config.users.users.me.home}/${path}";
|
|
||||||
}
|
|
||||||
)
|
|
||||||
[
|
|
||||||
".ssh"
|
|
||||||
".gnupg"
|
|
||||||
".pki"
|
|
||||||
".local/share/aerc"
|
|
||||||
];
|
|
||||||
|
|
||||||
services.gnome.gnome-keyring.enable = true;
|
services.gnome.gnome-keyring.enable = true;
|
||||||
security.pam.services.lightdm.enableGnomeKeyring = true;
|
security.pam.services.lightdm.enableGnomeKeyring = true;
|
||||||
@@ -62,22 +50,20 @@
|
|||||||
|
|
||||||
systemd.user.services.nextcloud-syncer = {
|
systemd.user.services.nextcloud-syncer = {
|
||||||
enable = false;
|
enable = false;
|
||||||
wants = [ "network-online.target" ];
|
wants = ["network-online.target"];
|
||||||
wantedBy = [ "default.target" ];
|
wantedBy = ["default.target"];
|
||||||
startAt = "*:00/10";
|
startAt = "*:00/10";
|
||||||
script =
|
script = let
|
||||||
let
|
kieran = {
|
||||||
kieran = {
|
user = "kieran";
|
||||||
user = "kieran";
|
passwordFile = config.age.secrets.nextcloud-password-kieran.path;
|
||||||
passwordFile = config.age.secrets.nextcloud-password-kieran.path;
|
endpoint = "https://cloud.kmein.de";
|
||||||
endpoint = "https://cloud.kmein.de";
|
target = "${config.users.users.me.home}/notes";
|
||||||
target = "${config.users.users.me.home}/notes";
|
};
|
||||||
};
|
in ''
|
||||||
in
|
mkdir -p ${lib.escapeShellArg kieran.target}
|
||||||
''
|
${pkgs.nextcloud-client}/bin/nextcloudcmd --non-interactive --user ${kieran.user} --password "$(cat ${kieran.passwordFile})" --path /Notes ${lib.escapeShellArg kieran.target} ${kieran.endpoint}
|
||||||
mkdir -p ${lib.escapeShellArg kieran.target}
|
'';
|
||||||
${pkgs.nextcloud-client}/bin/nextcloudcmd --non-interactive --user ${kieran.user} --password "$(cat ${kieran.passwordFile})" --path /Notes ${lib.escapeShellArg kieran.target} ${kieran.endpoint}
|
|
||||||
'';
|
|
||||||
serviceConfig = {
|
serviceConfig = {
|
||||||
Type = "oneshot";
|
Type = "oneshot";
|
||||||
Restart = "on-failure";
|
Restart = "on-failure";
|
||||||
@@ -93,22 +79,19 @@
|
|||||||
} | ${pkgs.fzf}/bin/fzf)"
|
} | ${pkgs.fzf}/bin/fzf)"
|
||||||
exec ${pkgs.zathura}/bin/zathura "$book"
|
exec ${pkgs.zathura}/bin/zathura "$book"
|
||||||
'')
|
'')
|
||||||
(
|
(let
|
||||||
let
|
kieran = {
|
||||||
kieran = {
|
user = "kieran.meinhardt@gmail.com";
|
||||||
user = "kieran.meinhardt@gmail.com";
|
passwordFile = config.age.secrets.mega-password.path;
|
||||||
passwordFile = config.age.secrets.mega-password.path;
|
};
|
||||||
};
|
megatools = command: ''${pkgs.megatools}/bin/megatools ${command} --username ${lib.escapeShellArg kieran.user} --password "$(cat ${kieran.passwordFile})"'';
|
||||||
megatools =
|
in
|
||||||
command:
|
|
||||||
''${pkgs.megatools}/bin/megatools ${command} --username ${lib.escapeShellArg kieran.user} --password "$(cat ${kieran.passwordFile})"'';
|
|
||||||
in
|
|
||||||
pkgs.writers.writeDashBin "book-mega" ''
|
pkgs.writers.writeDashBin "book-mega" ''
|
||||||
set -efu
|
set -efu
|
||||||
selection="$(${megatools "ls"} | ${pkgs.fzf}/bin/fzf)"
|
selection="$(${megatools "ls"} | ${pkgs.fzf}/bin/fzf)"
|
||||||
test -n "$selection" || exit 1
|
test -n "$selection" || exit 1
|
||||||
|
|
||||||
tmpdir="$(mktemp -p "$XDG_RUNTIME_DIR" -d)"
|
tmpdir="$(mktemp -d)"
|
||||||
trap clean EXIT
|
trap clean EXIT
|
||||||
clean() {
|
clean() {
|
||||||
rm -rf "$tmpdir"
|
rm -rf "$tmpdir"
|
||||||
@@ -119,8 +102,7 @@
|
|||||||
${megatools "get"} "$selection"
|
${megatools "get"} "$selection"
|
||||||
exec ${pkgs.zathura}/bin/zathura "$(basename "$selection")"
|
exec ${pkgs.zathura}/bin/zathura "$(basename "$selection")"
|
||||||
)
|
)
|
||||||
''
|
'')
|
||||||
)
|
|
||||||
];
|
];
|
||||||
|
|
||||||
age.secrets.mega-password = {
|
age.secrets.mega-password = {
|
||||||
@@ -139,25 +121,16 @@
|
|||||||
cert = config.age.secrets.syncthing-cert.path;
|
cert = config.age.secrets.syncthing-cert.path;
|
||||||
key = config.age.secrets.syncthing-key.path;
|
key = config.age.secrets.syncthing-key.path;
|
||||||
settings = {
|
settings = {
|
||||||
devices = pkgs.lib.niveum.syncthingIds;
|
inherit ((import ../lib).syncthing) devices;
|
||||||
folders = {
|
folders = {
|
||||||
"${config.users.users.me.home}/sync" = {
|
"${config.users.users.me.home}/sync" = {
|
||||||
devices = [
|
devices = ["kabsa" "manakish" "fatteh"];
|
||||||
"kabsa"
|
|
||||||
"manakish"
|
|
||||||
"fatteh"
|
|
||||||
];
|
|
||||||
label = "sync";
|
label = "sync";
|
||||||
versioning.type = "trashcan";
|
versioning.type = "trashcan";
|
||||||
versioning.params.cleanoutDays = 100;
|
versioning.params.cleanoutDays = 100;
|
||||||
};
|
};
|
||||||
"${config.users.users.me.home}/mobile" = {
|
"${config.users.users.me.home}/mobile" = {
|
||||||
devices = [
|
devices = ["kabsa" "manakish" "fatteh" "kibbeh"];
|
||||||
"kabsa"
|
|
||||||
"manakish"
|
|
||||||
"fatteh"
|
|
||||||
"kibbeh"
|
|
||||||
];
|
|
||||||
id = "mobile";
|
id = "mobile";
|
||||||
label = "mobile";
|
label = "mobile";
|
||||||
versioning.type = "trashcan";
|
versioning.type = "trashcan";
|
||||||
|
|||||||
@@ -2,13 +2,20 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
config,
|
config,
|
||||||
|
niveumPackages,
|
||||||
|
unstablePackages,
|
||||||
|
inputs,
|
||||||
...
|
...
|
||||||
}:
|
}:
|
||||||
let
|
let
|
||||||
inherit (lib.strings) makeBinPath;
|
inherit (lib.strings) makeBinPath;
|
||||||
|
inherit (import ../lib) localAddresses kieran remoteDir;
|
||||||
|
defaultApplications = (import ../lib).defaultApplications { inherit pkgs; };
|
||||||
in
|
in
|
||||||
{
|
{
|
||||||
imports = [
|
imports = [
|
||||||
|
inputs.self.nixosModules.system-dependent
|
||||||
|
inputs.self.nixosModules.power-action
|
||||||
{
|
{
|
||||||
boot.supportedFilesystems = [ "ntfs" ];
|
boot.supportedFilesystems = [ "ntfs" ];
|
||||||
}
|
}
|
||||||
@@ -17,9 +24,12 @@ in
|
|||||||
config = {
|
config = {
|
||||||
allowUnfree = true;
|
allowUnfree = true;
|
||||||
packageOverrides = pkgs: {
|
packageOverrides = pkgs: {
|
||||||
dmenu = pkgs.writers.writeDashBin "dmenu" ''exec ${pkgs.rofi}/bin/rofi -dmenu "$@"'';
|
dmenu = pkgs.writers.writeDashBin "dmenu" ''exec ${pkgs.wofi}/bin/wofi -dmenu "$@"'';
|
||||||
};
|
};
|
||||||
permittedInsecurePackages = [
|
permittedInsecurePackages = [
|
||||||
|
"qtwebkit-5.212.0-alpha4"
|
||||||
|
"zotero-6.0.26"
|
||||||
|
"electron-25.9.0"
|
||||||
];
|
];
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
@@ -62,7 +72,7 @@ in
|
|||||||
|
|
||||||
users.users.me = {
|
users.users.me = {
|
||||||
name = "kfm";
|
name = "kfm";
|
||||||
description = pkgs.lib.niveum.kieran.name;
|
description = kieran.name;
|
||||||
hashedPasswordFile = config.age.secrets.kfm-password.path;
|
hashedPasswordFile = config.age.secrets.kfm-password.path;
|
||||||
isNormalUser = true;
|
isNormalUser = true;
|
||||||
uid = 1000;
|
uid = 1000;
|
||||||
@@ -84,19 +94,19 @@ in
|
|||||||
environment.interactiveShellInit = "export PATH=$PATH";
|
environment.interactiveShellInit = "export PATH=$PATH";
|
||||||
environment.shellAliases =
|
environment.shellAliases =
|
||||||
let
|
let
|
||||||
swallow = command: "${pkgs.swallow}/bin/swallow ${command}";
|
swallow = command: "${niveumPackages.swallow}/bin/swallow ${command}";
|
||||||
in
|
in
|
||||||
{
|
{
|
||||||
o = "${pkgs.xdg-utils}/bin/xdg-open";
|
o = "${pkgs.xdg-utils}/bin/xdg-open";
|
||||||
ns = "nix-shell --run zsh";
|
ns = "nix-shell --run zsh";
|
||||||
pbcopy = "${pkgs.xclip}/bin/xclip -selection clipboard -in";
|
pbcopy = "${pkgs.wl-clipboard}/bin/wl-copy";
|
||||||
pbpaste = "${pkgs.xclip}/bin/xclip -selection clipboard -out";
|
pbpaste = "${pkgs.wl-clipboard}/bin/wl-paste";
|
||||||
tmux = "${pkgs.tmux}/bin/tmux -2";
|
tmux = "${pkgs.tmux}/bin/tmux -2";
|
||||||
sxiv = swallow "${pkgs.nsxiv}/bin/nsxiv";
|
sxiv = swallow "${pkgs.nsxiv}/bin/nsxiv";
|
||||||
zathura = swallow "${pkgs.zathura}/bin/zathura";
|
zathura = swallow "${pkgs.zathura}/bin/zathura";
|
||||||
im = "${pkgs.openssh}/bin/ssh weechat@makanek -t tmux attach-session -t IM";
|
im = "${pkgs.openssh}/bin/ssh weechat@makanek -t tmux attach-session -t IM";
|
||||||
yt = "${pkgs.yt-dlp}/bin/yt-dlp --add-metadata -ic"; # Download video link
|
yt = "${pkgs.yt-dlp}/bin/yt-dlp --add-metadata -ic"; # Download video link
|
||||||
yta = "${pkgs.yt-dlp}/bin/yt-dlp --add-metadata --audio-format mp3 --audio-quality 0 -xic"; # Download with audio
|
yta = "${pkgs.yt-dlp}/bin/yt-dlp --add-metadata --audio-format opus --audio-quality 0 -xic"; # Download with audio
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
{
|
{
|
||||||
@@ -105,56 +115,6 @@ in
|
|||||||
supportedLocales = [ "all" ];
|
supportedLocales = [ "all" ];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
{
|
|
||||||
services.displayManager.cosmic-greeter.enable = false;
|
|
||||||
services.desktopManager.cosmic.enable = true;
|
|
||||||
services.system76-scheduler.enable = true;
|
|
||||||
|
|
||||||
users.users.applicative = {
|
|
||||||
name = "applicative";
|
|
||||||
description = "<*>";
|
|
||||||
hashedPasswordFile = config.age.secrets.kfm-password.path;
|
|
||||||
isNormalUser = true;
|
|
||||||
extraGroups = [
|
|
||||||
"pipewire"
|
|
||||||
"audio"
|
|
||||||
];
|
|
||||||
};
|
|
||||||
|
|
||||||
# to run nspawn in nix sandbox
|
|
||||||
nix.settings = {
|
|
||||||
auto-allocate-uids = true;
|
|
||||||
system-features = [ "uid-range" ];
|
|
||||||
experimental-features = [
|
|
||||||
"auto-allocate-uids"
|
|
||||||
"cgroups"
|
|
||||||
];
|
|
||||||
};
|
|
||||||
|
|
||||||
services.restic.backups.niveum = {
|
|
||||||
extraBackupArgs = [
|
|
||||||
"--exclude=${config.users.users.applicative.home}/src/nixpkgs/.git"
|
|
||||||
];
|
|
||||||
paths = [
|
|
||||||
config.users.users.applicative.home
|
|
||||||
];
|
|
||||||
};
|
|
||||||
|
|
||||||
security.sudo.extraRules = [
|
|
||||||
{
|
|
||||||
# still required for systemd-nspawn
|
|
||||||
users = [ config.users.users.applicative.name ];
|
|
||||||
commands = [ "ALL" ];
|
|
||||||
}
|
|
||||||
];
|
|
||||||
|
|
||||||
home-manager.users.applicative = {
|
|
||||||
xdg.enable = true;
|
|
||||||
home.stateVersion = "25.11";
|
|
||||||
# programs.git = config.home-manager.users.me.programs.git;
|
|
||||||
# programs.alacritty = config.home-manager.users.me.programs.alacritty;
|
|
||||||
};
|
|
||||||
}
|
|
||||||
{
|
{
|
||||||
services.displayManager = {
|
services.displayManager = {
|
||||||
autoLogin = {
|
autoLogin = {
|
||||||
@@ -179,19 +139,16 @@ in
|
|||||||
};
|
};
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
{ programs.command-not-found.enable = true; }
|
||||||
{
|
{
|
||||||
programs.gnupg = {
|
programs.gnupg = {
|
||||||
agent = {
|
agent = {
|
||||||
enable = true;
|
enable = true;
|
||||||
pinentryPackage = pkgs.pinentry-qt;
|
pinentryPackage = pkgs.pinentry-qt;
|
||||||
settings =
|
settings = rec {
|
||||||
let
|
default-cache-ttl = 2 * 60 * 60;
|
||||||
defaultCacheTtl = 2 * 60 * 60;
|
max-cache-ttl = 4 * default-cache-ttl;
|
||||||
in
|
};
|
||||||
{
|
|
||||||
default-cache-ttl = defaultCacheTtl;
|
|
||||||
max-cache-ttl = 4 * defaultCacheTtl;
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -209,7 +166,7 @@ in
|
|||||||
}
|
}
|
||||||
{
|
{
|
||||||
services.getty = {
|
services.getty = {
|
||||||
greetingLine = lib.mkForce "As-salamu alaykum wa rahmatullahi wa barakatuh!";
|
greetingLine = lib.mkForce "";
|
||||||
helpLine = lib.mkForce "";
|
helpLine = lib.mkForce "";
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
@@ -217,7 +174,7 @@ in
|
|||||||
networking.hosts = lib.mapAttrs' (name: address: {
|
networking.hosts = lib.mapAttrs' (name: address: {
|
||||||
name = address;
|
name = address;
|
||||||
value = [ "${name}.local" ];
|
value = [ "${name}.local" ];
|
||||||
}) pkgs.lib.niveum.localAddresses;
|
}) localAddresses;
|
||||||
}
|
}
|
||||||
{
|
{
|
||||||
home-manager.users.me.home.stateVersion = "22.05";
|
home-manager.users.me.home.stateVersion = "22.05";
|
||||||
@@ -238,53 +195,66 @@ in
|
|||||||
dconf.enable = true;
|
dconf.enable = true;
|
||||||
dconf.settings = {
|
dconf.settings = {
|
||||||
# Change the default terminal for Nemo
|
# Change the default terminal for Nemo
|
||||||
"org/cinnamon/desktop/applications/terminal".exec = lib.getExe pkgs.niveum-terminal;
|
"org/cinnamon/desktop/applications/terminal".exec = defaultApplications.terminal;
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
./android.nix
|
./android.nix
|
||||||
|
./admin-essentials.nix
|
||||||
./stylix.nix
|
./stylix.nix
|
||||||
./alacritty.nix
|
./alacritty.nix
|
||||||
./backup.nix
|
./backup.nix
|
||||||
./bash.nix
|
./bash.nix
|
||||||
./bluetooth.nix
|
./bluetooth.nix
|
||||||
./aerc.nix
|
./aerc.nix
|
||||||
|
./ccc.nix
|
||||||
./khal.nix
|
./khal.nix
|
||||||
./browser.nix
|
./browser.nix
|
||||||
./clipboard.nix
|
./clipboard.nix
|
||||||
./cloud.nix
|
./cloud.nix
|
||||||
./direnv.nix
|
./direnv.nix
|
||||||
|
./docker.nix
|
||||||
./dunst.nix
|
./dunst.nix
|
||||||
|
./flix.nix
|
||||||
./fonts.nix
|
./fonts.nix
|
||||||
./fzf.nix
|
./fzf.nix
|
||||||
./git.nix
|
./git.nix
|
||||||
./hledger.nix
|
./hledger.nix
|
||||||
./htop.nix
|
./htop.nix
|
||||||
./uni.nix
|
./fu-berlin.nix
|
||||||
./i3.nix
|
./i3.nix
|
||||||
|
./niri.nix
|
||||||
./i3status-rust.nix
|
./i3status-rust.nix
|
||||||
./keyboard
|
./keyboard.nix
|
||||||
|
./mycelium.nix
|
||||||
./kdeconnect.nix
|
./kdeconnect.nix
|
||||||
|
{ home-manager.users.me.home.file.".XCompose".source = ../lib/keyboards/XCompose; }
|
||||||
{ services.upower.enable = true; }
|
{ services.upower.enable = true; }
|
||||||
./lb.nix
|
./lb.nix
|
||||||
./mpv.nix
|
./mpv.nix
|
||||||
./mime.nix
|
./mime.nix
|
||||||
./neovim.nix
|
./neovim.nix
|
||||||
|
./nix.nix
|
||||||
./newsboat.nix
|
./newsboat.nix
|
||||||
./flameshot.nix
|
./flameshot.nix
|
||||||
|
./fritzbox.nix
|
||||||
./packages.nix
|
./packages.nix
|
||||||
./virtualization.nix
|
./picom.nix
|
||||||
./stardict.nix
|
./stardict.nix
|
||||||
./polkit.nix
|
./polkit.nix
|
||||||
./printing.nix
|
./printing.nix
|
||||||
./redshift.nix
|
./redshift.nix
|
||||||
|
./retiolum.nix
|
||||||
./rofi.nix
|
./rofi.nix
|
||||||
|
./spacetime.nix
|
||||||
./ssh.nix
|
./ssh.nix
|
||||||
|
./sshd.nix
|
||||||
./sound.nix
|
./sound.nix
|
||||||
./sudo.nix
|
./sudo.nix
|
||||||
./tmux.nix
|
./tmux.nix
|
||||||
./unclutter.nix
|
./unclutter.nix
|
||||||
./vscode.nix
|
./vscode.nix
|
||||||
|
./watson.nix
|
||||||
./wallpaper.nix
|
./wallpaper.nix
|
||||||
./zsh.nix
|
./zsh.nix
|
||||||
{
|
{
|
||||||
@@ -292,22 +262,40 @@ in
|
|||||||
# nothing to see here
|
# nothing to see here
|
||||||
'';
|
'';
|
||||||
}
|
}
|
||||||
|
./tor.nix
|
||||||
|
./stw-berlin.nix
|
||||||
|
./mastodon-bot.nix
|
||||||
|
{
|
||||||
|
fileSystems."${remoteDir}/fritz" = {
|
||||||
|
device = "//192.168.178.1/FRITZ.NAS/Backup";
|
||||||
|
fsType = "cifs";
|
||||||
|
options = [
|
||||||
|
"username=ftpuser"
|
||||||
|
"password=ftppassword"
|
||||||
|
"noauto"
|
||||||
|
"nounix"
|
||||||
|
"rw"
|
||||||
|
# "noserverino" # ref https://askubuntu.com/a/1265165
|
||||||
|
"uid=${toString config.users.users.me.uid}"
|
||||||
|
"gid=${toString config.users.groups.users.gid}"
|
||||||
|
"x-systemd.automount"
|
||||||
|
"x-systemd.device-timeout=1"
|
||||||
|
"x-systemd.idle-timeout=1min"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
}
|
||||||
{
|
{
|
||||||
home-manager.users.me = {
|
home-manager.users.me = {
|
||||||
xdg.userDirs =
|
xdg.userDirs = rec {
|
||||||
let
|
enable = true;
|
||||||
pictures = "${config.users.users.me.home}/cloud/nextcloud/Bilder";
|
documents = "${config.users.users.me.home}/cloud/nextcloud/Documents";
|
||||||
in
|
desktop = "/tmp";
|
||||||
{
|
download = "${config.users.users.me.home}/sync/Downloads";
|
||||||
enable = true;
|
music = "${config.users.users.me.home}/mobile/audio";
|
||||||
documents = "${config.users.users.me.home}/cloud/nextcloud/Documents";
|
pictures = "${config.users.users.me.home}/cloud/nextcloud/Bilder";
|
||||||
desktop = "/tmp";
|
publicShare = "${config.users.users.me.home}/cloud/nextcloud/tmp";
|
||||||
download = "${config.users.users.me.home}/sync/Downloads";
|
videos = pictures;
|
||||||
music = "${config.users.users.me.home}/mobile/audio";
|
};
|
||||||
publicShare = "${config.users.users.me.home}/cloud/nextcloud/tmp";
|
|
||||||
videos = pictures;
|
|
||||||
pictures = pictures;
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
];
|
];
|
||||||
|
|||||||
@@ -1,5 +1,4 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}: let
|
||||||
let
|
|
||||||
nixify = pkgs.writers.writeDashBin "nixify" ''
|
nixify = pkgs.writers.writeDashBin "nixify" ''
|
||||||
set -efuC
|
set -efuC
|
||||||
|
|
||||||
@@ -17,12 +16,8 @@ let
|
|||||||
''${EDITOR:-vim} shell.nix
|
''${EDITOR:-vim} shell.nix
|
||||||
fi
|
fi
|
||||||
'';
|
'';
|
||||||
in
|
in {
|
||||||
{
|
environment.systemPackages = [pkgs.direnv nixify];
|
||||||
environment.systemPackages = [
|
|
||||||
pkgs.direnv
|
|
||||||
nixify
|
|
||||||
];
|
|
||||||
|
|
||||||
home-manager.users.me.programs.direnv = {
|
home-manager.users.me.programs.direnv = {
|
||||||
enable = true;
|
enable = true;
|
||||||
|
|||||||
15
configs/distrobump.nix
Normal file
15
configs/distrobump.nix
Normal file
@@ -0,0 +1,15 @@
|
|||||||
|
{
|
||||||
|
lib,
|
||||||
|
config,
|
||||||
|
pkgs,
|
||||||
|
...
|
||||||
|
}: {
|
||||||
|
imports = [
|
||||||
|
(import <stockholm/makefu/3modules/bump-distrowatch.nix> {
|
||||||
|
inherit lib config;
|
||||||
|
pkgs = pkgs // {writeDash = pkgs.writers.writeDash;};
|
||||||
|
})
|
||||||
|
];
|
||||||
|
|
||||||
|
makefu.distrobump.enable = false;
|
||||||
|
}
|
||||||
16
configs/docker.nix
Normal file
16
configs/docker.nix
Normal file
@@ -0,0 +1,16 @@
|
|||||||
|
{
|
||||||
|
lib,
|
||||||
|
pkgs,
|
||||||
|
...
|
||||||
|
}: {
|
||||||
|
virtualisation.docker = {
|
||||||
|
enable = true;
|
||||||
|
# for ICE wifi, ref https://gist.github.com/sunsided/7840e89ff4e11b64a2d7503fafa0290c
|
||||||
|
extraOptions = lib.concatStringsSep " " [
|
||||||
|
"--bip=172.39.1.5/24"
|
||||||
|
"--fixed-cidr=172.39.1.0/25"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
users.users.me.extraGroups = ["docker"];
|
||||||
|
environment.systemPackages = [pkgs.docker pkgs.docker-compose];
|
||||||
|
}
|
||||||
@@ -1,12 +1,11 @@
|
|||||||
{
|
{
|
||||||
lib,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
inherit (import ../lib) defaultApplications theme;
|
||||||
sgr = code: string: ''\u001b[${code}m${string}\u001b[0m'';
|
sgr = code: string: ''\u001b[${code}m${string}\u001b[0m'';
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
(pkgs.writers.writeDashBin "notifications" ''
|
(pkgs.writers.writeDashBin "notifications" ''
|
||||||
${pkgs.dunst}/bin/dunstctl history \
|
${pkgs.dunst}/bin/dunstctl history \
|
||||||
@@ -19,7 +18,7 @@ in
|
|||||||
|
|
||||||
home-manager.users.me.services.dunst = {
|
home-manager.users.me.services.dunst = {
|
||||||
enable = true;
|
enable = true;
|
||||||
iconTheme = pkgs.lib.niveum.theme.icon;
|
iconTheme = (theme pkgs).icon;
|
||||||
settings = {
|
settings = {
|
||||||
global = {
|
global = {
|
||||||
transparency = 10;
|
transparency = 10;
|
||||||
@@ -45,7 +44,7 @@ in
|
|||||||
sticky_history = true;
|
sticky_history = true;
|
||||||
history_length = 20;
|
history_length = 20;
|
||||||
dmenu = "${pkgs.rofi}/bin/rofi -display-run dunst -show run";
|
dmenu = "${pkgs.rofi}/bin/rofi -display-run dunst -show run";
|
||||||
browser = lib.getExe pkgs.niveum-browser;
|
browser = (defaultApplications pkgs).browser;
|
||||||
verbosity = "mesg";
|
verbosity = "mesg";
|
||||||
corner_radius = 0;
|
corner_radius = 0;
|
||||||
mouse_left_click = "do_action";
|
mouse_left_click = "do_action";
|
||||||
|
|||||||
@@ -2,10 +2,10 @@
|
|||||||
lib,
|
lib,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
home-manager.users.me = {
|
home-manager.users.me = {
|
||||||
services.flameshot = {
|
services.flameshot = {
|
||||||
|
package = pkgs.flameshot.override { enableWlrSupport = true; };
|
||||||
enable = true;
|
enable = true;
|
||||||
settings.General = {
|
settings.General = {
|
||||||
autoCloseIdleDaemon = true;
|
autoCloseIdleDaemon = true;
|
||||||
@@ -16,7 +16,7 @@
|
|||||||
showHelp = false;
|
showHelp = false;
|
||||||
squareMagnifier = true;
|
squareMagnifier = true;
|
||||||
uploadWithoutConfirmation = true;
|
uploadWithoutConfirmation = true;
|
||||||
# buttons = ''@Variant(\0\0\0\x7f\0\0\0\vQList<int>\0\0\0\0\x10\0\0\0\x2\0\0\0\x5\0\0\0\x13\0\0\0\xa\0\0\0\x1\0\0\0\xc\0\0\0\xd\0\0\0\x6\0\0\0\x8\0\0\0\0\0\0\0\xf\0\0\0\x4\0\0\0\xb\0\0\0\x3\0\0\0\x12\0\0\0\x9)'';
|
buttons = ''@Variant(\0\0\0\x7f\0\0\0\vQList<int>\0\0\0\0\x10\0\0\0\x2\0\0\0\x5\0\0\0\x13\0\0\0\xa\0\0\0\x1\0\0\0\xc\0\0\0\xd\0\0\0\x6\0\0\0\x8\0\0\0\0\0\0\0\xf\0\0\0\x4\0\0\0\xb\0\0\0\x3\0\0\0\x12\0\0\0\x9)'';
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|||||||
98
configs/flix.nix
Normal file
98
configs/flix.nix
Normal file
@@ -0,0 +1,98 @@
|
|||||||
|
{
|
||||||
|
config,
|
||||||
|
pkgs,
|
||||||
|
...
|
||||||
|
}: let
|
||||||
|
flixLocation = "/media/flix";
|
||||||
|
flixLocationNew = "/media/flix-new";
|
||||||
|
cacheLocation = "/var/cache/flix";
|
||||||
|
indexFilename = "index";
|
||||||
|
indexFilenameNew = "index-new";
|
||||||
|
flixUser = "flix";
|
||||||
|
flixGroup = "users";
|
||||||
|
inherit (import ../lib) tmpfilesConfig;
|
||||||
|
in {
|
||||||
|
fileSystems.${flixLocation} = {
|
||||||
|
device = "prism.r:/export/download";
|
||||||
|
fsType = "nfs";
|
||||||
|
options = [
|
||||||
|
"noauto"
|
||||||
|
"noatime"
|
||||||
|
"nodiratime"
|
||||||
|
"x-systemd.automount"
|
||||||
|
"x-systemd.device-timeout=1"
|
||||||
|
"x-systemd.idle-timeout=1min"
|
||||||
|
"x-systemd.requires=tinc.retiolum.service"
|
||||||
|
"user"
|
||||||
|
"_netdev"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
|
||||||
|
fileSystems.${flixLocationNew} = {
|
||||||
|
device = "//yellow.r/public";
|
||||||
|
fsType = "cifs";
|
||||||
|
options = [
|
||||||
|
"guest"
|
||||||
|
"nofail"
|
||||||
|
"noauto"
|
||||||
|
"ro"
|
||||||
|
"x-systemd.automount"
|
||||||
|
"x-systemd.device-timeout=1"
|
||||||
|
"x-systemd.idle-timeout=1min"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
|
||||||
|
systemd.tmpfiles.rules = [
|
||||||
|
(tmpfilesConfig {
|
||||||
|
type = "d";
|
||||||
|
path = cacheLocation;
|
||||||
|
mode = "0750";
|
||||||
|
user = flixUser;
|
||||||
|
group = flixGroup;
|
||||||
|
})
|
||||||
|
];
|
||||||
|
|
||||||
|
systemd.services.flix-index = {
|
||||||
|
description = "Flix indexing service";
|
||||||
|
wants = ["network-online.target"];
|
||||||
|
script = ''
|
||||||
|
cp ${flixLocation}/index ./${indexFilename}
|
||||||
|
cp ${flixLocationNew}/index ./${indexFilenameNew}
|
||||||
|
'';
|
||||||
|
startAt = "hourly";
|
||||||
|
serviceConfig = {
|
||||||
|
Type = "oneshot";
|
||||||
|
User = flixUser;
|
||||||
|
Group = flixGroup;
|
||||||
|
WorkingDirectory = cacheLocation;
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
users.extraUsers.${flixUser} = {
|
||||||
|
isSystemUser = true;
|
||||||
|
createHome = true;
|
||||||
|
home = cacheLocation;
|
||||||
|
group = flixGroup;
|
||||||
|
};
|
||||||
|
|
||||||
|
environment.systemPackages = [
|
||||||
|
(pkgs.writers.writeDashBin "mpv-simpsons" ''
|
||||||
|
set -efu
|
||||||
|
cd "${flixLocation}/download"
|
||||||
|
[ -f "${cacheLocation}/${indexFilename}" ] || exit 1
|
||||||
|
|
||||||
|
cat "${cacheLocation}/${indexFilename}" \
|
||||||
|
| ${pkgs.gnugrep}/bin/grep -i 'simpsons.*mkv' \
|
||||||
|
| shuf \
|
||||||
|
| ${pkgs.findutils}/bin/xargs -d '\n' ${pkgs.mpv}/bin/mpv
|
||||||
|
'')
|
||||||
|
(pkgs.writers.writeDashBin "flixmenu" ''
|
||||||
|
set -efu
|
||||||
|
(
|
||||||
|
${pkgs.gnused}/bin/sed 's#^\.#${flixLocation}#' ${cacheLocation}/${indexFilename}
|
||||||
|
${pkgs.gnused}/bin/sed 's#^\.#${flixLocationNew}#' ${cacheLocation}/${indexFilenameNew}
|
||||||
|
) | ${pkgs.dmenu}/bin/dmenu -i -p flix -l 5 "$@" \
|
||||||
|
| ${pkgs.findutils}/bin/xargs -I '{}' ${pkgs.util-linux}/bin/setsid ${pkgs.xdg-utils}/bin/xdg-open '{}'
|
||||||
|
'')
|
||||||
|
];
|
||||||
|
}
|
||||||
@@ -1,25 +1,22 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
|
config,
|
||||||
|
niveumPackages,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
zip-font = name: arguments: let
|
||||||
zip-font =
|
directory = pkgs.fetchzip arguments;
|
||||||
name: arguments:
|
in
|
||||||
let
|
pkgs.runCommand name {} ''
|
||||||
directory = pkgs.fetchzip arguments;
|
|
||||||
in
|
|
||||||
pkgs.runCommand name { } ''
|
|
||||||
mkdir -p $out/share/fonts/{truetype,opentype,woff}
|
mkdir -p $out/share/fonts/{truetype,opentype,woff}
|
||||||
${pkgs.findutils}/bin/find ${directory} -name '*.ttf' -exec install '{}' $out/share/fonts/truetype \;
|
${pkgs.findutils}/bin/find ${directory} -name '*.ttf' -exec install '{}' $out/share/fonts/truetype \;
|
||||||
${pkgs.findutils}/bin/find ${directory} -name '*.otf' -exec install '{}' $out/share/fonts/opentype \;
|
${pkgs.findutils}/bin/find ${directory} -name '*.otf' -exec install '{}' $out/share/fonts/opentype \;
|
||||||
${pkgs.findutils}/bin/find ${directory} -name '*.woff' -exec install '{}' $out/share/fonts/woff \;
|
${pkgs.findutils}/bin/find ${directory} -name '*.woff' -exec install '{}' $out/share/fonts/woff \;
|
||||||
'';
|
'';
|
||||||
simple-ttf =
|
simple-ttf = name: arguments: let
|
||||||
name: arguments:
|
file = pkgs.fetchurl arguments;
|
||||||
let
|
in
|
||||||
file = pkgs.fetchurl arguments;
|
pkgs.runCommand name {} ''
|
||||||
in
|
|
||||||
pkgs.runCommand name { } ''
|
|
||||||
mkdir -p $out/share/fonts/truetype
|
mkdir -p $out/share/fonts/truetype
|
||||||
install ${file} $out/share/fonts/truetype
|
install ${file} $out/share/fonts/truetype
|
||||||
'';
|
'';
|
||||||
@@ -62,8 +59,7 @@ let
|
|||||||
url = "https://github.com/microsoft/font-tools/raw/1092cb23520967830001a0807eb21d6a44dda522/EgyptianOpenType/font/eot.ttf";
|
url = "https://github.com/microsoft/font-tools/raw/1092cb23520967830001a0807eb21d6a44dda522/EgyptianOpenType/font/eot.ttf";
|
||||||
sha256 = "1n294vhcx90270pnsw1dbk6izd61fjvbnjrh4hcf98ff3s540x0c";
|
sha256 = "1n294vhcx90270pnsw1dbk6izd61fjvbnjrh4hcf98ff3s540x0c";
|
||||||
};
|
};
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
fonts = {
|
fonts = {
|
||||||
enableDefaultPackages = true;
|
enableDefaultPackages = true;
|
||||||
fontDir.enable = true;
|
fontDir.enable = true;
|
||||||
@@ -98,6 +94,7 @@ in
|
|||||||
font-awesome
|
font-awesome
|
||||||
galatia-sil
|
galatia-sil
|
||||||
gentium
|
gentium
|
||||||
|
# niveumPackages.gfs-fonts
|
||||||
gyre-fonts
|
gyre-fonts
|
||||||
ibm-plex
|
ibm-plex
|
||||||
jetbrains-mono
|
jetbrains-mono
|
||||||
@@ -106,45 +103,29 @@ in
|
|||||||
lmodern
|
lmodern
|
||||||
merriweather
|
merriweather
|
||||||
ocr-a
|
ocr-a
|
||||||
montserrat
|
|
||||||
roboto
|
roboto
|
||||||
roboto-mono
|
roboto-mono
|
||||||
noto-fonts
|
noto-fonts
|
||||||
noto-fonts-cjk-sans
|
noto-fonts-cjk-sans
|
||||||
noto-fonts-color-emoji
|
noto-fonts-emoji
|
||||||
|
nerd-fonts.blex-mono
|
||||||
roboto-slab
|
roboto-slab
|
||||||
scheherazade-new
|
scheherazade-new
|
||||||
source-code-pro
|
source-code-pro
|
||||||
source-sans-pro
|
source-sans-pro
|
||||||
source-serif-pro
|
source-serif-pro
|
||||||
theano
|
theano
|
||||||
tocharian-font
|
niveumPackages.tocharian-font
|
||||||
vista-fonts
|
vistafonts
|
||||||
vollkorn
|
vollkorn
|
||||||
zilla-slab
|
zilla-slab
|
||||||
]; # google-fonts league-of-moveable-type
|
]; # google-fonts league-of-moveable-type
|
||||||
fontconfig.defaultFonts =
|
fontconfig.defaultFonts = rec {
|
||||||
let
|
monospace = [config.stylix.fonts.monospace.name] ++ emoji;
|
||||||
emoji = [ "Noto Color Emoji" ];
|
serif = [config.stylix.fonts.serif.name "Scheherazade New" "Ezra SIL" "Antinoou" "Noto Serif Devanagari"];
|
||||||
in
|
sansSerif = [config.stylix.fonts.sansSerif.name "Noto Sans Display" "Noto Naskh Arabic" "Noto Sans Hebrew" "Noto Sans Devanagari" "Noto Sans CJK JP" "Noto Sans Coptic" "Noto Sans Syriac Western"];
|
||||||
{
|
emoji = [config.stylix.fonts.emoji.name];
|
||||||
monospace = [ "Noto Sans Mono" ] ++ emoji;
|
};
|
||||||
serif = [
|
|
||||||
"Noto Serif"
|
|
||||||
"Noto Naskh Arabic"
|
|
||||||
"Noto Serif Devanagari"
|
|
||||||
];
|
|
||||||
sansSerif = [
|
|
||||||
"Noto Sans Display"
|
|
||||||
"Noto Naskh Arabic"
|
|
||||||
"Noto Sans Hebrew"
|
|
||||||
"Noto Sans Devanagari"
|
|
||||||
"Noto Sans CJK JP"
|
|
||||||
"Noto Sans Coptic"
|
|
||||||
"Noto Sans Syriac Western"
|
|
||||||
];
|
|
||||||
inherit emoji;
|
|
||||||
};
|
|
||||||
# xelatex fails with woff files
|
# xelatex fails with woff files
|
||||||
# ref https://tex.stackexchange.com/questions/392144/xelatex-and-fontspec-crash-trying-to-find-woff-file-for-some-fonts-but-not-other
|
# ref https://tex.stackexchange.com/questions/392144/xelatex-and-fontspec-crash-trying-to-find-woff-file-for-some-fonts-but-not-other
|
||||||
fontconfig.localConf = ''
|
fontconfig.localConf = ''
|
||||||
|
|||||||
19
configs/fritzbox.nix
Normal file
19
configs/fritzbox.nix
Normal file
@@ -0,0 +1,19 @@
|
|||||||
|
{ config, ... }:
|
||||||
|
{
|
||||||
|
networking.firewall.allowedUDPPorts = [ 51820 ];
|
||||||
|
networking.wg-quick.interfaces.aether = {
|
||||||
|
autostart = false;
|
||||||
|
dns = ["192.168.178.1" "fritz.box"];
|
||||||
|
listenPort = 51820;
|
||||||
|
privateKeyFile = config.age.secrets.wireguard-aether-key.path;
|
||||||
|
peers = [
|
||||||
|
{
|
||||||
|
allowedIPs = ["192.168.178.0/24" "0.0.0.0/0"];
|
||||||
|
endpoint = "lng5gx2rmssv8ge1.myfritz.net:58997";
|
||||||
|
persistentKeepalive = 25;
|
||||||
|
presharedKeyFile = config.age.secrets.wireguard-aether-psk.path;
|
||||||
|
publicKey = "8Rr7BueC0CGmycBQFS7YM7VF7Adkdc1ZcLFy8YXyOQk=";
|
||||||
|
}
|
||||||
|
];
|
||||||
|
};
|
||||||
|
}
|
||||||
153
configs/fu-berlin.nix
Normal file
153
configs/fu-berlin.nix
Normal file
@@ -0,0 +1,153 @@
|
|||||||
|
{
|
||||||
|
config,
|
||||||
|
pkgs,
|
||||||
|
lib,
|
||||||
|
...
|
||||||
|
}: let
|
||||||
|
username = "meinhak99";
|
||||||
|
inherit (import ../lib/email.nix) defaults pronouns;
|
||||||
|
inherit (import ../lib) remoteDir;
|
||||||
|
fu-defaults = rec {
|
||||||
|
imap.host = "mail.zedat.fu-berlin.de";
|
||||||
|
imap.port = 993;
|
||||||
|
imap.tls.enable = true;
|
||||||
|
smtp.host = imap.host;
|
||||||
|
smtp.port = 465;
|
||||||
|
smtp.tls.enable = true;
|
||||||
|
folders.drafts = "Entwürfe";
|
||||||
|
folders.sent = "Gesendet";
|
||||||
|
folders.trash = "Papierkorb";
|
||||||
|
};
|
||||||
|
in {
|
||||||
|
home-manager.users.me = {
|
||||||
|
programs.ssh = {
|
||||||
|
matchBlocks = {
|
||||||
|
fu-berlin = {
|
||||||
|
user = username;
|
||||||
|
hostname = "login.zedat.fu-berlin.de";
|
||||||
|
setEnv.TERM = "xterm";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
accounts.email.accounts = {
|
||||||
|
fu-student =
|
||||||
|
lib.recursiveUpdate defaults
|
||||||
|
(lib.recursiveUpdate fu-defaults
|
||||||
|
rec {
|
||||||
|
userName = "meinhak99";
|
||||||
|
address = "kieran.meinhardt@fu-berlin.de";
|
||||||
|
aliases = ["${userName}@fu-berlin.de"];
|
||||||
|
passwordCommand = "${pkgs.coreutils}/bin/cat ${config.age.secrets.email-password-meinhak99.path}";
|
||||||
|
aerc.extraAccounts.signature-file = toString (pkgs.writeText "signature" signature.text);
|
||||||
|
signature = {
|
||||||
|
showSignature = "append";
|
||||||
|
text = ''
|
||||||
|
${defaults.realName}
|
||||||
|
${pronouns}
|
||||||
|
|
||||||
|
---
|
||||||
|
Studentische Hilfskraft / ZODIAC
|
||||||
|
Freie Universität Berlin
|
||||||
|
|
||||||
|
Telefon: +49 30 838 58118
|
||||||
|
Arnimallee 10, Raum 106, 14195 Berlin
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
himalaya = {
|
||||||
|
enable = true;
|
||||||
|
settings.backend = "imap";
|
||||||
|
};
|
||||||
|
});
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
age.secrets = {
|
||||||
|
email-password-meinhak99 = {
|
||||||
|
file = ../secrets/email-password-meinhak99.age;
|
||||||
|
owner = config.users.users.me.name;
|
||||||
|
group = config.users.users.me.group;
|
||||||
|
mode = "400";
|
||||||
|
};
|
||||||
|
fu-sftp-key = {
|
||||||
|
file = ../secrets/fu-sftp-key.age;
|
||||||
|
owner = "root";
|
||||||
|
group = "root";
|
||||||
|
mode = "400";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
# if it fails with "connection reset by peer" run `sudo sshfs ... ... -o ...` manually
|
||||||
|
# it needs to say 'yes' to the server's fingerprint
|
||||||
|
system.fsPackages = [ pkgs.sshfs ];
|
||||||
|
|
||||||
|
# https://www.zedat.fu-berlin.de/tip4u_157.pdf
|
||||||
|
fileSystems = let
|
||||||
|
fu-berlin-cifs-options = [
|
||||||
|
"uid=${toString config.users.users.me.uid}"
|
||||||
|
"gid=${toString config.users.groups.users.gid}"
|
||||||
|
"rw"
|
||||||
|
"nounix"
|
||||||
|
"domain=fu-berlin"
|
||||||
|
"noauto"
|
||||||
|
"x-systemd.automount"
|
||||||
|
"x-systemd.device-timeout=1"
|
||||||
|
"x-systemd.idle-timeout=1min"
|
||||||
|
];
|
||||||
|
|
||||||
|
firstCharacter = lib.strings.substring 0 1;
|
||||||
|
|
||||||
|
home-directory-mount = user: {
|
||||||
|
"${remoteDir}/fu/${user}/home" = {
|
||||||
|
device = "${user}@login.zedat.fu-berlin.de:/home/${firstCharacter user}/${user}";
|
||||||
|
fsType = "sshfs";
|
||||||
|
options = [
|
||||||
|
"allow_other"
|
||||||
|
"_netdev"
|
||||||
|
"x-systemd.automount"
|
||||||
|
"reconnect"
|
||||||
|
"ServerAliveInterval=15"
|
||||||
|
"IdentityFile=${config.age.secrets.fu-sftp-key.path}"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
};
|
||||||
|
in {
|
||||||
|
"${remoteDir}/fu/zodiac" = {
|
||||||
|
device = "//trove.storage.fu-berlin.de/GESCHKULT";
|
||||||
|
fsType = "cifs";
|
||||||
|
options =
|
||||||
|
fu-berlin-cifs-options
|
||||||
|
++ [
|
||||||
|
"credentials=${config.age.secrets.cifs-credentials-zodiac.path}"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
} // home-directory-mount "meinhak99"
|
||||||
|
// home-directory-mount "xm7234fu";
|
||||||
|
|
||||||
|
age.secrets = {
|
||||||
|
cifs-credentials-zodiac.file = ../secrets/cifs-credentials-zodiac.age;
|
||||||
|
};
|
||||||
|
|
||||||
|
environment.systemPackages = [
|
||||||
|
(pkgs.writers.writeDashBin "fu-vpn" ''
|
||||||
|
if ${pkgs.wirelesstools}/bin/iwgetid | ${pkgs.gnugrep}/bin/grep --invert-match eduroam
|
||||||
|
then
|
||||||
|
# root firefox will not open login window unless root owns Xauthority
|
||||||
|
sudo cp $XAUTHORITY /root/.Xauthority
|
||||||
|
sudo chown root: /root/.Xauthority
|
||||||
|
XAUTHORITY=/root/.Xauthority sudo ${pkgs.openconnect}/bin/openconnect vpn.fu-berlin.de --useragent=AnyConnect
|
||||||
|
fi
|
||||||
|
'')
|
||||||
|
];
|
||||||
|
|
||||||
|
systemd.services.fu-vpn = {
|
||||||
|
enable = false;
|
||||||
|
wants = ["network-online.target"];
|
||||||
|
serviceConfig.LoadCredential = "password:${config.age.secrets.email-password-meinhak99.path}";
|
||||||
|
script = ''
|
||||||
|
if ${pkgs.wirelesstools}/bin/iwgetid | ${pkgs.gnugrep}/bin/grep --invert-match eduroam
|
||||||
|
then
|
||||||
|
cat "$CREDENTIALS_DIRECTORY/password" | ${pkgs.openconnect}/bin/openconnect vpn.fu-berlin.de --user ${username} --passwd-on-stdin
|
||||||
|
fi
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
}
|
||||||
55
configs/fysi.nix
Normal file
55
configs/fysi.nix
Normal file
@@ -0,0 +1,55 @@
|
|||||||
|
{
|
||||||
|
config,
|
||||||
|
lib,
|
||||||
|
pkgs,
|
||||||
|
...
|
||||||
|
}: let
|
||||||
|
inherit (import ../lib/email.nix) defaults;
|
||||||
|
sshIdentity = name: "${config.users.users.me.home}/.ssh/${name}";
|
||||||
|
in {
|
||||||
|
age.secrets = {
|
||||||
|
email-password-fysi = {
|
||||||
|
file = ../secrets/email-password-fysi.age;
|
||||||
|
owner = config.users.users.me.name;
|
||||||
|
group = config.users.users.me.group;
|
||||||
|
mode = "400";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
home-manager.users.me = {
|
||||||
|
accounts.email.accounts = {
|
||||||
|
fysi =
|
||||||
|
lib.recursiveUpdate defaults
|
||||||
|
rec {
|
||||||
|
address = "kieran@fysi.tech";
|
||||||
|
userName = address;
|
||||||
|
passwordCommand = "${pkgs.coreutils}/bin/cat ${config.age.secrets.email-password-fysi.path}";
|
||||||
|
flavor = "fastmail.com";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
programs.ssh.matchBlocks = rec {
|
||||||
|
"nextcloud.fysi.dev" = {
|
||||||
|
hostname = "116.203.82.203";
|
||||||
|
user = "root";
|
||||||
|
};
|
||||||
|
"lingua.miaengiadina.ch" = {
|
||||||
|
hostname = "135.181.85.233";
|
||||||
|
user = "root";
|
||||||
|
};
|
||||||
|
"cms-dev.woc2023.app".identityFile = sshIdentity "fysiweb";
|
||||||
|
"cms-master.woc2023.app".identityFile = sshIdentity "fysiweb";
|
||||||
|
"fysi-dev1" = {
|
||||||
|
hostname = "94.130.229.139";
|
||||||
|
user = "root";
|
||||||
|
identityFile = sshIdentity "fysiweb";
|
||||||
|
};
|
||||||
|
${fysi-dev1.hostname} = fysi-dev1;
|
||||||
|
"fysi-shared0" = {
|
||||||
|
hostname = "49.12.205.235";
|
||||||
|
user = "root";
|
||||||
|
identityFile = sshIdentity "fysiweb";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
}
|
||||||
@@ -1,27 +1,22 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}: {
|
||||||
{
|
|
||||||
programs.fzf = {
|
programs.fzf = {
|
||||||
fuzzyCompletion = true;
|
fuzzyCompletion = true;
|
||||||
keybindings = true;
|
keybindings = true;
|
||||||
};
|
};
|
||||||
|
|
||||||
home-manager.users.me = {
|
home-manager.users.me = {
|
||||||
programs.fzf =
|
programs.fzf = rec {
|
||||||
let
|
enable = true;
|
||||||
defaultCommand = "${pkgs.fd}/bin/fd --type f --strip-cwd-prefix --follow --no-ignore-vcs --exclude .git";
|
defaultCommand = "${pkgs.fd}/bin/fd --type f --strip-cwd-prefix --follow --no-ignore-vcs --exclude .git";
|
||||||
in
|
defaultOptions = ["--height=40%"];
|
||||||
{
|
changeDirWidgetCommand = "${pkgs.fd}/bin/fd --type d";
|
||||||
enable = true;
|
changeDirWidgetOptions = [
|
||||||
defaultCommand = defaultCommand;
|
"--preview='${pkgs.tree}/bin/tree -L 1 {}'"
|
||||||
defaultOptions = [ "--height=40%" ];
|
"--bind=space:toggle-preview"
|
||||||
changeDirWidgetCommand = "${pkgs.fd}/bin/fd --type d";
|
"--preview-window=hidden"
|
||||||
changeDirWidgetOptions = [
|
];
|
||||||
"--preview='${pkgs.tree}/bin/tree -L 1 {}'"
|
fileWidgetCommand = defaultCommand;
|
||||||
"--bind=space:toggle-preview"
|
fileWidgetOptions = ["--preview='head -$LINES {}'"];
|
||||||
"--preview-window=hidden"
|
};
|
||||||
];
|
|
||||||
fileWidgetCommand = defaultCommand;
|
|
||||||
fileWidgetOptions = [ "--preview='head -$LINES {}'" ];
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,23 +0,0 @@
|
|||||||
{ pkgs, ... }:
|
|
||||||
{
|
|
||||||
environment.systemPackages = [
|
|
||||||
pkgs.zeroad
|
|
||||||
pkgs.mari0
|
|
||||||
pkgs.luanti # fka minetest
|
|
||||||
# pkgs.openarena
|
|
||||||
# pkgs.teeworlds
|
|
||||||
pkgs.nethack
|
|
||||||
# pkgs.freeciv
|
|
||||||
# pkgs.lincity-ng
|
|
||||||
# pkgs.superTuxKart
|
|
||||||
|
|
||||||
pkgs.morris
|
|
||||||
pkgs.gnome-chess
|
|
||||||
pkgs.gnuchess
|
|
||||||
];
|
|
||||||
networking.firewall = {
|
|
||||||
# for 0ad multiplayer
|
|
||||||
allowedTCPPorts = [ 20595 ];
|
|
||||||
allowedUDPPorts = [ 20595 ];
|
|
||||||
};
|
|
||||||
}
|
|
||||||
@@ -1,9 +1,10 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
inputs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
{
|
inherit (import ../lib) kieran ignorePaths;
|
||||||
|
in {
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
pkgs.mr
|
pkgs.mr
|
||||||
pkgs.gitFull
|
pkgs.gitFull
|
||||||
@@ -16,6 +17,7 @@
|
|||||||
pkgs.gitstats
|
pkgs.gitstats
|
||||||
pkgs.patch
|
pkgs.patch
|
||||||
pkgs.patchutils
|
pkgs.patchutils
|
||||||
|
inputs.self.packages.${pkgs.system}.git-preview
|
||||||
];
|
];
|
||||||
|
|
||||||
environment.shellAliases = {
|
environment.shellAliases = {
|
||||||
@@ -27,7 +29,9 @@
|
|||||||
programs.git = {
|
programs.git = {
|
||||||
enable = true;
|
enable = true;
|
||||||
package = pkgs.gitFull;
|
package = pkgs.gitFull;
|
||||||
settings.alias = {
|
userName = kieran.name;
|
||||||
|
userEmail = kieran.email;
|
||||||
|
aliases = {
|
||||||
br = "branch";
|
br = "branch";
|
||||||
co = "checkout";
|
co = "checkout";
|
||||||
ci = "commit";
|
ci = "commit";
|
||||||
@@ -40,13 +44,20 @@
|
|||||||
logs = "log --pretty=oneline";
|
logs = "log --pretty=oneline";
|
||||||
graph = "log --graph --abbrev-commit --decorate --date=relative --format=format:'%C(bold blue)%h%C(reset) - %C(bold green)(%ar)%C(reset) %C(white)%s%C(reset) %C(dim white)- %an%C(reset)%C(bold yellow)%d%C(reset)' --all";
|
graph = "log --graph --abbrev-commit --decorate --date=relative --format=format:'%C(bold blue)%h%C(reset) - %C(bold green)(%ar)%C(reset) %C(white)%s%C(reset) %C(dim white)- %an%C(reset)%C(bold yellow)%d%C(reset)' --all";
|
||||||
};
|
};
|
||||||
ignores = pkgs.lib.niveum.ignorePaths;
|
ignores = ignorePaths;
|
||||||
settings.user.name = pkgs.lib.niveum.kieran.name;
|
extraConfig = {
|
||||||
settings.user.email = pkgs.lib.niveum.kieran.email;
|
pull.ff = "only";
|
||||||
settings.pull.ff = "only";
|
rebase.autoStash = true;
|
||||||
settings.rebase.autoStash = true;
|
merge.autoStash = true;
|
||||||
settings.merge.autoStash = true;
|
push.autoSetupRemote = true;
|
||||||
settings.push.autoSetupRemove = true;
|
|
||||||
|
# # ref https://github.com/dandavison/delta
|
||||||
|
# core.pager = "${pkgs.delta}/bin/delta";
|
||||||
|
# interactive.diffFilter = "${pkgs.delta}/bin/delta --color-only";
|
||||||
|
# delta.navigate = true;
|
||||||
|
# merge.conflictStyle = "diff3";
|
||||||
|
# diff.colorMoved = "default";
|
||||||
|
};
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,30 +1,26 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
ledgerDirectory = "/home/kfm/sync/src/ledger";
|
ledgerDirectory = "/home/kfm/sync/src/ledger";
|
||||||
hora = pkgs.callPackage ../packages/hora.nix { timeLedger = "${ledgerDirectory}/time.timeclock"; };
|
hora = pkgs.callPackage ../packages/hora.nix { timeLedger = "${ledgerDirectory}/time.timeclock"; };
|
||||||
in
|
in {
|
||||||
{
|
environment.systemPackages = let
|
||||||
environment.systemPackages =
|
git = "${pkgs.git}/bin/git -C ${ledgerDirectory}";
|
||||||
let
|
in [
|
||||||
git = "${pkgs.git}/bin/git -C ${ledgerDirectory}";
|
hora
|
||||||
in
|
pkgs.hledger
|
||||||
[
|
(pkgs.writers.writeDashBin "hledger-git" ''
|
||||||
hora
|
if [ "$1" = entry ]; then
|
||||||
pkgs.hledger
|
${pkgs.hledger}/bin/hledger balance -V > "${ledgerDirectory}/balance.txt"
|
||||||
(pkgs.writers.writeDashBin "hledger-git" ''
|
${git} add balance.txt
|
||||||
if [ "$1" = entry ]; then
|
${git} commit --all --message="$(date -Im)"
|
||||||
${pkgs.hledger}/bin/hledger balance -V > "${ledgerDirectory}/balance.txt"
|
else
|
||||||
${git} add balance.txt
|
${git} $*
|
||||||
${git} commit --all --message="$(date -Im)"
|
fi
|
||||||
else
|
'')
|
||||||
${git} $*
|
(pkgs.writers.writeDashBin "hledger-edit" ''
|
||||||
fi
|
$EDITOR ${ledgerDirectory}/current.journal
|
||||||
'')
|
'')
|
||||||
(pkgs.writers.writeDashBin "hledger-edit" ''
|
];
|
||||||
$EDITOR ${ledgerDirectory}/current.journal
|
|
||||||
'')
|
|
||||||
];
|
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -22,18 +22,8 @@
|
|||||||
sort_key = "PERCENT_CPU";
|
sort_key = "PERCENT_CPU";
|
||||||
tree_view = false;
|
tree_view = false;
|
||||||
update_process_names = false;
|
update_process_names = false;
|
||||||
right_meters = [
|
right_meters = ["Uptime" "Tasks" "LoadAverage" "Battery"];
|
||||||
"Uptime"
|
left_meters = ["LeftCPUs2" "RightCPUs2" "Memory" "Swap"];
|
||||||
"Tasks"
|
|
||||||
"LoadAverage"
|
|
||||||
"Battery"
|
|
||||||
];
|
|
||||||
left_meters = [
|
|
||||||
"LeftCPUs2"
|
|
||||||
"RightCPUs2"
|
|
||||||
"Memory"
|
|
||||||
"Swap"
|
|
||||||
];
|
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|||||||
455
configs/i3.nix
455
configs/i3.nix
@@ -2,12 +2,18 @@
|
|||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
|
niveumPackages,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
dashboard = pkgs.writers.writeDashBin "dashboard" ''
|
||||||
klem = pkgs.klem.override {
|
${pkgs.alacritty}/bin/alacritty --option font.size=4 --class dashboard --command ${pkgs.writers.writeDash "dashboard-inner" ''
|
||||||
options.dmenu = "${pkgs.dmenu}/bin/dmenu -i -p klem";
|
exec ${pkgs.procps}/bin/watch -c -n 10 ${niveumPackages.q}/bin/q
|
||||||
options.scripts = {
|
''}
|
||||||
|
'';
|
||||||
|
inherit (import ../lib) defaultApplications;
|
||||||
|
klem = niveumPackages.klem.override {
|
||||||
|
config.dmenu = "${pkgs.dmenu}/bin/dmenu -i -p klem";
|
||||||
|
config.scripts = {
|
||||||
"p.r paste" = pkgs.writers.writeDash "p.r" ''
|
"p.r paste" = pkgs.writers.writeDash "p.r" ''
|
||||||
${pkgs.curl}/bin/curl -fSs http://p.r --data-binary @- \
|
${pkgs.curl}/bin/curl -fSs http://p.r --data-binary @- \
|
||||||
| ${pkgs.coreutils}/bin/tail --lines=1 \
|
| ${pkgs.coreutils}/bin/tail --lines=1 \
|
||||||
@@ -36,10 +42,10 @@ let
|
|||||||
${pkgs.coreutils}/bin/tr '[A-Za-z]' '[N-ZA-Mn-za-m]'
|
${pkgs.coreutils}/bin/tr '[A-Za-z]' '[N-ZA-Mn-za-m]'
|
||||||
'';
|
'';
|
||||||
"ipa" = pkgs.writers.writeDash "ipa" ''
|
"ipa" = pkgs.writers.writeDash "ipa" ''
|
||||||
${pkgs.ipa}/bin/ipa
|
${niveumPackages.ipa}/bin/ipa
|
||||||
'';
|
'';
|
||||||
"betacode" = pkgs.writers.writeDash "betacode" ''
|
"betacode" = pkgs.writers.writeDash "betacode" ''
|
||||||
${pkgs.betacode}/bin/betacode
|
${niveumPackages.betacode}/bin/betacode
|
||||||
'';
|
'';
|
||||||
"curl" = pkgs.writers.writeDash "curl" ''
|
"curl" = pkgs.writers.writeDash "curl" ''
|
||||||
${pkgs.curl}/bin/curl -fSs "$(${pkgs.coreutils}/bin/cat)"
|
${pkgs.curl}/bin/curl -fSs "$(${pkgs.coreutils}/bin/cat)"
|
||||||
@@ -50,10 +56,15 @@ let
|
|||||||
emojai = pkgs.writers.writeDash "emojai" ''
|
emojai = pkgs.writers.writeDash "emojai" ''
|
||||||
${pkgs.curl}/bin/curl https://www.emojai.app/api/generate -X POST -H 'Content-Type: application/json' --data-raw "$(${pkgs.jq}/bin/jq -sR '{emoji:.}')" | ${pkgs.jq}/bin/jq -r .result
|
${pkgs.curl}/bin/curl https://www.emojai.app/api/generate -X POST -H 'Content-Type: application/json' --data-raw "$(${pkgs.jq}/bin/jq -sR '{emoji:.}')" | ${pkgs.jq}/bin/jq -r .result
|
||||||
'';
|
'';
|
||||||
|
"gpt-3.5" = pkgs.writers.writeDash "gpt" ''
|
||||||
|
${niveumPackages.gpt35}/bin/gpt
|
||||||
|
'';
|
||||||
|
gpt-4 = pkgs.writers.writeDash "gpt" ''
|
||||||
|
${niveumPackages.gpt4}/bin/gpt
|
||||||
|
'';
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
age.secrets = {
|
age.secrets = {
|
||||||
github-token-i3status-rust = {
|
github-token-i3status-rust = {
|
||||||
file = ../secrets/github-token-i3status-rust.age;
|
file = ../secrets/github-token-i3status-rust.age;
|
||||||
@@ -75,20 +86,15 @@ in
|
|||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
environment.systemPackages = [
|
programs.slock.enable = true;
|
||||||
pkgs.xsecurelock
|
|
||||||
];
|
environment.systemPackages = [dashboard];
|
||||||
environment.sessionVariables = {
|
|
||||||
XSECURELOCK_NO_COMPOSITE = "1";
|
|
||||||
XSECURELOCK_BACKGROUND_COLOR = "navy";
|
|
||||||
XSECURELOCK_PASSWORD_PROMPT = "time_hex";
|
|
||||||
};
|
|
||||||
|
|
||||||
services.displayManager.defaultSession = "none+i3";
|
services.displayManager.defaultSession = "none+i3";
|
||||||
services.xserver = {
|
services.xserver = {
|
||||||
windowManager.i3 = {
|
windowManager.i3 = {
|
||||||
enable = true;
|
enable = true;
|
||||||
package = pkgs.i3;
|
package = pkgs.i3-gaps;
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -107,224 +113,229 @@ in
|
|||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|
||||||
home-manager.users.me =
|
home-manager.users.me = let
|
||||||
let
|
modifier = "Mod4";
|
||||||
modifier = "Mod4";
|
infoWorkspace = "ℹ";
|
||||||
infoWorkspace = "ℹ";
|
messageWorkspace = "✉";
|
||||||
messageWorkspace = "✉";
|
modes.resize = {
|
||||||
modes.resize = {
|
"Escape" = ''mode "default"'';
|
||||||
"Escape" = ''mode "default"'';
|
"Return" = ''mode "default"'';
|
||||||
"Return" = ''mode "default"'';
|
"h" = "resize shrink width 10 px or 5 ppt";
|
||||||
"h" = "resize shrink width 10 px or 5 ppt";
|
"j" = "resize grow height 10 px or 5 ppt";
|
||||||
"j" = "resize grow height 10 px or 5 ppt";
|
"k" = "resize shrink height 10 px or 5 ppt";
|
||||||
"k" = "resize shrink height 10 px or 5 ppt";
|
"l" = "resize grow width 10 px or 5 ppt";
|
||||||
"l" = "resize grow width 10 px or 5 ppt";
|
};
|
||||||
};
|
gaps.inner = 4;
|
||||||
gaps.inner = 4;
|
floating = {
|
||||||
floating = {
|
titlebar = false;
|
||||||
titlebar = false;
|
border = 1;
|
||||||
border = 1;
|
};
|
||||||
};
|
bars = [
|
||||||
bars =
|
(config.home-manager.users.me.lib.stylix.i3.bar
|
||||||
let
|
// rec {
|
||||||
|
workspaceButtons = true;
|
||||||
|
mode = "hide"; # "dock";
|
||||||
position = "bottom";
|
position = "bottom";
|
||||||
in
|
statusCommand = toString (pkgs.writers.writeDash "i3status-rust" ''
|
||||||
[
|
export I3RS_GITHUB_TOKEN="$(cat ${config.age.secrets.github-token-i3status-rust.path})"
|
||||||
(lib.recursiveUpdate config.home-manager.users.me.stylix.targets.i3.exportedBarConfig {
|
export OPENWEATHERMAP_API_KEY="$(cat ${config.age.secrets.openweathermap-api-key.path})"
|
||||||
workspaceButtons = true;
|
exec ${config.home-manager.users.me.programs.i3status-rust.package}/bin/i3status-rs ${config.home-manager.users.me.home.homeDirectory}/.config/i3status-rust/config-${position}.toml
|
||||||
mode = "hide"; # "dock";
|
'');
|
||||||
inherit position;
|
fonts = {
|
||||||
statusCommand = toString (
|
names = ["${config.stylix.fonts.sansSerif.name}" "FontAwesome 6 Free"];
|
||||||
pkgs.writers.writeDash "i3status-rust" ''
|
size = config.stylix.fonts.sizes.desktop * 0.8;
|
||||||
export I3RS_GITHUB_TOKEN="$(cat ${config.age.secrets.github-token-i3status-rust.path})"
|
};
|
||||||
export OPENWEATHERMAP_API_KEY="$(cat ${config.age.secrets.openweathermap-api-key.path})"
|
})
|
||||||
exec ${config.home-manager.users.me.programs.i3status-rust.package}/bin/i3status-rs ${config.home-manager.users.me.home.homeDirectory}/.config/i3status-rust/config-${position}.toml
|
];
|
||||||
''
|
window = {
|
||||||
);
|
titlebar = false;
|
||||||
fonts = {
|
border = 2;
|
||||||
names = [
|
hideEdgeBorders = "smart";
|
||||||
"${config.stylix.fonts.sansSerif.name}"
|
commands = [
|
||||||
"FontAwesome 6 Free"
|
|
||||||
];
|
|
||||||
size = config.stylix.fonts.sizes.desktop * 0.8;
|
|
||||||
};
|
|
||||||
})
|
|
||||||
];
|
|
||||||
window = {
|
|
||||||
titlebar = false;
|
|
||||||
border = 2;
|
|
||||||
hideEdgeBorders = "smart";
|
|
||||||
commands = [
|
|
||||||
{
|
|
||||||
criteria = {
|
|
||||||
class = "floating";
|
|
||||||
};
|
|
||||||
command = "floating enable";
|
|
||||||
}
|
|
||||||
{
|
|
||||||
criteria = {
|
|
||||||
class = "fzfmenu";
|
|
||||||
};
|
|
||||||
command = "floating enable";
|
|
||||||
}
|
|
||||||
{
|
|
||||||
criteria = {
|
|
||||||
class = ".*";
|
|
||||||
};
|
|
||||||
command = "border pixel 2";
|
|
||||||
}
|
|
||||||
{
|
|
||||||
criteria = {
|
|
||||||
class = "mpv";
|
|
||||||
};
|
|
||||||
command = lib.strings.concatStringsSep ", " [
|
|
||||||
"floating enable"
|
|
||||||
"sticky enable"
|
|
||||||
"fullscreen disable"
|
|
||||||
"resize set 640 480"
|
|
||||||
"move position mouse"
|
|
||||||
];
|
|
||||||
}
|
|
||||||
];
|
|
||||||
};
|
|
||||||
colors =
|
|
||||||
let
|
|
||||||
background = config.lib.stylix.colors.withHashtag.base00;
|
|
||||||
in
|
|
||||||
{
|
{
|
||||||
unfocused = {
|
criteria = {class = "floating";};
|
||||||
border = lib.mkForce background;
|
command = "floating enable";
|
||||||
childBorder = lib.mkForce background;
|
}
|
||||||
|
{
|
||||||
|
criteria = {class = "fzfmenu";};
|
||||||
|
command = "floating enable";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
criteria = {class = ".*";};
|
||||||
|
command = "border pixel 2";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
criteria = {class = "mpv";};
|
||||||
|
command = lib.strings.concatStringsSep ", " [
|
||||||
|
"floating enable"
|
||||||
|
"sticky enable"
|
||||||
|
"fullscreen disable"
|
||||||
|
"resize set 640 480"
|
||||||
|
"move position mouse"
|
||||||
|
];
|
||||||
|
}
|
||||||
|
];
|
||||||
|
};
|
||||||
|
colors = let
|
||||||
|
background = config.lib.stylix.colors.withHashtag.base00;
|
||||||
|
in {
|
||||||
|
unfocused = {
|
||||||
|
border = lib.mkForce background;
|
||||||
|
childBorder = lib.mkForce background;
|
||||||
|
};
|
||||||
|
};
|
||||||
|
keybindings =
|
||||||
|
lib.listToAttrs (map (x: lib.nameValuePair "${modifier}+Shift+${toString x}" "move container to workspace ${toString x}") (lib.range 1 9))
|
||||||
|
// lib.listToAttrs (map (x: lib.nameValuePair "${modifier}+${toString x}" "workspace ${toString x}") (lib.range 1 9))
|
||||||
|
// {
|
||||||
|
"${modifier}+i" = "workspace ${infoWorkspace}";
|
||||||
|
"${modifier}+m" = "workspace ${messageWorkspace}";
|
||||||
|
|
||||||
|
"${modifier}+Shift+h" = "move left 25 px";
|
||||||
|
"${modifier}+Shift+j" = "move down 25 px";
|
||||||
|
"${modifier}+Shift+k" = "move up 25 px";
|
||||||
|
"${modifier}+Shift+l" = "move right 25 px";
|
||||||
|
"${modifier}+h" = "focus left";
|
||||||
|
"${modifier}+j" = "focus down";
|
||||||
|
"${modifier}+k" = "focus up";
|
||||||
|
"${modifier}+l" = "focus right";
|
||||||
|
|
||||||
|
# "${modifier}+Shift+b" = "move container to workspace prev";
|
||||||
|
# "${modifier}+Shift+n" = "move container to workspace next";
|
||||||
|
# "${modifier}+b" = "workspace prev";
|
||||||
|
# "${modifier}+n" = "workspace next";
|
||||||
|
|
||||||
|
"${modifier}+Shift+c" = "reload";
|
||||||
|
"${modifier}+Shift+q" = "kill";
|
||||||
|
"${modifier}+Shift+r" = "restart";
|
||||||
|
|
||||||
|
"${modifier}+z" = "sticky toggle";
|
||||||
|
"${modifier}+Shift+z" = "floating toggle";
|
||||||
|
|
||||||
|
"${modifier}+Shift+s" = "move scratchpad";
|
||||||
|
"${modifier}+s" = ''[class="^(?i)(?!obsidian).*"] scratchpad show'';
|
||||||
|
"${modifier}+o" = ''[class="obsidian"] scratchpad show'';
|
||||||
|
|
||||||
|
"${modifier}+c" = "split h";
|
||||||
|
"${modifier}+e" = "layout toggle split";
|
||||||
|
"${modifier}+f" = "fullscreen toggle";
|
||||||
|
"${modifier}+r" = "mode resize";
|
||||||
|
"${modifier}+v" = "split v";
|
||||||
|
"${modifier}+w" = "layout tabbed";
|
||||||
|
"${modifier}+q" = "exec ${config.services.clipmenu.package}/bin/clipmenu";
|
||||||
|
|
||||||
|
"${modifier}+Return" = "exec ${(defaultApplications pkgs).terminal}";
|
||||||
|
"${modifier}+t" = "exec ${(defaultApplications pkgs).fileManager}";
|
||||||
|
"${modifier}+y" = "exec ${(defaultApplications pkgs).browser}";
|
||||||
|
|
||||||
|
"${modifier}+d" = "exec ${pkgs.writers.writeDash "run" ''exec rofi -modi run,ssh,window -show run''}";
|
||||||
|
"${modifier}+Shift+d" = "exec ${niveumPackages.notemenu}/bin/notemenu";
|
||||||
|
"${modifier}+p" = "exec rofi-pass";
|
||||||
|
"${modifier}+Shift+p" = "exec rofi-pass --insert";
|
||||||
|
"${modifier}+u" = "exec ${niveumPackages.unicodmenu}/bin/unicodmenu";
|
||||||
|
"${modifier}+Shift+u" = "exec ${pkgs.writers.writeDash "last-unicode" ''${pkgs.xdotool}/bin/xdotool type --delay 1000 "$(${pkgs.gawk}/bin/awk 'END{print $1}' ~/.cache/unicodmenu)"''}";
|
||||||
|
|
||||||
|
"${modifier}+F7" = "exec ${pkgs.writers.writeDash "showkeys-toggle" ''
|
||||||
|
if ${pkgs.procps}/bin/pgrep screenkey; then
|
||||||
|
exec ${pkgs.procps}/bin/pkill screenkey
|
||||||
|
else
|
||||||
|
exec ${pkgs.screenkey}/bin/screenkey
|
||||||
|
fi
|
||||||
|
''}";
|
||||||
|
"${modifier}+F12" = "exec ${klem}/bin/klem";
|
||||||
|
"XF86AudioLowerVolume" = "exec ${pkgs.pamixer}/bin/pamixer -d 5";
|
||||||
|
"XF86AudioMute" = "exec ${pkgs.pamixer}/bin/pamixer -t";
|
||||||
|
"XF86AudioRaiseVolume" = "exec ${pkgs.pamixer}/bin/pamixer -i 5";
|
||||||
|
"XF86Calculator" = "exec ${pkgs.st}/bin/st -c floating -e ${pkgs.bc}/bin/bc";
|
||||||
|
"XF86AudioPause" = "exec ${pkgs.playerctl}/bin/playerctl play-pause";
|
||||||
|
"XF86AudioPlay" = "exec ${pkgs.playerctl}/bin/playerctl play-pause";
|
||||||
|
"XF86AudioNext" = "exec ${pkgs.playerctl}/bin/playerctl next";
|
||||||
|
"XF86AudioPrev" = "exec ${pkgs.playerctl}/bin/playerctl previous";
|
||||||
|
"XF86AudioStop" = "exec ${pkgs.playerctl}/bin/playerctl stop";
|
||||||
|
"XF86ScreenSaver" = "exec ${niveumPackages.k-lock}/bin/k-lock";
|
||||||
|
|
||||||
|
# key names detected with xorg.xev:
|
||||||
|
# XF86WakeUp (fn twice)
|
||||||
|
# XF86Battery (fn f3)
|
||||||
|
# XF86Sleep (fn f4) - actually suspends
|
||||||
|
# XF86WLAN
|
||||||
|
# XF86WebCam (fn f6)
|
||||||
|
# XF86TouchpadToggle (fn f8)
|
||||||
|
# XF86Suspend (fn f12) - actually suspends to disk
|
||||||
|
# Num_Lock (fn Roll) - numlocks
|
||||||
|
# XF86Audio{Prev,Next,Mute,Play,Stop}
|
||||||
|
# XF86Forward
|
||||||
|
# XF86Back
|
||||||
|
# XF86Launch1 (thinkvantage)
|
||||||
|
};
|
||||||
|
in {
|
||||||
|
wayland.windowManager.sway = {
|
||||||
|
enable = true;
|
||||||
|
config = {
|
||||||
|
menu = "rofi -modi run,ssh,window -show run";
|
||||||
|
inherit modifier modes gaps bars floating window colors keybindings;
|
||||||
|
input = {
|
||||||
|
"*" = {
|
||||||
|
xkb_layout = "de";
|
||||||
|
xkb_variant = "T3";
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
keybindings =
|
terminal = (defaultApplications pkgs).terminal;
|
||||||
lib.listToAttrs (
|
up = "k";
|
||||||
map (
|
down = "j";
|
||||||
x: lib.nameValuePair "${modifier}+Shift+${toString x}" "move container to workspace ${toString x}"
|
left = "h";
|
||||||
) (lib.range 1 9)
|
right = "l";
|
||||||
)
|
seat = {
|
||||||
// lib.listToAttrs (
|
"*" = {
|
||||||
map (x: lib.nameValuePair "${modifier}+${toString x}" "workspace ${toString x}") (lib.range 1 9)
|
hide_cursor = "when-typing enable";
|
||||||
)
|
};
|
||||||
// {
|
|
||||||
"${modifier}+i" = "workspace ${infoWorkspace}";
|
|
||||||
"${modifier}+m" = "workspace ${messageWorkspace}";
|
|
||||||
|
|
||||||
"${modifier}+Shift+h" = "move left 25 px";
|
|
||||||
"${modifier}+Shift+j" = "move down 25 px";
|
|
||||||
"${modifier}+Shift+k" = "move up 25 px";
|
|
||||||
"${modifier}+Shift+l" = "move right 25 px";
|
|
||||||
"${modifier}+h" = "focus left";
|
|
||||||
"${modifier}+j" = "focus down";
|
|
||||||
"${modifier}+k" = "focus up";
|
|
||||||
"${modifier}+l" = "focus right";
|
|
||||||
|
|
||||||
# "${modifier}+Shift+b" = "move container to workspace prev";
|
|
||||||
# "${modifier}+Shift+n" = "move container to workspace next";
|
|
||||||
# "${modifier}+b" = "workspace prev";
|
|
||||||
# "${modifier}+n" = "workspace next";
|
|
||||||
|
|
||||||
"${modifier}+Shift+c" = "reload";
|
|
||||||
"${modifier}+Shift+q" = "kill";
|
|
||||||
"${modifier}+Shift+r" = "restart";
|
|
||||||
|
|
||||||
"${modifier}+z" = "sticky toggle";
|
|
||||||
"${modifier}+Shift+z" = "floating toggle";
|
|
||||||
|
|
||||||
"${modifier}+Shift+s" = "move scratchpad";
|
|
||||||
"${modifier}+s" = ''[class="^(?i)(?!obsidian).*"] scratchpad show'';
|
|
||||||
"${modifier}+o" = ''[class="obsidian"] scratchpad show'';
|
|
||||||
|
|
||||||
"${modifier}+c" = "split h";
|
|
||||||
"${modifier}+e" = "layout toggle split";
|
|
||||||
"${modifier}+f" = "fullscreen toggle";
|
|
||||||
"${modifier}+r" = "mode resize";
|
|
||||||
"${modifier}+v" = "split v";
|
|
||||||
"${modifier}+w" = "layout tabbed";
|
|
||||||
"${modifier}+q" = "exec ${config.services.clipmenu.package}/bin/clipmenu";
|
|
||||||
|
|
||||||
"${modifier}+Return" = "exec ${lib.getExe pkgs.niveum-terminal}";
|
|
||||||
"${modifier}+t" = "exec ${lib.getExe pkgs.niveum-filemanager}";
|
|
||||||
"${modifier}+y" = "exec ${lib.getExe pkgs.niveum-browser}";
|
|
||||||
|
|
||||||
"${modifier}+d" =
|
|
||||||
"exec ${pkgs.writers.writeDash "run" ''exec rofi -modi run,ssh,window -show run''}";
|
|
||||||
"${modifier}+Shift+d" = "exec ${lib.getExe pkgs.notemenu}";
|
|
||||||
"${modifier}+p" = "exec rofi-pass";
|
|
||||||
"${modifier}+Shift+p" = "exec rofi-pass --insert";
|
|
||||||
"${modifier}+u" = "exec ${lib.getExe pkgs.unicodmenu}";
|
|
||||||
"${modifier}+Shift+u" =
|
|
||||||
"exec ${pkgs.writers.writeDash "last-unicode" ''${pkgs.xdotool}/bin/xdotool type --delay 1000 "$(${pkgs.gawk}/bin/awk 'END{print $1}' ~/.cache/unicodmenu)"''}";
|
|
||||||
|
|
||||||
"${modifier}+F7" = "exec ${pkgs.writers.writeDash "showkeys-toggle" ''
|
|
||||||
if ${pkgs.procps}/bin/pgrep screenkey; then
|
|
||||||
exec ${pkgs.procps}/bin/pkill screenkey
|
|
||||||
else
|
|
||||||
exec ${pkgs.screenkey}/bin/screenkey
|
|
||||||
fi
|
|
||||||
''}";
|
|
||||||
"${modifier}+F12" = "exec ${klem}/bin/klem";
|
|
||||||
"XF86AudioLowerVolume" = "exec ${lib.getExe pkgs.pamixer} -d 5";
|
|
||||||
"XF86AudioMute" = "exec ${lib.getExe pkgs.pamixer} -t";
|
|
||||||
"XF86AudioRaiseVolume" = "exec ${pkgs.pamixer}/bin/pamixer -i 5";
|
|
||||||
"XF86Calculator" = "exec ${lib.getExe pkgs.st} -c floating -e ${pkgs.bc}/bin/bc";
|
|
||||||
"XF86AudioPause" = "exec ${lib.getExe pkgs.playerctl} play-pause";
|
|
||||||
"XF86AudioPlay" = "exec ${lib.getExe pkgs.playerctl} play-pause";
|
|
||||||
"XF86AudioNext" = "exec ${lib.getExe pkgs.playerctl} next";
|
|
||||||
"XF86AudioPrev" = "exec ${lib.getExe pkgs.playerctl} previous";
|
|
||||||
"XF86AudioStop" = "exec ${lib.getExe pkgs.playerctl} stop";
|
|
||||||
|
|
||||||
# key names detected with xorg.xev:
|
|
||||||
# XF86WakeUp (fn twice)
|
|
||||||
# XF86Battery (fn f3)
|
|
||||||
# XF86Sleep (fn f4) - actually suspends
|
|
||||||
# XF86WLAN
|
|
||||||
# XF86WebCam (fn f6)
|
|
||||||
# XF86TouchpadToggle (fn f8)
|
|
||||||
# XF86Suspend (fn f12) - actually suspends to disk
|
|
||||||
# Num_Lock (fn Roll) - numlocks
|
|
||||||
# XF86Audio{Prev,Next,Mute,Play,Stop}
|
|
||||||
# XF86Forward
|
|
||||||
# XF86Back
|
|
||||||
# XF86Launch1 (thinkvantage)
|
|
||||||
};
|
};
|
||||||
in
|
startup = [
|
||||||
{
|
{command = "echo hello";}
|
||||||
stylix.targets.i3.enable = true;
|
];
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
xsession.windowManager.i3 = {
|
xsession.windowManager.i3 = {
|
||||||
enable = true;
|
enable = true;
|
||||||
extraConfig = ''
|
extraConfig = ''
|
||||||
bindsym --release ${modifier}+Shift+w exec xsecurelock
|
bindsym --release ${modifier}+Shift+w exec /run/wrappers/bin/slock
|
||||||
|
|
||||||
exec "${lib.getExe pkgs.obsidian}"
|
exec "${pkgs.obsidian}/bin/obsidian"
|
||||||
for_window [class="obsidian"] , move scratchpad
|
for_window [class="obsidian"] , move scratchpad
|
||||||
|
|
||||||
assign [class="message"] ${messageWorkspace}
|
assign [class="message"] ${messageWorkspace}
|
||||||
exec "${pkgs.writers.writeDash "irc" "exec ${lib.getExe pkgs.alacritty} --class message -e ssh weechat@makanek -t tmux attach-session -t IM"}"
|
exec "${pkgs.writers.writeDash "irc" "exec ${pkgs.alacritty}/bin/alacritty --class message -e ssh weechat@makanek -t tmux attach-session -t IM"}"
|
||||||
exec "${pkgs.writers.writeDash "email" "exec ${lib.getExe pkgs.alacritty} --class message -e aerc"}"
|
exec "${pkgs.writers.writeDash "email" "exec ${pkgs.alacritty}/bin/alacritty --class message -e aerc"}"
|
||||||
|
|
||||||
exec --no-startup-id ${pkgs.xss-lock}/bin/xss-lock -- xsecurelock
|
assign [class="dashboard"] ${infoWorkspace}
|
||||||
'';
|
exec ${dashboard}/bin/dashboard
|
||||||
config = {
|
'';
|
||||||
inherit
|
config = lib.mkMerge [
|
||||||
modifier
|
{
|
||||||
gaps
|
inherit modifier gaps modes bars floating window colors keybindings;
|
||||||
modes
|
}
|
||||||
bars
|
{
|
||||||
floating
|
keybindings = let
|
||||||
window
|
new-workspace = pkgs.writers.writeDash "new-workspace" ''
|
||||||
colors
|
i3-msg workspace $(($(i3-msg -t get_workspaces | tr , '\n' | grep '"num":' | cut -d : -f 2 | sort -rn | head -1) + 1))
|
||||||
;
|
'';
|
||||||
keybindings = keybindings // {
|
move-to-new-workspace = pkgs.writers.writeDash "new-workspace" ''
|
||||||
|
i3-msg move container to workspace $(($(i3-msg -t get_workspaces | tr , '\n' | grep '"num":' | cut -d : -f 2 | sort -rn | head -1) + 1))
|
||||||
|
'';
|
||||||
|
in {
|
||||||
|
"${modifier}+ß" = "exec ${niveumPackages.menu-calc}/bin/=";
|
||||||
|
"${modifier}+F6" = "exec ${pkgs.xorg.xkill}/bin/xkill";
|
||||||
"${modifier}+F9" = "exec ${pkgs.redshift}/bin/redshift -O 4000 -b 0.85";
|
"${modifier}+F9" = "exec ${pkgs.redshift}/bin/redshift -O 4000 -b 0.85";
|
||||||
"${modifier}+F10" = "exec ${pkgs.redshift}/bin/redshift -x";
|
"${modifier}+F10" = "exec ${pkgs.redshift}/bin/redshift -x";
|
||||||
|
"${modifier}+F11" = "exec ${pkgs.xcalib}/bin/xcalib -invert -alter";
|
||||||
"Print" = "exec flameshot gui";
|
"Print" = "exec flameshot gui";
|
||||||
# "${modifier}+Shift+x" = "exec ${move-to-new-workspace}";
|
# "${modifier}+Shift+x" = "exec ${move-to-new-workspace}";
|
||||||
# "${modifier}+x" = "exec ${new-workspace}";
|
# "${modifier}+x" = "exec ${new-workspace}";
|
||||||
"XF86Display" = "exec ${lib.getExe pkgs.dmenu-randr}";
|
"XF86Display" = "exec ${niveumPackages.dmenu-randr}/bin/dmenu-randr";
|
||||||
};
|
};
|
||||||
};
|
}
|
||||||
};
|
];
|
||||||
};
|
};
|
||||||
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -2,8 +2,7 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
config,
|
config,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
age.secrets = {
|
age.secrets = {
|
||||||
miniflux-api-token = {
|
miniflux-api-token = {
|
||||||
file = ../secrets/miniflux-api-token.age;
|
file = ../secrets/miniflux-api-token.age;
|
||||||
@@ -19,24 +18,22 @@
|
|||||||
bars.bottom = {
|
bars.bottom = {
|
||||||
icons = "awesome6";
|
icons = "awesome6";
|
||||||
settings = {
|
settings = {
|
||||||
theme.overrides =
|
theme.overrides = let
|
||||||
let
|
colours = config.lib.stylix.colors.withHashtag;
|
||||||
colours = config.lib.stylix.colors.withHashtag;
|
in {
|
||||||
in
|
idle_bg = colours.base00;
|
||||||
{
|
idle_fg = colours.base05;
|
||||||
idle_bg = colours.base00;
|
good_bg = colours.base00;
|
||||||
idle_fg = colours.base05;
|
good_fg = colours.base0B;
|
||||||
good_bg = colours.base00;
|
warning_bg = colours.base00;
|
||||||
good_fg = colours.base0B;
|
warning_fg = colours.base0A;
|
||||||
warning_bg = colours.base00;
|
critical_bg = colours.base00;
|
||||||
warning_fg = colours.base0A;
|
critical_fg = colours.base09;
|
||||||
critical_bg = colours.base00;
|
info_bg = colours.base00;
|
||||||
critical_fg = colours.base09;
|
info_fg = colours.base04;
|
||||||
info_bg = colours.base00;
|
separator_bg = colours.base00;
|
||||||
info_fg = colours.base04;
|
separator = " ";
|
||||||
separator_bg = colours.base00;
|
};
|
||||||
separator = " ";
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
blocks = [
|
blocks = [
|
||||||
{
|
{
|
||||||
@@ -73,7 +70,7 @@
|
|||||||
block = "memory";
|
block = "memory";
|
||||||
format = "$icon $mem_used.eng(prefix:G)";
|
format = "$icon $mem_used.eng(prefix:G)";
|
||||||
}
|
}
|
||||||
{ block = "load"; }
|
{block = "load";}
|
||||||
{
|
{
|
||||||
block = "time";
|
block = "time";
|
||||||
format = "$icon $timestamp.datetime(f:'%Y-%m-%d (%W %a) %H:%M', l:de_DE)";
|
format = "$icon $timestamp.datetime(f:'%Y-%m-%d (%W %a) %H:%M', l:de_DE)";
|
||||||
|
|||||||
98
configs/keyboard.nix
Normal file
98
configs/keyboard.nix
Normal file
@@ -0,0 +1,98 @@
|
|||||||
|
{
|
||||||
|
pkgs,
|
||||||
|
lib,
|
||||||
|
...
|
||||||
|
}: let
|
||||||
|
|
||||||
|
commaSep = builtins.concatStringsSep ",";
|
||||||
|
xkbOptions = ["compose:caps" "terminate:ctrl_alt_bksp" "grp:ctrls_toggle"];
|
||||||
|
languages = {
|
||||||
|
arabic = { code = "ara"; variant = "buckwalter"; }; # ../lib/keyboards/arabic;
|
||||||
|
avestan = ../lib/keyboards/avestan;
|
||||||
|
coptic = ../lib/keyboards/coptic;
|
||||||
|
deutsch = { code = "de"; variant = "T3"; };
|
||||||
|
farsi = { code = "ir"; variant = "qwerty"; };
|
||||||
|
gothic = ../lib/keyboards/gothic;
|
||||||
|
greek = { code = "gr"; variant = "polytonic"; };
|
||||||
|
gujarati = {code = "in"; variant = "guj-kagapa"; };
|
||||||
|
hebrew = {code = "il"; variant = "phonetic";};
|
||||||
|
russian = { code = "ru"; variant = "phonetic"; };
|
||||||
|
sanskrit = { code = "in"; variant = "san-kagapa"; };
|
||||||
|
syriac = { code = "sy"; variant = "syc_phonetic"; };
|
||||||
|
urdu = {code = "in"; variant = "urd-phonetic"; };
|
||||||
|
};
|
||||||
|
defaultLanguage = languages.deutsch;
|
||||||
|
in {
|
||||||
|
services.libinput.enable = true;
|
||||||
|
|
||||||
|
# man 7 xkeyboard-config
|
||||||
|
services.xserver = {
|
||||||
|
# exportConfiguration = true; # link /usr/share/X11 properly
|
||||||
|
xkb.layout = defaultLanguage.code;
|
||||||
|
# T3: https://upload.wikimedia.org/wikipedia/commons/a/a9/German-Keyboard-Layout-T3-Version1-large.png
|
||||||
|
# buckwalter: http://www.qamus.org/transliteration.htm
|
||||||
|
xkb.variant = defaultLanguage.variant;
|
||||||
|
xkb.options = commaSep xkbOptions;
|
||||||
|
xkb.extraLayouts = {
|
||||||
|
"coptic" = {
|
||||||
|
languages = ["cop"];
|
||||||
|
description = "Coptic";
|
||||||
|
symbolsFile = ../lib/keyboards/coptic;
|
||||||
|
};
|
||||||
|
"gothic" = {
|
||||||
|
languages = ["got"];
|
||||||
|
description = "Gothic";
|
||||||
|
symbolsFile = ../lib/keyboards/gothic;
|
||||||
|
};
|
||||||
|
"avestan" = {
|
||||||
|
languages = ["ave"];
|
||||||
|
description = "Avestan";
|
||||||
|
symbolsFile = ../lib/keyboards/avestan;
|
||||||
|
};
|
||||||
|
"farsi-good" = {
|
||||||
|
languages = ["fas"];
|
||||||
|
description = "Farsi, but good";
|
||||||
|
symbolsFile = ../lib/keyboards/farsi;
|
||||||
|
};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
environment.etc."x11-locale".source = toString pkgs.xorg.libX11 + "share/X11/locale";
|
||||||
|
|
||||||
|
console.keyMap = "de";
|
||||||
|
|
||||||
|
environment.systemPackages =
|
||||||
|
lib.mapAttrsToList
|
||||||
|
(language: settings:
|
||||||
|
let
|
||||||
|
code = if settings ? "code" then settings.code else language;
|
||||||
|
variant = if settings ? "variant" then settings.variant else "";
|
||||||
|
in
|
||||||
|
pkgs.writers.writeDashBin "kb-${language}" ''
|
||||||
|
${pkgs.xorg.setxkbmap}/bin/setxkbmap ${defaultLanguage.code},${code} ${defaultLanguage.variant},${variant} ${toString (map (option: "-option ${option}") xkbOptions)}
|
||||||
|
'')
|
||||||
|
languages ++
|
||||||
|
lib.mapAttrsToList
|
||||||
|
(language: settings:
|
||||||
|
let
|
||||||
|
code = if settings ? "code" then settings.code else language;
|
||||||
|
variant = if settings ? "variant" then settings.variant else "";
|
||||||
|
in
|
||||||
|
pkgs.writers.writeDashBin "kb-niri-${language}" ''
|
||||||
|
${pkgs.gnused}/bin/sed -i 's/^\(\s*layout\) ".*"$/\1 "${defaultLanguage.code},${code}"/;s/^\(\s*variant\) ".*"$/\1 "${defaultLanguage.variant},${variant}"/' ~/.config/niri/config.kdl
|
||||||
|
'') languages;
|
||||||
|
|
||||||
|
# improve held key rate
|
||||||
|
services.xserver.displayManager.sessionCommands = "${pkgs.xorg.xset}/bin/xset r rate 300 50";
|
||||||
|
|
||||||
|
systemd.user.services.gxkb = {
|
||||||
|
wantedBy = ["graphical-session.target"];
|
||||||
|
serviceConfig = {
|
||||||
|
SyslogIdentifier = "gxkb";
|
||||||
|
ExecStart = "${pkgs.gxkb}/bin/gxkb";
|
||||||
|
Restart = "always";
|
||||||
|
RestartSec = "15s";
|
||||||
|
StartLimitBurst = 0;
|
||||||
|
};
|
||||||
|
};
|
||||||
|
}
|
||||||
@@ -1,139 +0,0 @@
|
|||||||
{
|
|
||||||
config,
|
|
||||||
pkgs,
|
|
||||||
lib,
|
|
||||||
...
|
|
||||||
}:
|
|
||||||
let
|
|
||||||
|
|
||||||
commaSep = builtins.concatStringsSep ",";
|
|
||||||
xkbOptions = [
|
|
||||||
"compose:caps"
|
|
||||||
"terminate:ctrl_alt_bksp"
|
|
||||||
"grp:ctrls_toggle"
|
|
||||||
];
|
|
||||||
languages = {
|
|
||||||
deutsch = {
|
|
||||||
code = "de";
|
|
||||||
variant = "T3";
|
|
||||||
};
|
|
||||||
greek = {
|
|
||||||
code = "gr";
|
|
||||||
variant = "polytonic";
|
|
||||||
};
|
|
||||||
russian = {
|
|
||||||
code = "ru";
|
|
||||||
variant = "phonetic";
|
|
||||||
};
|
|
||||||
arabic = {
|
|
||||||
code = "ara";
|
|
||||||
variant = "buckwalter";
|
|
||||||
};
|
|
||||||
coptic = ./coptic;
|
|
||||||
avestan = ./avestan;
|
|
||||||
gothic = ./gothic;
|
|
||||||
farsi = {
|
|
||||||
code = "ir";
|
|
||||||
variant = "qwerty";
|
|
||||||
};
|
|
||||||
syriac = {
|
|
||||||
code = "sy";
|
|
||||||
variant = "syc_phonetic";
|
|
||||||
};
|
|
||||||
sanskrit = {
|
|
||||||
code = "in";
|
|
||||||
variant = "san-kagapa";
|
|
||||||
};
|
|
||||||
gujarati = {
|
|
||||||
code = "in";
|
|
||||||
variant = "guj-kagapa";
|
|
||||||
};
|
|
||||||
urdu = {
|
|
||||||
code = "in";
|
|
||||||
variant = "urd-phonetic";
|
|
||||||
};
|
|
||||||
hebrew = {
|
|
||||||
code = "il";
|
|
||||||
variant = "phonetic";
|
|
||||||
};
|
|
||||||
};
|
|
||||||
defaultLanguage = languages.deutsch;
|
|
||||||
in
|
|
||||||
{
|
|
||||||
services.libinput.enable = true;
|
|
||||||
|
|
||||||
# man 7 xkeyboard-config
|
|
||||||
services.xserver = {
|
|
||||||
exportConfiguration = lib.mkForce true; # link /usr/share/X11 properly
|
|
||||||
xkb.layout = defaultLanguage.code;
|
|
||||||
# T3: https://upload.wikimedia.org/wikipedia/commons/a/a9/German-Keyboard-Layout-T3-Version1-large.png
|
|
||||||
# buckwalter: http://www.qamus.org/transliteration.htm
|
|
||||||
xkb.variant = defaultLanguage.variant;
|
|
||||||
xkb.options = commaSep xkbOptions;
|
|
||||||
xkb.extraLayouts = {
|
|
||||||
coptic = {
|
|
||||||
languages = [ "cop" ];
|
|
||||||
description = "Coptic is the latest stage of the Egyptian language and was used by Egyptian Christians. The Coptic script is based on the Greek alphabet with some letters borrowed from Demotic Egyptian.";
|
|
||||||
symbolsFile = ./coptic;
|
|
||||||
};
|
|
||||||
avestan = {
|
|
||||||
languages = [ "ave" ];
|
|
||||||
description = "Avestan is an ancient Iranian language known primarily from its use in the sacred texts of Zoroastrianism, the Avesta. It is an Indo-Iranian language that was spoken in ancient Persia.";
|
|
||||||
symbolsFile = ./avestan;
|
|
||||||
};
|
|
||||||
gothic = {
|
|
||||||
languages = [ "got" ];
|
|
||||||
description = "Gothic is an extinct East Germanic language that was spoken by the Goths. It is known primarily from the Codex Argenteus, a 6th-century manuscript containing a translation of the Bible into Gothic.";
|
|
||||||
symbolsFile = ./gothic;
|
|
||||||
};
|
|
||||||
farsi = {
|
|
||||||
languages = [ "fas" ];
|
|
||||||
description = "Farsi, also known as Persian, is an Indo-Iranian language spoken primarily in Iran, Afghanistan (where it is known as Dari), and Tajikistan (where it is called Tajik). It has a rich literary tradition and is written in a modified Arabic script.";
|
|
||||||
symbolsFile = ./farsi;
|
|
||||||
};
|
|
||||||
};
|
|
||||||
};
|
|
||||||
|
|
||||||
environment.etc."x11-locale".source = toString pkgs.xorg.libX11 + "share/X11/locale";
|
|
||||||
|
|
||||||
home-manager.users.me = {
|
|
||||||
home.file = {
|
|
||||||
".XCompose".source = ./XCompose;
|
|
||||||
};
|
|
||||||
};
|
|
||||||
|
|
||||||
console.keyMap = "de";
|
|
||||||
|
|
||||||
environment.systemPackages = lib.mapAttrsToList (
|
|
||||||
language: settings:
|
|
||||||
let
|
|
||||||
code = if settings ? "code" then settings.code else language;
|
|
||||||
variant = if settings ? "variant" then settings.variant else "";
|
|
||||||
in
|
|
||||||
pkgs.writers.writeDashBin "kb-${language}" ''
|
|
||||||
if [ -z $SWAYSOCK ]; then
|
|
||||||
${pkgs.xorg.setxkbmap}/bin/setxkbmap ${defaultLanguage.code},${code} ${defaultLanguage.variant},${variant} ${
|
|
||||||
toString (map (option: "-option ${option}") xkbOptions)
|
|
||||||
}
|
|
||||||
else
|
|
||||||
swaymsg -s $SWAYSOCK 'input * xkb_layout "${defaultLanguage.code},${code}"'
|
|
||||||
swaymsg -s $SWAYSOCK 'input * xkb_variant "${defaultLanguage.variant},${variant}"'
|
|
||||||
swaymsg -s $SWAYSOCK 'input * xkb_options "${lib.concatStringsSep "," xkbOptions}"'
|
|
||||||
fi
|
|
||||||
''
|
|
||||||
) (languages // config.services.xserver.xkb.extraLayouts);
|
|
||||||
|
|
||||||
# improve held key rate
|
|
||||||
services.xserver.displayManager.sessionCommands = "${pkgs.xorg.xset}/bin/xset r rate 300 50";
|
|
||||||
|
|
||||||
systemd.user.services.gxkb = {
|
|
||||||
wantedBy = [ "graphical-session.target" ];
|
|
||||||
serviceConfig = {
|
|
||||||
SyslogIdentifier = "gxkb";
|
|
||||||
ExecStart = "${pkgs.gxkb}/bin/gxkb";
|
|
||||||
Restart = "always";
|
|
||||||
RestartSec = "15s";
|
|
||||||
StartLimitBurst = 0;
|
|
||||||
};
|
|
||||||
};
|
|
||||||
}
|
|
||||||
@@ -3,16 +3,19 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
davHome = "~/.local/share/dav";
|
davHome = "~/.local/share/dav";
|
||||||
kmeinCloud = {
|
kmeinCloud = {
|
||||||
davEndpoint = "https://cloud.kmein.de/remote.php/dav";
|
davEndpoint = "https://cloud.kmein.de/remote.php/dav";
|
||||||
username = "kieran";
|
username = "kieran";
|
||||||
passwordFile = config.age.secrets.nextcloud-password-kieran.path;
|
passwordFile = config.age.secrets.nextcloud-password-kieran.path;
|
||||||
};
|
};
|
||||||
in
|
fysiCloud = {
|
||||||
{
|
davEndpoint = "https://nextcloud.fysi.dev/remote.php/dav";
|
||||||
|
username = "kmein";
|
||||||
|
passwordFile = config.age.secrets.nextcloud-password-fysi.path;
|
||||||
|
};
|
||||||
|
in {
|
||||||
age.secrets = {
|
age.secrets = {
|
||||||
nextcloud-password-kieran = {
|
nextcloud-password-kieran = {
|
||||||
file = ../secrets/nextcloud-password-kieran.age;
|
file = ../secrets/nextcloud-password-kieran.age;
|
||||||
@@ -47,8 +50,8 @@ in
|
|||||||
|
|
||||||
systemd.user.services.vdirsyncer = {
|
systemd.user.services.vdirsyncer = {
|
||||||
enable = true;
|
enable = true;
|
||||||
wants = [ "network-online.target" ];
|
wants = ["network-online.target"];
|
||||||
wantedBy = [ "default.target" ];
|
wantedBy = ["default.target"];
|
||||||
startAt = "*:00/10";
|
startAt = "*:00/10";
|
||||||
script = ''
|
script = ''
|
||||||
${pkgs.vdirsyncer}/bin/vdirsyncer sync && ${pkgs.khal}/bin/khal printcalendars # https://lostpackets.de/khal/configure.html#syncing
|
${pkgs.vdirsyncer}/bin/vdirsyncer sync && ${pkgs.khal}/bin/khal printcalendars # https://lostpackets.de/khal/configure.html#syncing
|
||||||
|
|||||||
@@ -2,11 +2,10 @@
|
|||||||
lib,
|
lib,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
systemd.services.lb-subscription = {
|
systemd.services.lb-subscription = {
|
||||||
enable = true;
|
enable = true;
|
||||||
wants = [ "network-online.target" ];
|
wants = ["network-online.target"];
|
||||||
startAt = "weekly";
|
startAt = "weekly";
|
||||||
serviceConfig = {
|
serviceConfig = {
|
||||||
user = "kfm";
|
user = "kfm";
|
||||||
|
|||||||
19
configs/mastodon-bot.nix
Normal file
19
configs/mastodon-bot.nix
Normal file
@@ -0,0 +1,19 @@
|
|||||||
|
{pkgs, ...}: {
|
||||||
|
systemd.services.imaginary-illuminations = {
|
||||||
|
enable = false;
|
||||||
|
wants = ["network-online.target"];
|
||||||
|
serviceConfig = {
|
||||||
|
User = "kfm";
|
||||||
|
Group = "users";
|
||||||
|
WorkingDirectory = "/home/kfm/cloud/Seafile/Documents/Media/imaginary-illuminations";
|
||||||
|
Restart = "on-failure";
|
||||||
|
RestartSec = "15s";
|
||||||
|
};
|
||||||
|
startAt = "7:00";
|
||||||
|
script = ''
|
||||||
|
${pkgs.deno}/bin/deno run -A post.ts
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
|
||||||
|
systemd.timers.imaginary-illuminations.timerConfig.RandomizedDelaySec = "14h";
|
||||||
|
}
|
||||||
@@ -2,8 +2,7 @@
|
|||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
services.nginx.virtualHosts.default = {
|
services.nginx.virtualHosts.default = {
|
||||||
locations."= /stub_status".extraConfig = "stub_status;";
|
locations."= /stub_status".extraConfig = "stub_status;";
|
||||||
};
|
};
|
||||||
@@ -42,12 +41,12 @@
|
|||||||
|
|
||||||
systemd.services.promtail = {
|
systemd.services.promtail = {
|
||||||
description = "Promtail service for Loki";
|
description = "Promtail service for Loki";
|
||||||
wantedBy = [ "multi-user.target" ];
|
wantedBy = ["multi-user.target"];
|
||||||
|
|
||||||
serviceConfig = {
|
serviceConfig = {
|
||||||
ExecStart = ''
|
ExecStart = ''
|
||||||
${pkgs.grafana-loki}/bin/promtail --config.file ${
|
${pkgs.grafana-loki}/bin/promtail --config.file ${
|
||||||
(pkgs.formats.yaml { }).generate "promtail.yaml" {
|
(pkgs.formats.yaml {}).generate "promtail.yaml" {
|
||||||
server = {
|
server = {
|
||||||
http_listen_port = 28183;
|
http_listen_port = 28183;
|
||||||
grpc_listen_port = 0;
|
grpc_listen_port = 0;
|
||||||
@@ -56,7 +55,9 @@
|
|||||||
clients = [
|
clients = [
|
||||||
{
|
{
|
||||||
url = "http://${
|
url = "http://${
|
||||||
if config.networking.hostName == "makanek" then "127.0.0.1" else "makanek.r"
|
if config.networking.hostName == "makanek"
|
||||||
|
then "127.0.0.1"
|
||||||
|
else "makanek.r"
|
||||||
}:3100/loki/api/v1/push";
|
}:3100/loki/api/v1/push";
|
||||||
}
|
}
|
||||||
];
|
];
|
||||||
@@ -70,7 +71,7 @@
|
|||||||
};
|
};
|
||||||
relabel_configs = [
|
relabel_configs = [
|
||||||
{
|
{
|
||||||
source_labels = [ "__journal__systemd_unit" ];
|
source_labels = ["__journal__systemd_unit"];
|
||||||
target_label = "unit";
|
target_label = "unit";
|
||||||
}
|
}
|
||||||
];
|
];
|
||||||
|
|||||||
@@ -2,12 +2,11 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
config,
|
config,
|
||||||
|
niveumPackages,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
swallow = command: "${niveumPackages.swallow}/bin/swallow ${command}";
|
||||||
swallow = command: "${pkgs.swallow}/bin/swallow ${command}";
|
in {
|
||||||
in
|
|
||||||
{
|
|
||||||
environment.shellAliases.smpv = swallow "mpv";
|
environment.shellAliases.smpv = swallow "mpv";
|
||||||
|
|
||||||
nixpkgs.overlays = [
|
nixpkgs.overlays = [
|
||||||
@@ -21,11 +20,7 @@ in
|
|||||||
enable = true;
|
enable = true;
|
||||||
config = {
|
config = {
|
||||||
ytdl-format = "bestvideo[height<=?720][fps<=?30][vcodec!=?vp9]+bestaudio/best";
|
ytdl-format = "bestvideo[height<=?720][fps<=?30][vcodec!=?vp9]+bestaudio/best";
|
||||||
ytdl-raw-options = lib.concatStringsSep "," [
|
ytdl-raw-options = lib.concatStringsSep "," [''sub-lang="de,en"'' "write-sub=" "write-auto-sub="];
|
||||||
''sub-lang="de,en"''
|
|
||||||
"write-sub="
|
|
||||||
"write-auto-sub="
|
|
||||||
];
|
|
||||||
screenshot-template = "%F-%wH%wM%wS-%#04n";
|
screenshot-template = "%F-%wH%wM%wS-%#04n";
|
||||||
script-opts = "ytdl_hook-ytdl_path=${pkgs.yt-dlp}/bin/yt-dlp";
|
script-opts = "ytdl_hook-ytdl_path=${pkgs.yt-dlp}/bin/yt-dlp";
|
||||||
ao = "pulse"; # no pipewire for me :(
|
ao = "pulse"; # no pipewire for me :(
|
||||||
@@ -41,8 +36,8 @@ in
|
|||||||
"Alt+j" = "add video-pan-y -0.05";
|
"Alt+j" = "add video-pan-y -0.05";
|
||||||
};
|
};
|
||||||
scripts = [
|
scripts = [
|
||||||
pkgs.mpvScripts.quality-menu
|
# pkgs.mpvScripts.quality-menu
|
||||||
pkgs.mpvScripts.visualizer
|
niveumPackages.mpv-visualizer
|
||||||
];
|
];
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -1,4 +1,7 @@
|
|||||||
{ lib, pkgs, ... }:
|
{ lib, ... }:
|
||||||
|
let
|
||||||
|
myceliumAddresses = import ../lib/mycelium-network.nix;
|
||||||
|
in
|
||||||
{
|
{
|
||||||
services.mycelium = {
|
services.mycelium = {
|
||||||
enable = true;
|
enable = true;
|
||||||
@@ -8,5 +11,5 @@
|
|||||||
networking.hosts = lib.mapAttrs' (name: address: {
|
networking.hosts = lib.mapAttrs' (name: address: {
|
||||||
name = address;
|
name = address;
|
||||||
value = [ "${name}.m" ];
|
value = [ "${name}.m" ];
|
||||||
}) pkgs.lib.niveum.myceliumAddresses;
|
}) myceliumAddresses;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,19 +1,10 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
niveumPackages,
|
||||||
config,
|
config,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
let
|
environment.variables.EDITOR = pkgs.lib.mkForce "nvim";
|
||||||
vim-kmein = (
|
|
||||||
pkgs.vim-kmein.override {
|
|
||||||
# stylixColors = config.lib.stylix.colors;
|
|
||||||
colorscheme = "base16-gruvbox-dark-medium";
|
|
||||||
}
|
|
||||||
);
|
|
||||||
in
|
|
||||||
{
|
|
||||||
environment.variables.EDITOR = lib.getExe vim-kmein;
|
|
||||||
environment.shellAliases.vi = "nvim";
|
environment.shellAliases.vi = "nvim";
|
||||||
environment.shellAliases.vim = "nvim";
|
environment.shellAliases.vim = "nvim";
|
||||||
environment.shellAliases.view = "nvim -R";
|
environment.shellAliases.view = "nvim -R";
|
||||||
@@ -44,22 +35,24 @@ in
|
|||||||
};
|
};
|
||||||
|
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
pkgs.vim-typewriter
|
(pkgs.writers.writeDashBin "vim" ''neovim "$@"'')
|
||||||
vim-kmein
|
(niveumPackages.vim.override {
|
||||||
|
stylixColors = config.lib.stylix.colors;
|
||||||
|
# colorscheme = "base16-gruvbox-light-medium";
|
||||||
|
})
|
||||||
|
|
||||||
# language servers
|
# language servers
|
||||||
pkgs.pyright
|
pkgs.pyright
|
||||||
pkgs.haskellPackages.haskell-language-server
|
pkgs.haskellPackages.haskell-language-server
|
||||||
pkgs.texlab
|
pkgs.texlab
|
||||||
pkgs.nil
|
pkgs.nil
|
||||||
pkgs.gopls
|
|
||||||
pkgs.nixfmt-rfc-style
|
pkgs.nixfmt-rfc-style
|
||||||
pkgs.rust-analyzer
|
pkgs.rust-analyzer
|
||||||
pkgs.nodePackages.typescript-language-server
|
pkgs.nodePackages.typescript-language-server
|
||||||
pkgs.lua-language-server
|
pkgs.lua-language-server
|
||||||
pkgs.nodePackages.vscode-langservers-extracted
|
pkgs.nodePackages.vscode-langservers-extracted
|
||||||
pkgs.lemminx # XML LSP
|
pkgs.lemminx
|
||||||
pkgs.jq-lsp
|
niveumPackages.jq-lsp
|
||||||
pkgs.dhall-lsp-server
|
pkgs.dhall-lsp-server
|
||||||
];
|
];
|
||||||
}
|
}
|
||||||
|
|||||||
46
configs/neovim.sync-conflict-20250130-092404-AJVBWR2.nix
Normal file
46
configs/neovim.sync-conflict-20250130-092404-AJVBWR2.nix
Normal file
@@ -0,0 +1,46 @@
|
|||||||
|
{ pkgs, niveumPackages, config, ... }: {
|
||||||
|
environment.variables.EDITOR = pkgs.lib.mkForce "nvim";
|
||||||
|
environment.shellAliases.vi = "nvim";
|
||||||
|
environment.shellAliases.vim = "nvim";
|
||||||
|
environment.shellAliases.view = "nvim -R";
|
||||||
|
|
||||||
|
home-manager.users.me = {
|
||||||
|
editorconfig = {
|
||||||
|
enable = true;
|
||||||
|
settings = {
|
||||||
|
"*" = {
|
||||||
|
charset = "utf-8";
|
||||||
|
end_of_line = "lf";
|
||||||
|
trim_trailing_whitespace = true;
|
||||||
|
insert_final_newline = true;
|
||||||
|
indent_style = "space";
|
||||||
|
indent_size = 2;
|
||||||
|
};
|
||||||
|
"*.py" = { indent_size = 4; };
|
||||||
|
Makefile = { indent_style = "tab"; };
|
||||||
|
"*.md" = { trim_trailing_whitespace = false; };
|
||||||
|
};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
environment.systemPackages = [
|
||||||
|
(pkgs.writers.writeDashBin "vim" ''neovim "$@"'')
|
||||||
|
(niveumPackages.vim.override {
|
||||||
|
stylixColors = config.lib.stylix.colors;
|
||||||
|
# colorscheme = "base16-gruvbox-dark-medium";
|
||||||
|
})
|
||||||
|
|
||||||
|
# language servers
|
||||||
|
pkgs.pyright
|
||||||
|
pkgs.haskellPackages.haskell-language-server
|
||||||
|
pkgs.texlab
|
||||||
|
pkgs.nil
|
||||||
|
pkgs.rust-analyzer
|
||||||
|
pkgs.nodePackages.typescript-language-server
|
||||||
|
pkgs.lua-language-server
|
||||||
|
pkgs.nodePackages.vscode-langservers-extracted
|
||||||
|
pkgs.lemminx
|
||||||
|
niveumPackages.jq-lsp
|
||||||
|
pkgs.dhall-lsp-server
|
||||||
|
];
|
||||||
|
}
|
||||||
@@ -1,8 +1,7 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
programs.nm-applet.enable = true;
|
programs.nm-applet.enable = true;
|
||||||
|
|
||||||
networking.networkmanager = {
|
networking.networkmanager = {
|
||||||
@@ -13,10 +12,10 @@
|
|||||||
];
|
];
|
||||||
wifi.macAddress = "random";
|
wifi.macAddress = "random";
|
||||||
ethernet.macAddress = "random";
|
ethernet.macAddress = "random";
|
||||||
unmanaged = [ "docker*" ];
|
unmanaged = ["docker*"];
|
||||||
};
|
};
|
||||||
|
|
||||||
users.users.me.extraGroups = [ "networkmanager" ];
|
users.users.me.extraGroups = ["networkmanager"];
|
||||||
|
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
pkgs.speedtest-cli
|
pkgs.speedtest-cli
|
||||||
|
|||||||
@@ -2,8 +2,7 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
config,
|
config,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
(pkgs.writers.writeDashBin "miniflux-watch-later" ''
|
(pkgs.writers.writeDashBin "miniflux-watch-later" ''
|
||||||
miniflux_api_token=$(cat ${config.age.secrets.miniflux-api-token.path})
|
miniflux_api_token=$(cat ${config.age.secrets.miniflux-api-token.path})
|
||||||
|
|||||||
445
configs/niri.nix
Normal file
445
configs/niri.nix
Normal file
@@ -0,0 +1,445 @@
|
|||||||
|
{
|
||||||
|
pkgs,
|
||||||
|
config,
|
||||||
|
niveumPackages,
|
||||||
|
lib,
|
||||||
|
...
|
||||||
|
}:
|
||||||
|
let
|
||||||
|
inherit (import ../lib) defaultApplications;
|
||||||
|
niriConfig =
|
||||||
|
let
|
||||||
|
klem = niveumPackages.klem.override {
|
||||||
|
config.dmenu = "${pkgs.dmenu}/bin/dmenu -i -p klem";
|
||||||
|
config.scripts = {
|
||||||
|
"p.r paste" = pkgs.writers.writeDash "p.r" ''
|
||||||
|
${pkgs.curl}/bin/curl -fSs http://p.r --data-binary @- \
|
||||||
|
| ${pkgs.coreutils}/bin/tail --lines=1 \
|
||||||
|
| ${pkgs.gnused}/bin/sed 's/\\<r\\>/krebsco.de/'
|
||||||
|
'';
|
||||||
|
"envs.sh paste" = pkgs.writers.writeDash "envs-host" ''
|
||||||
|
${pkgs.curl}/bin/curl -F "file=@-" https://envs.sh
|
||||||
|
'';
|
||||||
|
"envs.sh shorten" = pkgs.writers.writeDash "envs-shorten" ''
|
||||||
|
${pkgs.curl}/bin/curl -F "shorten=$(${pkgs.coreutils}/bin/cat)" https://envs.sh
|
||||||
|
'';
|
||||||
|
"go.r shorten" = pkgs.writers.writeDash "go.r" ''
|
||||||
|
${pkgs.curl}/bin/curl -fSs http://go.r -F "uri=$(${pkgs.coreutils}/bin/cat)"
|
||||||
|
'';
|
||||||
|
"4d2.org paste" = pkgs.writers.writeDash "4d2-paste" ''
|
||||||
|
${pkgs.curl}/bin/curl -F "file=@-" https://depot.4d2.org/
|
||||||
|
'';
|
||||||
|
"0x0.st shorten" = pkgs.writers.writeDash "0x0.st" ''
|
||||||
|
${pkgs.curl}/bin/curl -fSs https://0x0.st -F "shorten=$(${pkgs.coreutils}/bin/cat)"
|
||||||
|
'';
|
||||||
|
"rot13" = pkgs.writers.writeDash "rot13" ''
|
||||||
|
${pkgs.coreutils}/bin/tr '[A-Za-z]' '[N-ZA-Mn-za-m]'
|
||||||
|
'';
|
||||||
|
"ipa" = pkgs.writers.writeDash "ipa" ''
|
||||||
|
${niveumPackages.ipa}/bin/ipa
|
||||||
|
'';
|
||||||
|
"betacode" = pkgs.writers.writeDash "betacode" ''
|
||||||
|
${niveumPackages.betacode}/bin/betacode
|
||||||
|
'';
|
||||||
|
"curl" = pkgs.writers.writeDash "curl" ''
|
||||||
|
${pkgs.curl}/bin/curl -fSs "$(${pkgs.coreutils}/bin/cat)"
|
||||||
|
'';
|
||||||
|
ocr = pkgs.writers.writeDash "ocr" ''
|
||||||
|
${pkgs.tesseract4}/bin/tesseract -l eng+deu - stdout
|
||||||
|
'';
|
||||||
|
emojai = pkgs.writers.writeDash "emojai" ''
|
||||||
|
${pkgs.curl}/bin/curl https://www.emojai.app/api/generate -X POST -H 'Content-Type: application/json' --data-raw "$(${pkgs.jq}/bin/jq -sR '{emoji:.}')" | ${pkgs.jq}/bin/jq -r .result
|
||||||
|
'';
|
||||||
|
"gpt-3.5" = pkgs.writers.writeDash "gpt" ''
|
||||||
|
${niveumPackages.gpt35}/bin/gpt
|
||||||
|
'';
|
||||||
|
gpt-4 = pkgs.writers.writeDash "gpt" ''
|
||||||
|
${niveumPackages.gpt4}/bin/gpt
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
};
|
||||||
|
in
|
||||||
|
''
|
||||||
|
spawn-at-startup "${pkgs.ironbar}/bin/ironbar"
|
||||||
|
spawn-at-startup "${pkgs.xwayland-satellite}/bin/xwayland-satellite"
|
||||||
|
|
||||||
|
environment {
|
||||||
|
DISPLAY ":0"
|
||||||
|
ANKI_WAYLAND "1"
|
||||||
|
}
|
||||||
|
|
||||||
|
input {
|
||||||
|
warp-mouse-to-focus
|
||||||
|
focus-follows-mouse max-scroll-amount="0%"
|
||||||
|
|
||||||
|
keyboard {
|
||||||
|
repeat-rate 35
|
||||||
|
repeat-delay 350
|
||||||
|
track-layout "global"
|
||||||
|
|
||||||
|
xkb {
|
||||||
|
layout "de"
|
||||||
|
variant "T3"
|
||||||
|
options "ctrl:nocaps,compose:caps,grp:ctrls_toggle"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
touchpad {
|
||||||
|
click-method "clickfinger"
|
||||||
|
tap
|
||||||
|
dwt
|
||||||
|
dwtp
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
prefer-no-csd
|
||||||
|
|
||||||
|
hotkey-overlay {
|
||||||
|
skip-at-startup
|
||||||
|
}
|
||||||
|
|
||||||
|
layout {
|
||||||
|
gaps 5
|
||||||
|
|
||||||
|
default-column-width {
|
||||||
|
proportion 0.5
|
||||||
|
}
|
||||||
|
|
||||||
|
preset-column-widths {
|
||||||
|
proportion 0.33333
|
||||||
|
proportion 0.5
|
||||||
|
proportion 0.66667
|
||||||
|
}
|
||||||
|
|
||||||
|
focus-ring {
|
||||||
|
width 2
|
||||||
|
}
|
||||||
|
|
||||||
|
shadow {
|
||||||
|
// on
|
||||||
|
softness 30
|
||||||
|
spread 5
|
||||||
|
offset x=0 y=5
|
||||||
|
draw-behind-window true
|
||||||
|
color "#00000070"
|
||||||
|
// inactive-color "#00000054"
|
||||||
|
}
|
||||||
|
|
||||||
|
tab-indicator {
|
||||||
|
// off
|
||||||
|
hide-when-single-tab
|
||||||
|
place-within-column
|
||||||
|
gap 5
|
||||||
|
width 4
|
||||||
|
length total-proportion=1.0
|
||||||
|
position "right"
|
||||||
|
gaps-between-tabs 2
|
||||||
|
corner-radius 8
|
||||||
|
active-color "red"
|
||||||
|
inactive-color "gray"
|
||||||
|
urgent-color "blue"
|
||||||
|
// active-gradient from="#80c8ff" to="#bbddff" angle=45
|
||||||
|
// inactive-gradient from="#505050" to="#808080" angle=45 relative-to="workspace-view"
|
||||||
|
// urgent-gradient from="#800" to="#a33" angle=45
|
||||||
|
}
|
||||||
|
|
||||||
|
border {
|
||||||
|
off
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
animations {
|
||||||
|
// off
|
||||||
|
workspace-switch {
|
||||||
|
spring damping-ratio=1.0 stiffness=1000 epsilon=0.0001
|
||||||
|
}
|
||||||
|
|
||||||
|
window-open {
|
||||||
|
duration-ms 150
|
||||||
|
curve "ease-out-expo"
|
||||||
|
}
|
||||||
|
|
||||||
|
window-close {
|
||||||
|
duration-ms 150
|
||||||
|
curve "ease-out-quad"
|
||||||
|
}
|
||||||
|
|
||||||
|
horizontal-view-movement {
|
||||||
|
spring damping-ratio=1.0 stiffness=800 epsilon=0.0001
|
||||||
|
}
|
||||||
|
|
||||||
|
window-movement {
|
||||||
|
spring damping-ratio=1.0 stiffness=800 epsilon=0.0001
|
||||||
|
}
|
||||||
|
|
||||||
|
window-resize {
|
||||||
|
spring damping-ratio=1.0 stiffness=800 epsilon=0.0001
|
||||||
|
}
|
||||||
|
|
||||||
|
config-notification-open-close {
|
||||||
|
spring damping-ratio=0.6 stiffness=1000 epsilon=0.001
|
||||||
|
}
|
||||||
|
|
||||||
|
screenshot-ui-open {
|
||||||
|
duration-ms 200
|
||||||
|
curve "ease-out-quad"
|
||||||
|
}
|
||||||
|
|
||||||
|
overview-open-close {
|
||||||
|
spring damping-ratio=1.0 stiffness=800 epsilon=0.0001
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
window-rule {
|
||||||
|
geometry-corner-radius 0
|
||||||
|
clip-to-geometry true
|
||||||
|
}
|
||||||
|
|
||||||
|
window-rule {
|
||||||
|
match app-id="mpv"
|
||||||
|
open-floating true
|
||||||
|
}
|
||||||
|
window-rule {
|
||||||
|
match app-id="rofi"
|
||||||
|
open-floating true
|
||||||
|
}
|
||||||
|
window-rule {
|
||||||
|
match app-id=r#"firefox$"# title="^Picture-in-Picture$"
|
||||||
|
open-floating true
|
||||||
|
default-floating-position x=32 y=32 relative-to="bottom-left"
|
||||||
|
}
|
||||||
|
|
||||||
|
window-rule {
|
||||||
|
match is-window-cast-target=true
|
||||||
|
|
||||||
|
border {
|
||||||
|
on
|
||||||
|
width 3
|
||||||
|
active-color "#f38ba8"
|
||||||
|
inactive-color "#7d0d2d"
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
binds {
|
||||||
|
Mod+Shift+Slash { show-hotkey-overlay; }
|
||||||
|
Mod+Return { spawn "${(defaultApplications pkgs).terminal}"; }
|
||||||
|
Mod+D { spawn "${pkgs.wofi}/bin/wofi" "--show" "run"; }
|
||||||
|
Mod+Shift+D { spawn "${niveumPackages.notemenu}/bin/notemenu"; }
|
||||||
|
Mod+T { spawn "${(defaultApplications pkgs).fileManager}"; }
|
||||||
|
Mod+Y { spawn "${(defaultApplications pkgs).browser}"; }
|
||||||
|
Mod+P { spawn "${niveumPackages.passmenu}/bin/passmenu"; }
|
||||||
|
Mod+U { spawn "${niveumPackages.unicodmenu}/bin/unicodmenu"; }
|
||||||
|
Mod+Shift+Z { toggle-window-floating; }
|
||||||
|
|
||||||
|
Mod+B { spawn "${pkgs.ironbar}/bin/ironbar" "bar" "bar-1337" "toggle-visible"; }
|
||||||
|
Mod+F12 { spawn "${klem}/bin/klem"; }
|
||||||
|
|
||||||
|
Mod+Shift+Q { close-window; }
|
||||||
|
|
||||||
|
XF86AudioRaiseVolume allow-when-locked=true { spawn "${pkgs.pamixer}/bin/pamixer -i 5"; }
|
||||||
|
XF86AudioLowerVolume allow-when-locked=true { spawn "${pkgs.pamixer}/bin/pamixer -d 5"; }
|
||||||
|
XF86AudioMute allow-when-locked=true { spawn "${pkgs.pamixer}/bin/pamixer -t"; }
|
||||||
|
|
||||||
|
XF86AudioPause allow-when-locked=true { spawn "${pkgs.playerctl}/bin/playerctl play-pause"; }
|
||||||
|
XF86AudioPlay allow-when-locked=true { spawn "${pkgs.playerctl}/bin/playerctl play-pause"; }
|
||||||
|
XF86AudioNext allow-when-locked=true { spawn "${pkgs.playerctl}/bin/playerctl next"; }
|
||||||
|
XF86AudioPrev allow-when-locked=true { spawn "${pkgs.playerctl}/bin/playerctl previous"; }
|
||||||
|
XF86AudioStop allow-when-locked=true { spawn "${pkgs.playerctl}/bin/playerctl stop"; }
|
||||||
|
Print { spawn "flameshot gui"; }
|
||||||
|
Mod+Shift+W { spawn "swaylock"; }
|
||||||
|
|
||||||
|
Mod+Comma { consume-or-expel-window-left; }
|
||||||
|
Mod+Period { consume-or-expel-window-right; }
|
||||||
|
Mod+W { toggle-column-tabbed-display; }
|
||||||
|
Mod+A repeat=false { toggle-overview; }
|
||||||
|
Mod+F { maximize-column; }
|
||||||
|
Mod+C { center-column; }
|
||||||
|
Mod+Minus { set-column-width "-25%"; }
|
||||||
|
Mod+Plus { set-column-width "+25%"; }
|
||||||
|
|
||||||
|
Mod+Ctrl+0 { spawn "niri" "msg" "action" "switch-layout" "0"; }
|
||||||
|
Mod+Ctrl+1 { spawn "niri" "msg" "action" "switch-layout" "1"; }
|
||||||
|
Mod+Ctrl+2 { spawn "niri" "msg" "action" "switch-layout" "2"; }
|
||||||
|
Mod+Ctrl+3 { spawn "niri" "msg" "action" "switch-layout" "3"; }
|
||||||
|
Mod+Ctrl+4 { spawn "niri" "msg" "action" "switch-layout" "4"; }
|
||||||
|
Mod+Ctrl+5 { spawn "niri" "msg" "action" "switch-layout" "5"; }
|
||||||
|
Mod+Ctrl+6 { spawn "niri" "msg" "action" "switch-layout" "6"; }
|
||||||
|
Mod+Ctrl+7 { spawn "niri" "msg" "action" "switch-layout" "7"; }
|
||||||
|
Mod+Ctrl+8 { spawn "niri" "msg" "action" "switch-layout" "8"; }
|
||||||
|
Mod+Ctrl+9 { spawn "niri" "msg" "action" "switch-layout" "9"; }
|
||||||
|
|
||||||
|
Mod+H { focus-column-or-monitor-left; }
|
||||||
|
Mod+J { focus-window-or-workspace-down; }
|
||||||
|
Mod+K { focus-window-or-workspace-up; }
|
||||||
|
Mod+L { focus-column-or-monitor-right; }
|
||||||
|
|
||||||
|
Mod+Shift+H { move-column-left-or-to-monitor-left; }
|
||||||
|
Mod+Shift+J { move-window-down-or-to-workspace-down; }
|
||||||
|
Mod+Shift+K { move-window-up-or-to-workspace-up; }
|
||||||
|
Mod+Shift+L { move-column-right-or-to-monitor-right; }
|
||||||
|
|
||||||
|
Mod+Ctrl+H { focus-monitor-left; }
|
||||||
|
Mod+Ctrl+J { focus-monitor-down; }
|
||||||
|
Mod+Ctrl+K { focus-monitor-up; }
|
||||||
|
Mod+Ctrl+L { focus-monitor-right; }
|
||||||
|
|
||||||
|
Mod+Shift+Ctrl+H { move-column-to-monitor-left; }
|
||||||
|
Mod+Shift+Ctrl+J { move-column-to-workspace-down; }
|
||||||
|
Mod+Shift+Ctrl+K { move-column-to-workspace-up; }
|
||||||
|
Mod+Shift+Ctrl+L { move-column-to-monitor-right; }
|
||||||
|
|
||||||
|
Mod+Shift+Alt+Ctrl+H { move-workspace-to-monitor-left; }
|
||||||
|
Mod+Shift+Alt+Ctrl+J { move-workspace-down; }
|
||||||
|
Mod+Shift+Alt+Ctrl+K { move-workspace-up; }
|
||||||
|
Mod+Shift+Alt+Ctrl+L { move-workspace-to-monitor-right; }
|
||||||
|
|
||||||
|
Mod+1 { focus-workspace 1; }
|
||||||
|
Mod+2 { focus-workspace 2; }
|
||||||
|
Mod+3 { focus-workspace 3; }
|
||||||
|
Mod+4 { focus-workspace 4; }
|
||||||
|
Mod+5 { focus-workspace 5; }
|
||||||
|
Mod+6 { focus-workspace 6; }
|
||||||
|
Mod+7 { focus-workspace 7; }
|
||||||
|
Mod+8 { focus-workspace 8; }
|
||||||
|
Mod+9 { focus-workspace 9; }
|
||||||
|
Mod+0 { focus-workspace 10; }
|
||||||
|
|
||||||
|
Mod+Shift+1 { move-window-to-workspace "1"; }
|
||||||
|
Mod+Shift+2 { move-window-to-workspace "2"; }
|
||||||
|
Mod+Shift+3 { move-window-to-workspace "3"; }
|
||||||
|
Mod+Shift+4 { move-window-to-workspace "4"; }
|
||||||
|
Mod+Shift+5 { move-window-to-workspace "5"; }
|
||||||
|
Mod+Shift+6 { move-window-to-workspace "6"; }
|
||||||
|
Mod+Shift+7 { move-window-to-workspace "7"; }
|
||||||
|
Mod+Shift+8 { move-window-to-workspace "8"; }
|
||||||
|
Mod+Shift+9 { move-window-to-workspace "9"; }
|
||||||
|
Mod+Shift+0 { move-window-to-workspace "0"; }
|
||||||
|
}
|
||||||
|
'';
|
||||||
|
in
|
||||||
|
{
|
||||||
|
system.activationScripts.niriConfig = {
|
||||||
|
text = ''
|
||||||
|
cp ${pkgs.writeText "config.kdl" niriConfig} ${config.users.users.me.home}/.config/niri/config.kdl
|
||||||
|
chown ${config.users.users.me.name}:${config.users.users.me.group} ${config.users.users.me.home}/.config/niri/config.kdl
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
|
||||||
|
programs.niri.enable = true;
|
||||||
|
services.displayManager.defaultSession = lib.mkForce "niri";
|
||||||
|
home-manager.users.me = {
|
||||||
|
xdg.configFile."ironbar/style.css".text = ''
|
||||||
|
* {
|
||||||
|
font-size: 8pt;
|
||||||
|
font-family: "Gentium Plus", "BlexMono Nerd Font";
|
||||||
|
}
|
||||||
|
|
||||||
|
box, menubar, button {
|
||||||
|
background-color: unset;
|
||||||
|
box-shadow: none;
|
||||||
|
background-image: none;
|
||||||
|
}
|
||||||
|
|
||||||
|
.clock, .upower, .volume {
|
||||||
|
font-weight: unset;
|
||||||
|
}
|
||||||
|
|
||||||
|
tooltip * {
|
||||||
|
font-family: "BlexMono Nerd Font";
|
||||||
|
font-size: 7pt;
|
||||||
|
}
|
||||||
|
'';
|
||||||
|
xdg.configFile."ironbar/config.json".source = (pkgs.formats.json { }).generate "ironbar.json" {
|
||||||
|
name = "bar-1337";
|
||||||
|
height = 12;
|
||||||
|
layer = "top";
|
||||||
|
position = "bottom";
|
||||||
|
start = [ ];
|
||||||
|
center = [
|
||||||
|
{
|
||||||
|
type = "tray";
|
||||||
|
icon_size = 8;
|
||||||
|
}
|
||||||
|
{ type = "clipboard"; }
|
||||||
|
{ type = "notifications"; }
|
||||||
|
];
|
||||||
|
end = [
|
||||||
|
{
|
||||||
|
type = "upower";
|
||||||
|
icon_size = 8;
|
||||||
|
format = "{percentage}%";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
type = "label";
|
||||||
|
tooltip = "{{df -h --output=size,used,avail,pcent,target}}";
|
||||||
|
label = "\t{{5000:df -h / --output=avail | tail +2}}";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
type = "label";
|
||||||
|
tooltip = "{{free -Lh --si | awk '{for(i=1;i<=NF;i++){printf \"%s%s\", $i, (i%2? OFS: ORS)} if(NF%2) printf ORS}'}}";
|
||||||
|
label = "\t{{500:free -h --si | awk 'NR==2{printf $3 \"\\n\"}'}}";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
type = "label";
|
||||||
|
tooltip = "{{}}";
|
||||||
|
on_click_left = "pamixer -t";
|
||||||
|
on_scroll_up = "pamixer -i 1";
|
||||||
|
on_scroll_down = "pamixer -d 1";
|
||||||
|
label = "{{500:if $(pamixer --get-mute) = true; then echo ; else echo ; fi}}\t{{500:pamixer --get-volume}}%";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
type = "label";
|
||||||
|
tooltip = "{{uptime}}";
|
||||||
|
label = "\t{{500:uptime | sed 's/.*load average: \\([^ ]*\\);.*/\\1/' | tr ' ' '\n'}}";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
type = "label";
|
||||||
|
tooltip = "{{khal list today today -d astro-test-3 }}";
|
||||||
|
label = "";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
type = "label";
|
||||||
|
tooltip = "{{curl wttr.in/?0 | ${pkgs.ansifilter}/bin/ansifilter}}";
|
||||||
|
label = "";
|
||||||
|
}
|
||||||
|
{
|
||||||
|
type = "label";
|
||||||
|
name = "cal";
|
||||||
|
tooltip = "{{cal}}";
|
||||||
|
label = "{{500:date +'<U+F017>\t%Y-%m-%d (%W %a) %H:%M'}}";
|
||||||
|
}
|
||||||
|
];
|
||||||
|
};
|
||||||
|
programs.alacritty.enable = true; # Super+T in the default setting (terminal)
|
||||||
|
programs.swaylock.enable = true; # Super+Alt+L in the default setting (screen locker)
|
||||||
|
services.swaync = {
|
||||||
|
enable = true;
|
||||||
|
settings = {
|
||||||
|
notification-window-width = 300;
|
||||||
|
control-center-width = 300;
|
||||||
|
widgets = [
|
||||||
|
"volume"
|
||||||
|
"mpris"
|
||||||
|
"title"
|
||||||
|
"dnd"
|
||||||
|
"notifications"
|
||||||
|
];
|
||||||
|
widget-config = {
|
||||||
|
title = {
|
||||||
|
text = "ⲡⲧⲏⲣϥ̄";
|
||||||
|
"clear-all-button" = true;
|
||||||
|
"button-text" = "ⲧⲁⲩⲟⲟⲩ";
|
||||||
|
};
|
||||||
|
dnd.text = "ⲙ̄ⲡⲣ̄ϣⲧⲣ̄ⲧⲱⲣⲧ̄";
|
||||||
|
label.text = "ⲧⲙⲏⲧⲉ";
|
||||||
|
};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
services.swayidle.enable = true; # idle management daemon
|
||||||
|
home.packages = with pkgs; [
|
||||||
|
xdg-desktop-portal-gnome
|
||||||
|
swaybg
|
||||||
|
];
|
||||||
|
};
|
||||||
|
services.gnome.gnome-keyring.enable = true; # secret service
|
||||||
|
security.pam.services.swaylock = { };
|
||||||
|
}
|
||||||
@@ -1,13 +1,14 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
|
inputs,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
nixpkgs = {
|
nixpkgs = {
|
||||||
config.allowUnfree = true;
|
config.allowUnfree = true;
|
||||||
};
|
};
|
||||||
nix = {
|
nix = {
|
||||||
package = pkgs.nixVersions.stable;
|
package = pkgs.nixVersions.stable;
|
||||||
settings.experimental-features = [ "nix-command" "flakes" ];
|
extraOptions = "experimental-features = nix-command flakes";
|
||||||
|
nixPath = ["nixpkgs=${inputs.nixpkgs}"];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -2,23 +2,21 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
openweathermap-repo = pkgs.fetchFromGitHub {
|
openweathermap-repo = pkgs.fetchFromGitHub {
|
||||||
owner = "ip1981";
|
owner = "ip1981";
|
||||||
repo = "openweathermap";
|
repo = "openweathermap";
|
||||||
rev = "9cfef7b14ac5af7109449b54b1cb352b4c76167a";
|
rev = "9cfef7b14ac5af7109449b54b1cb352b4c76167a";
|
||||||
sha256 = "0sm43wicvw2fy7nq65s8vch6jjb5bszqr4ilnhibayamj4jcpw53";
|
sha256 = "0sm43wicvw2fy7nq65s8vch6jjb5bszqr4ilnhibayamj4jcpw53";
|
||||||
};
|
};
|
||||||
openweathermap = pkgs.haskellPackages.callCabal2nix "openweathermap" openweathermap-repo { };
|
openweathermap = pkgs.haskellPackages.callCabal2nix "openweathermap" openweathermap-repo {};
|
||||||
openweathermap-key = lib.strings.fileContents <secrets/openweathermap.key>;
|
openweathermap-key = lib.strings.fileContents <secrets/openweathermap.key>;
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
nixpkgs.config.packageOverrides = pkgs: {
|
nixpkgs.config.packageOverrides = pkgs: {
|
||||||
weather = pkgs.writers.writeDashBin "weather" ''
|
weather = pkgs.writers.writeDashBin "weather" ''
|
||||||
${openweathermap}/bin/openweathermap --api-key ${openweathermap-key} "$@"
|
${openweathermap}/bin/openweathermap --api-key ${openweathermap-key} "$@"
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|
||||||
environment.systemPackages = [ pkgs.weather ];
|
environment.systemPackages = [pkgs.weather];
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,23 +1,26 @@
|
|||||||
{
|
{
|
||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
|
lib,
|
||||||
|
inputs,
|
||||||
|
niveumPackages,
|
||||||
|
unstablePackages,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
worldradio = pkgs.callPackage ../packages/worldradio.nix {};
|
||||||
worldradio = pkgs.callPackage ../packages/worldradio.nix { };
|
|
||||||
|
|
||||||
zoteroStyle =
|
externalNetwork = import ../lib/external-network.nix;
|
||||||
{
|
|
||||||
name,
|
zoteroStyle = {
|
||||||
sha256,
|
name,
|
||||||
}:
|
sha256,
|
||||||
{
|
}: {
|
||||||
name = "${name}.csl";
|
name = "${name}.csl";
|
||||||
path = pkgs.fetchurl {
|
path = pkgs.fetchurl {
|
||||||
url = "https://www.zotero.org/styles/${name}";
|
url = "https://www.zotero.org/styles/${name}";
|
||||||
inherit sha256;
|
inherit sha256;
|
||||||
};
|
|
||||||
};
|
};
|
||||||
|
};
|
||||||
cslDirectory = pkgs.linkFarm "citation-styles" [
|
cslDirectory = pkgs.linkFarm "citation-styles" [
|
||||||
(zoteroStyle {
|
(zoteroStyle {
|
||||||
name = "chicago-author-date-de";
|
name = "chicago-author-date-de";
|
||||||
@@ -33,8 +36,7 @@ let
|
|||||||
})
|
})
|
||||||
];
|
];
|
||||||
|
|
||||||
astrolog = pkgs.astrolog.overrideAttrs (
|
astrolog = pkgs.astrolog.overrideAttrs (old:
|
||||||
old:
|
|
||||||
old
|
old
|
||||||
// {
|
// {
|
||||||
installPhase = ''
|
installPhase = ''
|
||||||
@@ -53,25 +55,17 @@ let
|
|||||||
/^:I /s/80/120/ # wider text output
|
/^:I /s/80/120/ # wider text output
|
||||||
' $out/astrolog/astrolog.as
|
' $out/astrolog/astrolog.as
|
||||||
'';
|
'';
|
||||||
}
|
});
|
||||||
);
|
in {
|
||||||
in
|
|
||||||
{
|
|
||||||
home-manager.users.me.home.file = {
|
home-manager.users.me.home.file = {
|
||||||
".csl".source = cslDirectory;
|
".csl".source = cslDirectory;
|
||||||
".local/share/pandoc/csl".source = cslDirectory; # as of pandoc 2.11, it includes citeproc
|
".local/share/pandoc/csl".source = cslDirectory; # as of pandoc 2.11, it includes citeproc
|
||||||
};
|
};
|
||||||
|
|
||||||
environment.systemPackages = with pkgs; [
|
environment.systemPackages = with pkgs; [
|
||||||
(pkgs.writers.writeDashBin "amfora" ''
|
|
||||||
${pkgs.st}/bin/st -e ${pkgs.amfora}/bin/amfora
|
|
||||||
'')
|
|
||||||
(pkgs.writers.writeDashBin "gpodder" ''
|
|
||||||
GPODDER_DOWNLOAD_DIR=${config.users.users.me.home}/mobile/audio/Text/podcasts exec ${pkgs.gpodder}/bin/gpodder "$@"
|
|
||||||
'')
|
|
||||||
# INTERNET
|
# INTERNET
|
||||||
aria2
|
aria2
|
||||||
telegram-desktop
|
tdesktop
|
||||||
whois
|
whois
|
||||||
dnsutils
|
dnsutils
|
||||||
# FILE MANAGERS
|
# FILE MANAGERS
|
||||||
@@ -100,17 +94,16 @@ in
|
|||||||
# HARDWARE TOOLS
|
# HARDWARE TOOLS
|
||||||
gnome-disk-utility
|
gnome-disk-utility
|
||||||
arandr # xrandr for noobs
|
arandr # xrandr for noobs
|
||||||
wdisplays
|
|
||||||
libnotify # for notify-send
|
libnotify # for notify-send
|
||||||
xclip # clipboard CLI
|
wl-clipboard # clipboard CLI
|
||||||
dragon-drop # drag and drop
|
xdragon # drag and drop
|
||||||
xorg.xkill # kill by clicking
|
xorg.xkill # kill by clicking
|
||||||
portfolio # personal finance overview
|
portfolio # personal finance overview
|
||||||
audacity
|
audacity
|
||||||
calibre
|
calibre
|
||||||
electrum
|
electrum
|
||||||
inkscape
|
inkscape
|
||||||
gimp
|
niveumPackages.gimp
|
||||||
gthumb
|
gthumb
|
||||||
astrolog
|
astrolog
|
||||||
obsidian
|
obsidian
|
||||||
@@ -121,91 +114,103 @@ in
|
|||||||
zoom-us # video conferencing
|
zoom-us # video conferencing
|
||||||
(pkgs.writers.writeDashBin "im" ''
|
(pkgs.writers.writeDashBin "im" ''
|
||||||
weechat_password=$(${pkgs.pass}/bin/pass weechat)
|
weechat_password=$(${pkgs.pass}/bin/pass weechat)
|
||||||
exec ${weechat}/bin/weechat -t -r '/mouse enable; /remote add makanek http://${pkgs.lib.niveum.machines.makanek.externalIp}:8002 -password='"$weechat_password"'; /remote connect makanek'
|
exec ${unstablePackages.weechat}/bin/weechat -t -r '/mouse enable; /remote add makanek http://${externalNetwork.makanek}:8002 -password='"$weechat_password"'; /remote connect makanek'
|
||||||
'')
|
'')
|
||||||
alejandra # nix formatter
|
alejandra # nix formatter
|
||||||
pdfgrep # search in pdf
|
pdfgrep # search in pdf
|
||||||
pdftk # pdf toolkit
|
pdftk # pdf toolkit
|
||||||
mupdf
|
mupdf
|
||||||
poppler-utils # pdf toolkit
|
poppler_utils # pdf toolkit
|
||||||
kdePackages.okular # the word is nucular
|
kdePackages.okular # the word is nucular
|
||||||
xournalpp # for annotating pdfs
|
xournalpp # for annotating pdfs
|
||||||
pdfpc # presenter console for pdf slides
|
pdfpc # presenter console for pdf slides
|
||||||
hc # print files as qr codes
|
# niveumPackages.hc # print files as qr codes
|
||||||
yt-dlp
|
yt-dlp
|
||||||
espeak
|
espeak
|
||||||
rink # unit converter
|
rink # unit converter
|
||||||
auc
|
niveumPackages.auc
|
||||||
noise-waves
|
niveumPackages.noise-waves
|
||||||
stag
|
niveumPackages.cheat-sh
|
||||||
cheat-sh
|
niveumPackages.polyglot
|
||||||
polyglot
|
niveumPackages.qrpaste
|
||||||
qrpaste
|
niveumPackages.ttspaste
|
||||||
ttspaste
|
niveumPackages.new-mac # get a new mac address
|
||||||
new-mac # get a new mac address
|
niveumPackages.scanned
|
||||||
scanned
|
niveumPackages.default-gateway
|
||||||
default-gateway
|
niveumPackages.kirciuoklis
|
||||||
kirciuoklis
|
niveumPackages.image-convert-favicon
|
||||||
image-convert-favicon
|
niveumPackages.heuretes
|
||||||
heuretes
|
niveumPackages.ipa # XSAMPA to IPA converter
|
||||||
ipa # XSAMPA to IPA converter
|
niveumPackages.pls
|
||||||
pls
|
niveumPackages.mpv-tv
|
||||||
mpv-tv
|
niveumPackages.mpv-iptv
|
||||||
mpv-iptv
|
# jellyfin-media-player
|
||||||
devanagari
|
niveumPackages.devanagari
|
||||||
betacode # ancient greek betacode to unicode converter
|
niveumPackages.betacode # ancient greek betacode to unicode converter
|
||||||
jq-lsp
|
niveumPackages.meteo
|
||||||
swallow # window swallowing
|
niveumPackages.jq-lsp
|
||||||
literature-quote
|
niveumPackages.swallow # window swallowing
|
||||||
booksplit
|
niveumPackages.literature-quote
|
||||||
dmenu-randr
|
niveumPackages.booksplit
|
||||||
manual-sort
|
niveumPackages.dmenu-randr
|
||||||
wttr
|
niveumPackages.dmenu-bluetooth
|
||||||
unicodmenu
|
niveumPackages.manual-sort
|
||||||
emailmenu
|
niveumPackages.dns-sledgehammer
|
||||||
closest
|
niveumPackages.wttr
|
||||||
trans
|
niveumPackages.unicodmenu
|
||||||
(mpv-radio.override {
|
niveumPackages.emailmenu
|
||||||
|
niveumPackages.closest
|
||||||
|
niveumPackages.trans
|
||||||
|
(niveumPackages.mpv-radio.override {
|
||||||
di-fm-key-file = config.age.secrets.di-fm-key.path;
|
di-fm-key-file = config.age.secrets.di-fm-key.path;
|
||||||
})
|
})
|
||||||
(mpv-radio.override {
|
(niveumPackages.mpv-radio.override {
|
||||||
di-fm-key-file = config.age.secrets.di-fm-key.path;
|
di-fm-key-file = config.age.secrets.di-fm-key.path;
|
||||||
executableName = "cro-radio";
|
executableName = "cro-radio";
|
||||||
mpvCommand = "${cro}/bin/cro";
|
mpvCommand = "${niveumPackages.cro}/bin/cro";
|
||||||
})
|
})
|
||||||
(mpv-tuner.override {
|
(niveumPackages.mpv-tuner.override {
|
||||||
di-fm-key-file = config.age.secrets.di-fm-key.path;
|
di-fm-key-file = config.age.secrets.di-fm-key.path;
|
||||||
})
|
})
|
||||||
# kmein.slide
|
# kmein.slide
|
||||||
termdown
|
termdown
|
||||||
image-convert-tolino
|
niveumPackages.image-convert-tolino
|
||||||
rfc
|
niveumPackages.rfc
|
||||||
tag
|
niveumPackages.tag
|
||||||
timer
|
niveumPackages.timer
|
||||||
|
niveumPackages.menu-calc
|
||||||
nix-prefetch-git
|
nix-prefetch-git
|
||||||
nix-git
|
niveumPackages.nix-git
|
||||||
nixfmt-rfc-style
|
nixfmt-rfc-style
|
||||||
comma
|
|
||||||
par
|
par
|
||||||
qrencode
|
qrencode
|
||||||
|
|
||||||
pkgs.agenix
|
# inputs.menstruation-backend.defaultPackage.x86_64-linux
|
||||||
pkgs.alarm
|
inputs.agenix.packages.x86_64-linux.default
|
||||||
|
inputs.recht.defaultPackage.x86_64-linux
|
||||||
|
|
||||||
(pkgs.writers.writeDashBin "worldradio" ''
|
(pkgs.writers.writeDashBin "worldradio" ''
|
||||||
shuf ${worldradio} | ${pkgs.findutils}/bin/xargs ${pkgs.mpv}/bin/mpv --no-video
|
shuf ${worldradio} | ${pkgs.findutils}/bin/xargs ${pkgs.mpv}/bin/mpv --no-video
|
||||||
'')
|
'')
|
||||||
|
|
||||||
(pkgs.writers.writeDashBin "chats" ''
|
(pkgs.writers.writeDashBin "chats" ''
|
||||||
${pkgs.openssh}/bin/ssh -p ${toString pkgs.lib.niveum.machines.makanek.sshPort} ${pkgs.lib.niveum.machines.makanek.externalIp} "cd /var/lib/weechat/logs && grep --ignore-case --color=always --recursive $@" | ${pkgs.less}/bin/less --raw-control-chars
|
${pkgs.openssh}/bin/ssh makanek "cd /var/lib/weechat/logs && grep --ignore-case --color=always --recursive $@" | ${pkgs.less}/bin/less --raw-control-chars
|
||||||
'')
|
'')
|
||||||
|
|
||||||
niveum-ssh
|
(pkgs.writers.writeDashBin "ncmpcpp-zaatar" ''MPD_HOST=${(import ../lib/local-network.nix).zaatar} exec ${pkgs.ncmpcpp}/bin/ncmpcpp "$@"'')
|
||||||
|
(pkgs.writers.writeDashBin "mpc-zaatar" ''MPD_HOST=${(import ../lib/local-network.nix).zaatar} exec ${pkgs.mpc_cli}/bin/mpc "$@"'')
|
||||||
|
|
||||||
|
inputs.scripts.packages.x86_64-linux.alarm
|
||||||
|
|
||||||
spotify
|
spotify
|
||||||
|
ncspot
|
||||||
playerctl
|
playerctl
|
||||||
|
|
||||||
|
nix-index
|
||||||
|
niveumPackages.nix-index-update
|
||||||
|
|
||||||
#krebs
|
#krebs
|
||||||
|
niveumPackages.dic
|
||||||
pkgs.nur.repos.mic92.ircsink
|
pkgs.nur.repos.mic92.ircsink
|
||||||
|
|
||||||
(haskellPackages.ghcWithHoogle (hs: [
|
(haskellPackages.ghcWithHoogle (hs: [
|
||||||
@@ -232,17 +237,14 @@ in
|
|||||||
dhall
|
dhall
|
||||||
|
|
||||||
html-tidy
|
html-tidy
|
||||||
|
nodePackages.csslint
|
||||||
|
nodePackages.jsonlint
|
||||||
deno # better node.js
|
deno # better node.js
|
||||||
go
|
# texlive.combined.scheme-full
|
||||||
texlive.combined.scheme-full
|
|
||||||
latexrun
|
latexrun
|
||||||
(aspellWithDicts (dict: [
|
(aspellWithDicts (dict: [dict.de dict.en dict.en-computers]))
|
||||||
dict.de
|
|
||||||
dict.en
|
|
||||||
dict.en-computers
|
|
||||||
]))
|
|
||||||
# haskellPackages.pandoc-citeproc
|
# haskellPackages.pandoc-citeproc
|
||||||
text2pdf
|
niveumPackages.text2pdf
|
||||||
lowdown
|
lowdown
|
||||||
glow # markdown to term
|
glow # markdown to term
|
||||||
libreoffice
|
libreoffice
|
||||||
@@ -250,7 +252,7 @@ in
|
|||||||
dia
|
dia
|
||||||
pandoc
|
pandoc
|
||||||
librsvg # pandoc depends on this to include SVG in documents
|
librsvg # pandoc depends on this to include SVG in documents
|
||||||
# man-pandoc
|
# niveumPackages.man-pandoc
|
||||||
typst
|
typst
|
||||||
# proselint
|
# proselint
|
||||||
asciidoctor
|
asciidoctor
|
||||||
|
|||||||
25
configs/picom.nix
Normal file
25
configs/picom.nix
Normal file
@@ -0,0 +1,25 @@
|
|||||||
|
{
|
||||||
|
services.picom = {
|
||||||
|
enable = true;
|
||||||
|
# activeOpacity = 1;
|
||||||
|
fade = true;
|
||||||
|
fadeDelta = 1;
|
||||||
|
# inactiveOpacity = 0.9;
|
||||||
|
# shadow = true;
|
||||||
|
# menuOpacity = 0.9;
|
||||||
|
# shadowOpacity = 0.3;
|
||||||
|
fadeExclude = [
|
||||||
|
"class_g = 'slock'" # don't want a transparent lock screen!
|
||||||
|
"name *?= 'slock'"
|
||||||
|
"focused = 1"
|
||||||
|
];
|
||||||
|
opacityRules = [
|
||||||
|
# opacity-rule overrides both inactive and active opacity
|
||||||
|
|
||||||
|
# video in browser tabs
|
||||||
|
# substring /regex match of title bar text
|
||||||
|
"99:name *?= 'Youtube'"
|
||||||
|
"99:WM_CLASS@:s *= 'mpv$'"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
}
|
||||||
@@ -1,8 +1,6 @@
|
|||||||
{ config, ... }:
|
{config, ...}: let
|
||||||
let
|
|
||||||
user = config.users.users.me.name;
|
user = config.users.users.me.name;
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
security.polkit.extraConfig = ''
|
security.polkit.extraConfig = ''
|
||||||
polkit.addRule(function(action, subject) {
|
polkit.addRule(function(action, subject) {
|
||||||
if (subject.user == "${user}" && action.id == "org.freedesktop.systemd1.manage-units") {
|
if (subject.user == "${user}" && action.id == "org.freedesktop.systemd1.manage-units") {
|
||||||
|
|||||||
@@ -2,11 +2,9 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
config,
|
config,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
suspend = pkgs.writers.writeDash "suspend" "${pkgs.systemd}/bin/systemctl suspend";
|
suspend = pkgs.writers.writeDash "suspend" "${pkgs.systemd}/bin/systemctl suspend";
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
services.power-action = {
|
services.power-action = {
|
||||||
enable = true;
|
enable = true;
|
||||||
plans.suspend = {
|
plans.suspend = {
|
||||||
|
|||||||
@@ -1,11 +1,10 @@
|
|||||||
{ pkgs, lib, ... }:
|
{pkgs, ...}: let
|
||||||
let
|
inherit (import ../lib) localAddresses;
|
||||||
hp-driver = pkgs.hplip;
|
hp-driver = pkgs.hplip;
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
services.printing = {
|
services.printing = {
|
||||||
enable = true;
|
enable = true;
|
||||||
drivers = [ hp-driver ];
|
drivers = [hp-driver];
|
||||||
};
|
};
|
||||||
|
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
@@ -19,7 +18,7 @@ in
|
|||||||
{
|
{
|
||||||
name = "OfficeJet";
|
name = "OfficeJet";
|
||||||
location = "Zimmer";
|
location = "Zimmer";
|
||||||
deviceUri = "https://${pkgs.lib.niveum.localAddresses.officejet}";
|
deviceUri = "https://${localAddresses.officejet}";
|
||||||
model = "drv:///hp/hpcups.drv/hp-officejet_4650_series.ppd";
|
model = "drv:///hp/hpcups.drv/hp-officejet_4650_series.ppd";
|
||||||
ppdOptions = {
|
ppdOptions = {
|
||||||
Duplex = "DuplexNoTumble"; # DuplexNoTumble DuplexTumble None
|
Duplex = "DuplexNoTumble"; # DuplexNoTumble DuplexTumble None
|
||||||
@@ -32,6 +31,7 @@ in
|
|||||||
];
|
];
|
||||||
}
|
}
|
||||||
/*
|
/*
|
||||||
HP/hp-officejet_4650_series.ppd.gz
|
HP/hp-officejet_4650_series.ppd.gz
|
||||||
drv:///hp/hpcups.drv/hp-officejet_4650_series.ppd
|
drv:///hp/hpcups.drv/hp-officejet_4650_series.ppd
|
||||||
*/
|
*/
|
||||||
|
|
||||||
|
|||||||
@@ -1 +1 @@
|
|||||||
{ services.redshift.enable = true; }
|
{services.redshift.enable = false;}
|
||||||
|
|||||||
@@ -2,11 +2,8 @@
|
|||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
networking.hosts = {"42:0:ca48:f98f:63d7:31ce:922b:245d" = ["go"];};
|
||||||
networking.hosts = {
|
|
||||||
"42:0:ca48:f98f:63d7:31ce:922b:245d" = [ "go" ];
|
|
||||||
};
|
|
||||||
|
|
||||||
services.tinc.networks.retiolum = {
|
services.tinc.networks.retiolum = {
|
||||||
rsaPrivateKeyFile = config.age.secrets.retiolum-rsa.path;
|
rsaPrivateKeyFile = config.age.secrets.retiolum-rsa.path;
|
||||||
|
|||||||
@@ -1,5 +1,4 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}: {
|
||||||
{
|
|
||||||
home-manager.users.me.programs.rofi = {
|
home-manager.users.me.programs.rofi = {
|
||||||
enable = true;
|
enable = true;
|
||||||
pass = {
|
pass = {
|
||||||
@@ -14,6 +13,6 @@
|
|||||||
help_color="#FF0000"
|
help_color="#FF0000"
|
||||||
''; # help_color set by https://github.com/mrossinek/dotfiles/commit/13fc5f24caa78c8f20547bf473266879507f13bf
|
''; # help_color set by https://github.com/mrossinek/dotfiles/commit/13fc5f24caa78c8f20547bf473266879507f13bf
|
||||||
};
|
};
|
||||||
plugins = [ pkgs.rofi-calc ];
|
plugins = [pkgs.rofi-calc];
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,5 +1,4 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}: {
|
||||||
{
|
|
||||||
services.pipewire = {
|
services.pipewire = {
|
||||||
enable = true;
|
enable = true;
|
||||||
alsa = {
|
alsa = {
|
||||||
@@ -10,7 +9,7 @@
|
|||||||
jack.enable = true;
|
jack.enable = true;
|
||||||
};
|
};
|
||||||
|
|
||||||
systemd.user.services.pipewire-pulse.path = [ pkgs.pulseaudio ];
|
systemd.user.services.pipewire-pulse.path = [pkgs.pulseaudio];
|
||||||
|
|
||||||
services.avahi = {
|
services.avahi = {
|
||||||
enable = true;
|
enable = true;
|
||||||
|
|||||||
@@ -3,6 +3,5 @@
|
|||||||
location = {
|
location = {
|
||||||
latitude = 52.517;
|
latitude = 52.517;
|
||||||
longitude = 13.3872;
|
longitude = 13.3872;
|
||||||
provider = "geoclue2";
|
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,8 +1,9 @@
|
|||||||
{ pkgs, lib, ... }:
|
{pkgs, ...}: let
|
||||||
{
|
inherit (import ../lib) sshPort kieran;
|
||||||
users.users.me.openssh.authorizedKeys.keys = pkgs.lib.niveum.kieran.sshKeys;
|
externalNetwork = import ../lib/external-network.nix;
|
||||||
|
in {
|
||||||
|
users.users.me.openssh.authorizedKeys.keys = kieran.sshKeys;
|
||||||
programs.ssh.startAgent = true;
|
programs.ssh.startAgent = true;
|
||||||
services.gnome.gcr-ssh-agent.enable = false;
|
|
||||||
|
|
||||||
home-manager.users.me = {
|
home-manager.users.me = {
|
||||||
# https://discourse.nixos.org/t/gnome-keyring-and-ssh-agent-without-gnome/11663
|
# https://discourse.nixos.org/t/gnome-keyring-and-ssh-agent-without-gnome/11663
|
||||||
@@ -10,11 +11,35 @@
|
|||||||
eval $(${pkgs.gnome3.gnome-keyring}/bin/gnome-keyring-daemon --daemonize --components=ssh,secrets)
|
eval $(${pkgs.gnome3.gnome-keyring}/bin/gnome-keyring-daemon --daemonize --components=ssh,secrets)
|
||||||
export SSH_AUTH_SOCK
|
export SSH_AUTH_SOCK
|
||||||
'';
|
'';
|
||||||
|
# services.gpg-agent = rec {
|
||||||
|
# enable = false;
|
||||||
|
# enableSshSupport = true;
|
||||||
|
# defaultCacheTtlSsh = 2 * 60 * 60;
|
||||||
|
# maxCacheTtlSsh = 4 * defaultCacheTtlSsh;
|
||||||
|
# sshKeys = [
|
||||||
|
# "568047C91DE03A23883E340F15A9C24D313E847C"
|
||||||
|
# "BB3EE102DB8CD45540A78A6B18B511B67061F6B4" # kfm@manakish ed25519
|
||||||
|
# "3F8986755818B5762A096BE212777EAAC441DD9D" # fysiweb rsa
|
||||||
|
# "0E4ABD229432486CC432639BB0986B2CDE365105" # agenix ed25519
|
||||||
|
# "A1E8D32CBFCDBD2DE798E2298D795CCFD785AE06" # kfm@kabsa ed25519
|
||||||
|
# ];
|
||||||
|
# };
|
||||||
};
|
};
|
||||||
|
|
||||||
|
# environment.extraInit = ''
|
||||||
|
# if [[ -z "$SSH_AUTH_SOCK" ]]; then
|
||||||
|
# export SSH_AUTH_SOCK="$(${pkgs.gnupg}/bin/gpgconf --list-dirs agent-ssh-socket)"
|
||||||
|
# fi
|
||||||
|
# '';
|
||||||
|
|
||||||
|
# environment.interactiveShellInit = ''
|
||||||
|
# GPG_TTY="$(tty)"
|
||||||
|
# export GPG_TTY
|
||||||
|
# ${pkgs.gnupg}/bin/gpg-connect-agent updatestartuptty /bye > /dev/null
|
||||||
|
# '';
|
||||||
|
|
||||||
home-manager.users.me.programs.ssh = {
|
home-manager.users.me.programs.ssh = {
|
||||||
enable = true;
|
enable = true;
|
||||||
enableDefaultConfig = false;
|
|
||||||
matchBlocks = {
|
matchBlocks = {
|
||||||
"github.com" = {
|
"github.com" = {
|
||||||
hostname = "ssh.github.com";
|
hostname = "ssh.github.com";
|
||||||
@@ -23,44 +48,43 @@
|
|||||||
zaatar = {
|
zaatar = {
|
||||||
hostname = "zaatar.r";
|
hostname = "zaatar.r";
|
||||||
user = "root";
|
user = "root";
|
||||||
port = pkgs.lib.niveum.sshPort;
|
port = sshPort;
|
||||||
};
|
};
|
||||||
makanek = {
|
makanek = {
|
||||||
hostname = pkgs.lib.niveum.externalNetwork.makanek;
|
hostname = externalNetwork.makanek;
|
||||||
user = "root";
|
user = "root";
|
||||||
port = pkgs.lib.niveum.sshPort;
|
port = sshPort;
|
||||||
};
|
};
|
||||||
ful = {
|
ful = {
|
||||||
hostname = pkgs.lib.niveum.externalNetwork.ful;
|
hostname = externalNetwork.ful;
|
||||||
user = "root";
|
user = "root";
|
||||||
port = pkgs.lib.niveum.sshPort;
|
port = sshPort;
|
||||||
};
|
};
|
||||||
tahina = {
|
tahina = {
|
||||||
hostname = "tahina.r";
|
hostname = "tahina.r";
|
||||||
user = "root";
|
user = "root";
|
||||||
port = pkgs.lib.niveum.sshPort;
|
port = sshPort;
|
||||||
};
|
};
|
||||||
tabula = {
|
tabula = {
|
||||||
hostname = "tabula.r";
|
hostname = "tabula.r";
|
||||||
user = "root";
|
user = "root";
|
||||||
port = pkgs.lib.niveum.sshPort;
|
port = sshPort;
|
||||||
};
|
};
|
||||||
manakish = {
|
manakish = {
|
||||||
hostname = "manakish.r";
|
hostname = "manakish.r";
|
||||||
user = "kfm";
|
user = "kfm";
|
||||||
port = pkgs.lib.niveum.sshPort;
|
port = sshPort;
|
||||||
};
|
};
|
||||||
kabsa = {
|
kabsa = {
|
||||||
hostname = "kabsa.r";
|
hostname = "kabsa.r";
|
||||||
user = "kfm";
|
user = "kfm";
|
||||||
port = pkgs.lib.niveum.sshPort;
|
port = sshPort;
|
||||||
};
|
};
|
||||||
fatteh = {
|
fatteh = {
|
||||||
hostname = "fatteh.r";
|
hostname = "fatteh.r";
|
||||||
user = "kfm";
|
user = "kfm";
|
||||||
port = pkgs.lib.niveum.sshPort;
|
port = sshPort;
|
||||||
};
|
};
|
||||||
"*.onion".proxyCommand = "nc -xlocalhost:9050 %h %p";
|
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,21 +1,23 @@
|
|||||||
{
|
{
|
||||||
config,
|
config,
|
||||||
|
lib,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
{
|
inherit (import ../lib) sshPort kieran;
|
||||||
|
in {
|
||||||
users.motd = "Welcome to ${config.networking.hostName}!";
|
users.motd = "Welcome to ${config.networking.hostName}!";
|
||||||
|
|
||||||
services.openssh = {
|
services.openssh = {
|
||||||
enable = true;
|
enable = true;
|
||||||
ports = [ pkgs.lib.niveum.machines.${config.networking.hostName}.sshPort ];
|
ports = [sshPort];
|
||||||
settings = {
|
settings = {
|
||||||
PasswordAuthentication = false;
|
PasswordAuthentication = false;
|
||||||
X11Forwarding = true;
|
X11Forwarding = true;
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
users.users.root.openssh.authorizedKeys.keys = pkgs.lib.niveum.kieran.sshKeys ++ [
|
users.users.root.openssh.authorizedKeys.keys = kieran.sshKeys ++ [
|
||||||
"ssh-ed25519 AAAAC3NzaC1lZDI1NTE5AAAAIPoiRIn1dBUtpApcUyGbZKN+m5KBSgKIDQjdnQ8vU0xU kfm@kibbeh" # travel laptop
|
"ssh-ed25519 AAAAC3NzaC1lZDI1NTE5AAAAIPoiRIn1dBUtpApcUyGbZKN+m5KBSgKIDQjdnQ8vU0xU kfm@kibbeh" # travel laptop
|
||||||
];
|
];
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,9 +1,9 @@
|
|||||||
{
|
{
|
||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
|
inputs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
locker = x: "https://c.krebsco.de/${x}";
|
locker = x: "https://c.krebsco.de/${x}";
|
||||||
dictionaries = {
|
dictionaries = {
|
||||||
lojban = {
|
lojban = {
|
||||||
@@ -105,42 +105,40 @@ let
|
|||||||
sha256 = "0cx086zvb86bmz7i8vnsch4cj4fb0cp165g4hig4982zakj6f2jd";
|
sha256 = "0cx086zvb86bmz7i8vnsch4cj4fb0cp165g4hig4982zakj6f2jd";
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
sanskrit =
|
sanskrit = let
|
||||||
let
|
repo = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f";
|
||||||
repo = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f";
|
in {
|
||||||
in
|
BoehtlingkRoth = pkgs.fetchzip {
|
||||||
{
|
url = "${repo}/sa-head/german-entries/tars/Bohtlingk-and-Roth-Grosses-Petersburger-Worterbuch__2021-10-05_14-23-18Z__19MB.tar.gz";
|
||||||
BoehtlingkRoth = pkgs.fetchzip {
|
sha256 = "13414a8rgd7hd5ffar6nl68nk3ys60wjkgb7m11hp0ahaasmf6ly";
|
||||||
url = "${repo}/sa-head/german-entries/tars/Bohtlingk-and-Roth-Grosses-Petersburger-Worterbuch__2021-10-05_14-23-18Z__19MB.tar.gz";
|
stripRoot = false;
|
||||||
sha256 = "13414a8rgd7hd5ffar6nl68nk3ys60wjkgb7m11hp0ahaasmf6ly";
|
|
||||||
stripRoot = false;
|
|
||||||
};
|
|
||||||
BoehtlingkRothKurz = pkgs.fetchzip {
|
|
||||||
url = "${repo}/sa-head/german-entries/tars/Bohtlingk-Sanskrit-Worterbuch-in-kurzerer-Fassung__2021-10-05_14-23-18Z__10MB.tar.gz";
|
|
||||||
sha256 = "15yx31yrk40k9nn6kaysp4pprzj8dpd13dj3wafklc3izm8lr2wq";
|
|
||||||
stripRoot = false;
|
|
||||||
};
|
|
||||||
MonierWilliams = pkgs.fetchzip {
|
|
||||||
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/mw-cologne__2021-10-06_00-16-23Z__16MB.tar.gz";
|
|
||||||
sha256 = "0p99ybxwxmmd94hf035hvm2hhnfy84av7qq79xf28bh2rbx6s9ng";
|
|
||||||
stripRoot = false;
|
|
||||||
};
|
|
||||||
MonierWilliamsEnglish = pkgs.fetchzip {
|
|
||||||
url = "${repo}/en-head/tars/mw-english-sanskrit__2021-10-05_14-23-18Z__3MB.tar.gz";
|
|
||||||
sha256 = "09a61hhii4b1m2fkrlh4rm2xnlgwrllh84iypbc6wyj00w9jkl3x";
|
|
||||||
stripRoot = false;
|
|
||||||
};
|
|
||||||
Borooah = pkgs.fetchzip {
|
|
||||||
url = "${repo}/en-head/tars/borooah__2021-10-05_14-23-18Z__2MB.tar.gz";
|
|
||||||
sha256 = "0qmmfbynqgv125v48383i51ky9yi69zibhh7vwk95gyar2yrprn2";
|
|
||||||
stripRoot = false;
|
|
||||||
};
|
|
||||||
ApteEnglish = pkgs.fetchzip {
|
|
||||||
url = "${repo}/en-head/tars/apte-english-sanskrit-cologne__2021-10-06_00-12-51Z__1MB.tar.gz";
|
|
||||||
sha256 = "064ysm24ydc534ca689y5i2flnra8jkmh8zn0gsb6n8hdsb0d1lq";
|
|
||||||
stripRoot = false;
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
|
BoehtlingkRothKurz = pkgs.fetchzip {
|
||||||
|
url = "${repo}/sa-head/german-entries/tars/Bohtlingk-Sanskrit-Worterbuch-in-kurzerer-Fassung__2021-10-05_14-23-18Z__10MB.tar.gz";
|
||||||
|
sha256 = "15yx31yrk40k9nn6kaysp4pprzj8dpd13dj3wafklc3izm8lr2wq";
|
||||||
|
stripRoot = false;
|
||||||
|
};
|
||||||
|
MonierWilliams = pkgs.fetchzip {
|
||||||
|
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/mw-cologne__2021-10-06_00-16-23Z__16MB.tar.gz";
|
||||||
|
sha256 = "0p99ybxwxmmd94hf035hvm2hhnfy84av7qq79xf28bh2rbx6s9ng";
|
||||||
|
stripRoot = false;
|
||||||
|
};
|
||||||
|
MonierWilliamsEnglish = pkgs.fetchzip {
|
||||||
|
url = "${repo}/en-head/tars/mw-english-sanskrit__2021-10-05_14-23-18Z__3MB.tar.gz";
|
||||||
|
sha256 = "09a61hhii4b1m2fkrlh4rm2xnlgwrllh84iypbc6wyj00w9jkl3x";
|
||||||
|
stripRoot = false;
|
||||||
|
};
|
||||||
|
Borooah = pkgs.fetchzip {
|
||||||
|
url = "${repo}/en-head/tars/borooah__2021-10-05_14-23-18Z__2MB.tar.gz";
|
||||||
|
sha256 = "0qmmfbynqgv125v48383i51ky9yi69zibhh7vwk95gyar2yrprn2";
|
||||||
|
stripRoot = false;
|
||||||
|
};
|
||||||
|
ApteEnglish = pkgs.fetchzip {
|
||||||
|
url = "${repo}/en-head/tars/apte-english-sanskrit-cologne__2021-10-06_00-12-51Z__1MB.tar.gz";
|
||||||
|
sha256 = "064ysm24ydc534ca689y5i2flnra8jkmh8zn0gsb6n8hdsb0d1lq";
|
||||||
|
stripRoot = false;
|
||||||
|
};
|
||||||
|
};
|
||||||
oed = {
|
oed = {
|
||||||
OED1 = pkgs.fetchzip {
|
OED1 = pkgs.fetchzip {
|
||||||
url = locker "stardict-Oxford_English_Dictionary_2nd_Ed._P1-2.4.2.tar.bz2";
|
url = locker "stardict-Oxford_English_Dictionary_2nd_Ed._P1-2.4.2.tar.bz2";
|
||||||
@@ -152,6 +150,7 @@ let
|
|||||||
};
|
};
|
||||||
};
|
};
|
||||||
coptic = {
|
coptic = {
|
||||||
|
dictionary = inputs.coptic-dictionary.packages.x86_64-linux.coptic-stardict;
|
||||||
Crum = pkgs.fetchzip {
|
Crum = pkgs.fetchzip {
|
||||||
url = locker "stardict-Coptic-English_all_dialects-2.4.2.tar.bz2";
|
url = locker "stardict-Coptic-English_all_dialects-2.4.2.tar.bz2";
|
||||||
sha256 = "1fi281mb9yzv40wjsdapi8fzpa7x2yscz582lv2qnss9g8zzzzr9";
|
sha256 = "1fi281mb9yzv40wjsdapi8fzpa7x2yscz582lv2qnss9g8zzzzr9";
|
||||||
@@ -179,11 +178,9 @@ let
|
|||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
makeStardictDataDir =
|
makeStardictDataDir = dicts: pkgs.linkFarm "dictionaries" (lib.mapAttrsToList (name: path: {inherit name path;}) dicts);
|
||||||
dicts: pkgs.linkFarm "dictionaries" (lib.mapAttrsToList (name: path: { inherit name path; }) dicts);
|
|
||||||
|
|
||||||
makeStardict =
|
makeStardict = name: dicts:
|
||||||
name: dicts:
|
|
||||||
pkgs.writers.writeDashBin name ''
|
pkgs.writers.writeDashBin name ''
|
||||||
set -efu
|
set -efu
|
||||||
export SDCV_PAGER=${toString sdcvPager}
|
export SDCV_PAGER=${toString sdcvPager}
|
||||||
@@ -191,13 +188,7 @@ let
|
|||||||
'';
|
'';
|
||||||
|
|
||||||
sdcvPager = pkgs.writers.writeDash "sdcvPager" ''
|
sdcvPager = pkgs.writers.writeDash "sdcvPager" ''
|
||||||
export PATH=${
|
export PATH=${lib.makeBinPath [pkgs.gnused pkgs.ncurses pkgs.less]}
|
||||||
lib.makeBinPath [
|
|
||||||
pkgs.gnused
|
|
||||||
pkgs.ncurses
|
|
||||||
pkgs.less
|
|
||||||
]
|
|
||||||
}
|
|
||||||
sed "
|
sed "
|
||||||
s!<sup>1</sup>!¹!gI
|
s!<sup>1</sup>!¹!gI
|
||||||
s!<sup>2</sup>!²!gI
|
s!<sup>2</sup>!²!gI
|
||||||
@@ -300,8 +291,7 @@ let
|
|||||||
s!</\?p[^>]*>!!gI
|
s!</\?p[^>]*>!!gI
|
||||||
" | less -FR
|
" | less -FR
|
||||||
'';
|
'';
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
# environment.etc.stardict.source = toString (makeStardictDataDir ({
|
# environment.etc.stardict.source = toString (makeStardictDataDir ({
|
||||||
# Crum = pkgs.fetchzip {
|
# Crum = pkgs.fetchzip {
|
||||||
# url = "http://download.huzheng.org/misc/stardict-Coptic-English_all_dialects-2.4.2.tar.bz2";
|
# url = "http://download.huzheng.org/misc/stardict-Coptic-English_all_dialects-2.4.2.tar.bz2";
|
||||||
@@ -335,63 +325,64 @@ in
|
|||||||
];
|
];
|
||||||
}
|
}
|
||||||
/*
|
/*
|
||||||
https://github.com/latin-dict/Georges1910/releases/download/v1.0/Georges1910-stardict.zip
|
https://github.com/latin-dict/Georges1910/releases/download/v1.0/Georges1910-stardict.zip
|
||||||
https://github.com/nikita-moor/latin-dictionary/releases/download/2020-02-14/LiddellScott1940-stardict.zip
|
https://github.com/nikita-moor/latin-dictionary/releases/download/2020-02-14/LiddellScott1940-stardict.zip
|
||||||
http://download.huzheng.org/bigdict/stardict-Cambridge_Dictionary_of_American_Idioms-2.4.2.tar.bz2
|
http://download.huzheng.org/bigdict/stardict-Cambridge_Dictionary_of_American_Idioms-2.4.2.tar.bz2
|
||||||
http://download.huzheng.org/bigdict/stardict-Concise_Oxford_Thesaurus_2nd_Ed-2.4.2.tar.bz2
|
http://download.huzheng.org/bigdict/stardict-Concise_Oxford_Thesaurus_2nd_Ed-2.4.2.tar.bz2
|
||||||
http://download.huzheng.org/bigdict/stardict-Urban_Dictionary_P1-2.4.2.tar.bz2
|
http://download.huzheng.org/bigdict/stardict-Urban_Dictionary_P1-2.4.2.tar.bz2
|
||||||
http://download.huzheng.org/bigdict/stardict-Urban_Dictionary_P2-2.4.2.tar.bz2
|
http://download.huzheng.org/bigdict/stardict-Urban_Dictionary_P2-2.4.2.tar.bz2
|
||||||
|
|
||||||
Duden_Rechtschreibung = pkgs.fetchzip {
|
Duden_Rechtschreibung = pkgs.fetchzip {
|
||||||
url = "http://download.huzheng.org/babylon/german/stardict-Duden_Rechtschreibung-2.4.2.tar.bz2";
|
url = "http://download.huzheng.org/babylon/german/stardict-Duden_Rechtschreibung-2.4.2.tar.bz2";
|
||||||
sha256 = "0xiprb45s88w62rn8rlbjrsagbiliay9hszsiy20glwabf6zsfji";
|
sha256 = "0xiprb45s88w62rn8rlbjrsagbiliay9hszsiy20glwabf6zsfji";
|
||||||
};
|
};
|
||||||
Duden = pkgs.fetchzip {
|
Duden = pkgs.fetchzip {
|
||||||
url = "http://download.huzheng.org/de/stardict-duden-2.4.2.tar.bz2";
|
url = "http://download.huzheng.org/de/stardict-duden-2.4.2.tar.bz2";
|
||||||
sha256 = "049i4ynfqqxykv1nlkyks94mvn14s22qdax5gg7hx1ks5y4xw64j";
|
sha256 = "049i4ynfqqxykv1nlkyks94mvn14s22qdax5gg7hx1ks5y4xw64j";
|
||||||
};
|
};
|
||||||
FreeOnlineDictionaryOfComputing = pkgs.fetchzip {
|
FreeOnlineDictionaryOfComputing = pkgs.fetchzip {
|
||||||
url = "http://download.huzheng.org/dict.org/stardict-dictd_www.dict.org_foldoc-2.4.2.tar.bz2";
|
url = "http://download.huzheng.org/dict.org/stardict-dictd_www.dict.org_foldoc-2.4.2.tar.bz2";
|
||||||
sha256 = "1lw2i8dzxpx929cpgvv0x366dnh4drr10wzqmrhcd0kvwglqawgm";
|
sha256 = "1lw2i8dzxpx929cpgvv0x366dnh4drr10wzqmrhcd0kvwglqawgm";
|
||||||
};
|
};
|
||||||
Cappeller = pkgs.fetchzip {
|
Cappeller = pkgs.fetchzip {
|
||||||
url = "${repo}/sa-head/german-entries/tars/capeller-sanskrit-german__2021-10-05_14-23-18Z__1MB.tar.gz";
|
url = "${repo}/sa-head/german-entries/tars/capeller-sanskrit-german__2021-10-05_14-23-18Z__1MB.tar.gz";
|
||||||
sha256 = "0jwrj2aih2lrcjg0lqm8jrvq9vsas9s8j4c9ggbg2n0jyz03kci3";
|
sha256 = "0jwrj2aih2lrcjg0lqm8jrvq9vsas9s8j4c9ggbg2n0jyz03kci3";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
Yates = pkgs.fetchzip {
|
Yates = pkgs.fetchzip {
|
||||||
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/yates__2021-10-05_14-23-18Z__2MB.tar.gz";
|
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/yates__2021-10-05_14-23-18Z__2MB.tar.gz";
|
||||||
sha256 = "1k7gbalysf48pwa06zfykrqhdk466g35xy64b30k4z8bybgdn8z2";
|
sha256 = "1k7gbalysf48pwa06zfykrqhdk466g35xy64b30k4z8bybgdn8z2";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
Wilson = pkgs.fetchzip {
|
Wilson = pkgs.fetchzip {
|
||||||
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/wilson__2021-10-05_14-23-18Z__3MB.tar.gz";
|
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/wilson__2021-10-05_14-23-18Z__3MB.tar.gz";
|
||||||
sha256 = "0r5z1xif56zlw9r2jp3fvwmcjv4f2fhd9r17j30nah9awx2m1isg";
|
sha256 = "0r5z1xif56zlw9r2jp3fvwmcjv4f2fhd9r17j30nah9awx2m1isg";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
SpokenSanskrit = pkgs.fetchzip {
|
SpokenSanskrit = pkgs.fetchzip {
|
||||||
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/spokensanskrit__2019-01-12_05-13-52Z__12MB.tar.gz";
|
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/spokensanskrit__2019-01-12_05-13-52Z__12MB.tar.gz";
|
||||||
sha256 = "0x8j657mawvdcyd1knzvf33yp15z77d661n3h6g9hcj7wn9s5xyk";
|
sha256 = "0x8j657mawvdcyd1knzvf33yp15z77d661n3h6g9hcj7wn9s5xyk";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
Grassmann = pkgs.fetchzip {
|
Grassmann = pkgs.fetchzip {
|
||||||
url = "${repo}/sa-head/german-entries/tars/grassman-sanskrit-german__2021-10-05_14-23-18Z__2MB.tar.gz";
|
url = "${repo}/sa-head/german-entries/tars/grassman-sanskrit-german__2021-10-05_14-23-18Z__2MB.tar.gz";
|
||||||
sha256 = "0jalsykaxkl6wzrky72lz8g3jdz26lmjpyibbfaf7a5vvnr55k02";
|
sha256 = "0jalsykaxkl6wzrky72lz8g3jdz26lmjpyibbfaf7a5vvnr55k02";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
Benfey = pkgs.fetchzip {
|
Benfey = pkgs.fetchzip {
|
||||||
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/benfey__2021-10-05_14-23-18Z__2MB.tar.gz";
|
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/benfey__2021-10-05_14-23-18Z__2MB.tar.gz";
|
||||||
sha256 = "0lj3hgphqgnihn482g9kgjwbvdrcd38vc29v1fi36srn08qdhvcb";
|
sha256 = "0lj3hgphqgnihn482g9kgjwbvdrcd38vc29v1fi36srn08qdhvcb";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
ApteSa = pkgs.fetchzip {
|
ApteSa = pkgs.fetchzip {
|
||||||
url = "${repo}/sa-head/en-entries/tars/apte-sa__2021-12-18_13-20-56Z__6MB.tar.gz";
|
url = "${repo}/sa-head/en-entries/tars/apte-sa__2021-12-18_13-20-56Z__6MB.tar.gz";
|
||||||
sha256 = "0cq1dd02d1pvmjnibbs2cscifjnk2z0nqccf5yzzilxkzsrarh32";
|
sha256 = "0cq1dd02d1pvmjnibbs2cscifjnk2z0nqccf5yzzilxkzsrarh32";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
MacDonell = pkgs.fetchzip {
|
MacDonell = pkgs.fetchzip {
|
||||||
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/macdonell__2021-10-05_14-23-18Z__2MB.tar.gz";
|
url = "https://github.com/indic-dict/stardict-sanskrit/raw/4ebd2d3db5820f7cbe3a649c3d5aa8f83d19b29f/sa-head/en-entries/tars/macdonell__2021-10-05_14-23-18Z__2MB.tar.gz";
|
||||||
sha256 = "1yzmj0393mxvjv4n2lnvd2c722v2bmxxiyq7pscdwni3bxip3h8s";
|
sha256 = "1yzmj0393mxvjv4n2lnvd2c722v2bmxxiyq7pscdwni3bxip3h8s";
|
||||||
stripRoot = false;
|
stripRoot = false;
|
||||||
};
|
};
|
||||||
*/
|
*/
|
||||||
|
|
||||||
|
|||||||
52
configs/stw-berlin.nix
Normal file
52
configs/stw-berlin.nix
Normal file
@@ -0,0 +1,52 @@
|
|||||||
|
{
|
||||||
|
pkgs,
|
||||||
|
config,
|
||||||
|
...
|
||||||
|
}: {
|
||||||
|
age.secrets.stw-berlin-card-code.file = ../secrets/stw-berlin-card-code.age;
|
||||||
|
|
||||||
|
systemd.services.stw-berlin = {
|
||||||
|
enable = true;
|
||||||
|
wants = ["network-online.target"];
|
||||||
|
startAt = "weekly";
|
||||||
|
serviceConfig = {
|
||||||
|
User = config.users.users.me.name;
|
||||||
|
Group = config.users.users.me.group;
|
||||||
|
WorkingDirectory = "/home/kfm/cloud/nextcloud/Uni/Meta/Mensa";
|
||||||
|
LoadCredential = [
|
||||||
|
"password:${config.age.secrets.stw-berlin-card-code.path}"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
script = ''
|
||||||
|
KARTEN_ID=8071859
|
||||||
|
PASSWORT=$(cat "$CREDENTIALS_DIRECTORY"/password)
|
||||||
|
|
||||||
|
endpoint=https://ks.stw.berlin:4433/TL1/TLM/KASVC
|
||||||
|
authorization_header='Authorization: Basic S0FTVkM6ekt2NXlFMUxaVW12VzI5SQ=='
|
||||||
|
|
||||||
|
get_auth_token() {
|
||||||
|
${pkgs.curl}/bin/curl -sSL "$endpoint/LOGIN?karteNr=$KARTEN_ID&format=JSON&datenformat=JSON" \
|
||||||
|
-X POST \
|
||||||
|
-H "$authorization_header" \
|
||||||
|
--data-raw '{"BenutzerID":"'$KARTEN_ID'","Passwort":"'$PASSWORT'"}' \
|
||||||
|
| ${pkgs.jq}/bin/jq -r '.[0].authToken|@uri'
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
get_transactions() {
|
||||||
|
${pkgs.curl}/bin/curl -sSL "$endpoint/TRANS?format=JSON&authToken=$(get_auth_token)&karteNr=$KARTEN_ID&datumVon=12.02.2018&datumBis=$(date -d tomorrow +%d.%m.%Y)" \
|
||||||
|
-H "$authorization_header" \
|
||||||
|
| ${pkgs.jq}/bin/jq
|
||||||
|
}
|
||||||
|
|
||||||
|
get_items() {
|
||||||
|
${pkgs.curl}/bin/curl -sSL "$endpoint/TRANSPOS?format=JSON&authToken=$(get_auth_token)&karteNr=$KARTEN_ID&datumVon=12.02.2018&datumBis=$(date -d tomorrow +%d.%m.%Y)" \
|
||||||
|
-H "$authorization_header" \
|
||||||
|
| ${pkgs.jq}/bin/jq
|
||||||
|
}
|
||||||
|
|
||||||
|
get_transactions > transactions-$(date -I).json
|
||||||
|
get_items > items-$(date -I).json
|
||||||
|
'';
|
||||||
|
};
|
||||||
|
}
|
||||||
@@ -2,13 +2,23 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
config,
|
config,
|
||||||
lib,
|
lib,
|
||||||
|
inputs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
{
|
generatedWallpaper = pkgs.runCommand "wallpaper.png" {} ''
|
||||||
|
${inputs.wallpaper-generator.packages.x86_64-linux.wp-gen}/bin/wallpaper-generator lines \
|
||||||
|
--output $out \
|
||||||
|
${lib.concatMapStringsSep " "
|
||||||
|
(n: "--base0${lib.toHexString n}=${config.lib.stylix.colors.withHashtag."base0${lib.toHexString n}"}")
|
||||||
|
(lib.range 0 15)}
|
||||||
|
'';
|
||||||
|
in {
|
||||||
# https://danth.github.io/stylix/tricks.html
|
# https://danth.github.io/stylix/tricks.html
|
||||||
|
# stylix.image = inputs.wallpapers.outPath + "/meteora/rodrigo-soares-250630.jpg";
|
||||||
stylix.enable = true;
|
stylix.enable = true;
|
||||||
|
stylix.image = generatedWallpaper;
|
||||||
|
|
||||||
stylix.base16Scheme = "${pkgs.base16-schemes}/share/themes/gruvbox-dark-medium.yaml";
|
stylix.base16Scheme = "${pkgs.base16-schemes}/share/themes/ayu-light.yaml";
|
||||||
|
|
||||||
stylix.cursor = {
|
stylix.cursor = {
|
||||||
name = "capitaine-cursors-white";
|
name = "capitaine-cursors-white";
|
||||||
@@ -16,9 +26,6 @@
|
|||||||
size = 12;
|
size = 12;
|
||||||
};
|
};
|
||||||
|
|
||||||
home-manager.users.me = {
|
|
||||||
stylix.autoEnable = true;
|
|
||||||
};
|
|
||||||
|
|
||||||
# environment.etc."stylix/wallpaper.png".source = generatedWallpaper;
|
# environment.etc."stylix/wallpaper.png".source = generatedWallpaper;
|
||||||
|
|
||||||
@@ -45,22 +52,22 @@
|
|||||||
|
|
||||||
stylix.fonts = {
|
stylix.fonts = {
|
||||||
serif = {
|
serif = {
|
||||||
package = pkgs.noto-fonts;
|
package = pkgs.gentium;
|
||||||
name = "Noto Serif";
|
name = "Gentium Plus";
|
||||||
};
|
};
|
||||||
|
|
||||||
sansSerif = {
|
sansSerif = {
|
||||||
package = pkgs.noto-fonts;
|
package = pkgs.gentium;
|
||||||
name = "Noto Sans";
|
name = "Gentium Plus";
|
||||||
};
|
};
|
||||||
|
|
||||||
monospace = {
|
monospace = {
|
||||||
package = pkgs.noto-fonts;
|
package = pkgs.nerd-fonts.blex-mono;
|
||||||
name = "Noto Sans Mono";
|
name = "BlexMono Nerd Font";
|
||||||
};
|
};
|
||||||
|
|
||||||
emoji = {
|
emoji = {
|
||||||
package = pkgs.noto-fonts-color-emoji;
|
package = pkgs.noto-fonts-emoji;
|
||||||
name = "Noto Color Emoji";
|
name = "Noto Color Emoji";
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|||||||
@@ -6,5 +6,5 @@
|
|||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|
||||||
users.users.me.extraGroups = [ "wheel" ];
|
users.users.me.extraGroups = ["wheel"];
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -2,20 +2,13 @@
|
|||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: {
|
||||||
{
|
|
||||||
boot.extraModulePackages = with config.boot.kernelPackages; [
|
boot.extraModulePackages = with config.boot.kernelPackages; [
|
||||||
tp_smapi
|
tp_smapi
|
||||||
acpi_call
|
acpi_call
|
||||||
];
|
];
|
||||||
boot.kernelModules = [
|
boot.kernelModules = ["tp_smapi" "acpi_call"];
|
||||||
"tp_smapi"
|
environment.systemPackages = [pkgs.tpacpi-bat pkgs.powertop];
|
||||||
"acpi_call"
|
|
||||||
];
|
|
||||||
environment.systemPackages = [
|
|
||||||
pkgs.tpacpi-bat
|
|
||||||
pkgs.powertop
|
|
||||||
];
|
|
||||||
|
|
||||||
services.tlp = {
|
services.tlp = {
|
||||||
enable = true;
|
enable = true;
|
||||||
|
|||||||
@@ -1,5 +1,4 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}: {
|
||||||
{
|
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [
|
||||||
pkgs.tmuxp
|
pkgs.tmuxp
|
||||||
pkgs.reptyr # move programs over to a tmux session
|
pkgs.reptyr # move programs over to a tmux session
|
||||||
@@ -14,7 +13,7 @@
|
|||||||
aggressiveResize = true;
|
aggressiveResize = true;
|
||||||
escapeTime = 50;
|
escapeTime = 50;
|
||||||
historyLimit = 7000;
|
historyLimit = 7000;
|
||||||
shortcut = "b";
|
shortcut = "a";
|
||||||
extraConfig = ''
|
extraConfig = ''
|
||||||
set -g mouse on
|
set -g mouse on
|
||||||
|
|
||||||
@@ -38,6 +37,15 @@
|
|||||||
set -g status-left-length 32
|
set -g status-left-length 32
|
||||||
set -g status-right-length 150
|
set -g status-right-length 150
|
||||||
|
|
||||||
|
set -g status-bg colour242
|
||||||
|
|
||||||
|
setw -g window-status-format "#[fg=colour12,bg=colour233] #I #[fg=white,bg=colour237] #W "
|
||||||
|
setw -g window-status-current-format "#[fg=colour12,bg=colour233] * #[fg=white,bg=colour237,bold] #W "
|
||||||
|
|
||||||
|
set -g status-left ""
|
||||||
|
set -g status-right "#[fg=colour255,bg=colour237,bold] #(hostname -I) #[default]#[fg=colour12,bg=colour233] %FT%R "
|
||||||
|
set -g status-justify left
|
||||||
|
|
||||||
set -g status-position bottom
|
set -g status-position bottom
|
||||||
'';
|
'';
|
||||||
};
|
};
|
||||||
|
|||||||
@@ -1,30 +1,5 @@
|
|||||||
{
|
{pkgs, ...}: {
|
||||||
config,
|
|
||||||
lib,
|
|
||||||
pkgs,
|
|
||||||
...
|
|
||||||
}:
|
|
||||||
let
|
|
||||||
sshPort = pkgs.lib.niveum.machines.${config.networking.hostName}.sshPort;
|
|
||||||
in
|
|
||||||
{
|
|
||||||
services.tor.enable = true;
|
services.tor.enable = true;
|
||||||
services.tor.client.enable = true;
|
services.tor.client.enable = true;
|
||||||
environment.systemPackages = [
|
environment.systemPackages = [pkgs.tor pkgs.torsocks];
|
||||||
pkgs.tor
|
|
||||||
pkgs.torsocks
|
|
||||||
];
|
|
||||||
|
|
||||||
services.tor.relay.onionServices = {
|
|
||||||
"ssh" = {
|
|
||||||
version = 3;
|
|
||||||
map = [
|
|
||||||
{
|
|
||||||
port = sshPort;
|
|
||||||
target.port = sshPort;
|
|
||||||
target.addr = "127.0.0.1";
|
|
||||||
}
|
|
||||||
];
|
|
||||||
};
|
|
||||||
};
|
|
||||||
}
|
}
|
||||||
|
|||||||
155
configs/uni.nix
155
configs/uni.nix
@@ -1,155 +0,0 @@
|
|||||||
{
|
|
||||||
config,
|
|
||||||
pkgs,
|
|
||||||
lib,
|
|
||||||
...
|
|
||||||
}:
|
|
||||||
let
|
|
||||||
username = "meinhak99";
|
|
||||||
fu-defaults =
|
|
||||||
let
|
|
||||||
mailhost = "mail.zedat.fu-berlin.de";
|
|
||||||
in
|
|
||||||
{
|
|
||||||
imap.host = mailhost;
|
|
||||||
imap.port = 993;
|
|
||||||
imap.tls.enable = true;
|
|
||||||
smtp.host = mailhost;
|
|
||||||
smtp.port = 465;
|
|
||||||
smtp.tls.enable = true;
|
|
||||||
folders.drafts = "Entwürfe";
|
|
||||||
folders.sent = "Gesendet";
|
|
||||||
folders.trash = "Papierkorb";
|
|
||||||
};
|
|
||||||
in
|
|
||||||
{
|
|
||||||
home-manager.users.me = {
|
|
||||||
programs.ssh = {
|
|
||||||
matchBlocks = {
|
|
||||||
fu-berlin = {
|
|
||||||
user = username;
|
|
||||||
hostname = "login.zedat.fu-berlin.de";
|
|
||||||
setEnv.TERM = "xterm";
|
|
||||||
};
|
|
||||||
};
|
|
||||||
};
|
|
||||||
accounts.email.accounts = {
|
|
||||||
letos = lib.recursiveUpdate pkgs.lib.niveum.email.defaults {
|
|
||||||
userName = "slfletos";
|
|
||||||
address = "letos.sprachlit@hu-berlin.de";
|
|
||||||
passwordCommand = "${pkgs.coreutils}/bin/cat ${config.age.secrets.email-password-letos.path}";
|
|
||||||
imap.host = "mailbox.cms.hu-berlin.de";
|
|
||||||
imap.port = 993;
|
|
||||||
smtp.host = "mailhost.cms.hu-berlin.de";
|
|
||||||
smtp.port = 25;
|
|
||||||
smtp.tls.useStartTls = true;
|
|
||||||
};
|
|
||||||
fu = lib.recursiveUpdate pkgs.lib.niveum.email.defaults (
|
|
||||||
lib.recursiveUpdate fu-defaults (
|
|
||||||
let
|
|
||||||
userName = "meinhak99";
|
|
||||||
in
|
|
||||||
{
|
|
||||||
userName = userName;
|
|
||||||
address = "kieran.meinhardt@fu-berlin.de";
|
|
||||||
aliases = [ "${userName}@fu-berlin.de" ];
|
|
||||||
passwordCommand = "${pkgs.coreutils}/bin/cat ${config.age.secrets.email-password-meinhak99.path}";
|
|
||||||
himalaya = {
|
|
||||||
enable = true;
|
|
||||||
settings.backend = "imap";
|
|
||||||
};
|
|
||||||
}
|
|
||||||
)
|
|
||||||
);
|
|
||||||
};
|
|
||||||
};
|
|
||||||
|
|
||||||
age.secrets = {
|
|
||||||
email-password-meinhak99 = {
|
|
||||||
file = ../secrets/email-password-meinhak99.age;
|
|
||||||
owner = config.users.users.me.name;
|
|
||||||
group = config.users.users.me.group;
|
|
||||||
mode = "400";
|
|
||||||
};
|
|
||||||
email-password-letos = {
|
|
||||||
file = ../secrets/email-password-letos.age;
|
|
||||||
owner = config.users.users.me.name;
|
|
||||||
group = config.users.users.me.group;
|
|
||||||
mode = "400";
|
|
||||||
};
|
|
||||||
fu-sftp-key = {
|
|
||||||
file = ../secrets/fu-sftp-key.age;
|
|
||||||
owner = "root";
|
|
||||||
group = "root";
|
|
||||||
mode = "400";
|
|
||||||
};
|
|
||||||
};
|
|
||||||
|
|
||||||
# if it fails with "connection reset by peer" run `sudo sshfs ... ... -o ...` manually
|
|
||||||
# it needs to say 'yes' to the server's fingerprint
|
|
||||||
system.fsPackages = [ pkgs.sshfs ];
|
|
||||||
|
|
||||||
# https://www.zedat.fu-berlin.de/tip4u_157.pdf
|
|
||||||
fileSystems =
|
|
||||||
let
|
|
||||||
fu-berlin-cifs-options = [
|
|
||||||
"uid=${toString config.users.users.me.uid}"
|
|
||||||
"gid=${toString config.users.groups.users.gid}"
|
|
||||||
"rw"
|
|
||||||
"nounix"
|
|
||||||
"domain=fu-berlin"
|
|
||||||
"noauto"
|
|
||||||
"x-systemd.automount"
|
|
||||||
"x-systemd.device-timeout=1"
|
|
||||||
"x-systemd.idle-timeout=1min"
|
|
||||||
];
|
|
||||||
|
|
||||||
firstCharacter = lib.strings.substring 0 1;
|
|
||||||
|
|
||||||
home-directory-mount = user: {
|
|
||||||
"${pkgs.lib.niveum.remoteDir}/fu/${user}/home" = {
|
|
||||||
device = "${user}@login.zedat.fu-berlin.de:/home/${firstCharacter user}/${user}";
|
|
||||||
fsType = "sshfs";
|
|
||||||
options = [
|
|
||||||
"allow_other"
|
|
||||||
"_netdev"
|
|
||||||
"x-systemd.automount"
|
|
||||||
"reconnect"
|
|
||||||
"ServerAliveInterval=15"
|
|
||||||
"IdentityFile=${config.age.secrets.fu-sftp-key.path}"
|
|
||||||
];
|
|
||||||
};
|
|
||||||
};
|
|
||||||
in
|
|
||||||
home-directory-mount "meinhak99";
|
|
||||||
|
|
||||||
environment.systemPackages = [
|
|
||||||
(pkgs.writers.writeDashBin "hu-vpn-split" ''
|
|
||||||
${pkgs.openfortivpn}/bin/openfortivpn \
|
|
||||||
--password="$(cat "${config.age.secrets.email-password-letos.path}")" \
|
|
||||||
--config=${pkgs.writeText "hu-berlin-split.config" ''
|
|
||||||
host = forti-ssl.vpn.hu-berlin.de
|
|
||||||
port = 443
|
|
||||||
username = slfletos@split_tunnel
|
|
||||||
''}
|
|
||||||
'')
|
|
||||||
(pkgs.writers.writeDashBin "hu-vpn-full" ''
|
|
||||||
${pkgs.openfortivpn}/bin/openfortivpn \
|
|
||||||
--password="$(cat "${config.age.secrets.email-password-letos.path}")" \
|
|
||||||
--config=${pkgs.writeText "hu-berlin-full.config" ''
|
|
||||||
host = forti-ssl.vpn.hu-berlin.de
|
|
||||||
port = 443
|
|
||||||
username = slfletos@tunnel_all
|
|
||||||
''}
|
|
||||||
'')
|
|
||||||
(pkgs.writers.writeDashBin "fu-vpn" ''
|
|
||||||
if ${pkgs.wirelesstools}/bin/iwgetid | ${pkgs.gnugrep}/bin/grep --invert-match eduroam
|
|
||||||
then
|
|
||||||
# root firefox will not open login window unless root owns Xauthority
|
|
||||||
sudo cp $XAUTHORITY /root/.Xauthority
|
|
||||||
sudo chown root: /root/.Xauthority
|
|
||||||
XAUTHORITY=/root/.Xauthority sudo ${pkgs.openconnect}/bin/openconnect vpn.fu-berlin.de --useragent=AnyConnect
|
|
||||||
fi
|
|
||||||
'')
|
|
||||||
];
|
|
||||||
}
|
|
||||||
@@ -1,14 +0,0 @@
|
|||||||
{ pkgs, ... }:
|
|
||||||
{
|
|
||||||
users.users.me.extraGroups = [ "libvirtd" ];
|
|
||||||
virtualisation.libvirtd.enable = true;
|
|
||||||
|
|
||||||
# Enable TPM support for VMs
|
|
||||||
virtualisation.libvirtd.qemu = {
|
|
||||||
# swtpm.enable = true;
|
|
||||||
};
|
|
||||||
|
|
||||||
environment.systemPackages = with pkgs; [
|
|
||||||
virt-manager
|
|
||||||
];
|
|
||||||
}
|
|
||||||
@@ -1,4 +1 @@
|
|||||||
{ pkgs, ... }:
|
{pkgs, ...}: {environment.systemPackages = [pkgs.vscode];}
|
||||||
{
|
|
||||||
environment.systemPackages = [ pkgs.vscode ];
|
|
||||||
}
|
|
||||||
|
|||||||
@@ -2,16 +2,14 @@
|
|||||||
pkgs,
|
pkgs,
|
||||||
lib,
|
lib,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
# url = "http://wallpaper.r/realwallpaper-krebs-stars-berlin.png";
|
# url = "http://wallpaper.r/realwallpaper-krebs-stars-berlin.png";
|
||||||
url = "http://wallpaper.r/realwallpaper-krebs.png";
|
url = "http://wallpaper.r/realwallpaper-krebs.png";
|
||||||
stateDir = "~/.cache/wallpaper";
|
stateDir = "~/.cache/wallpaper";
|
||||||
in
|
in {
|
||||||
{
|
|
||||||
systemd.user.services.wallpaper = {
|
systemd.user.services.wallpaper = {
|
||||||
wantedBy = [ "graphical-session.target" ];
|
wantedBy = ["graphical-session.target"];
|
||||||
after = [ "network.target" ];
|
after = ["network.target"];
|
||||||
script = ''
|
script = ''
|
||||||
set -euf
|
set -euf
|
||||||
|
|
||||||
|
|||||||
9
configs/watson.nix
Normal file
9
configs/watson.nix
Normal file
@@ -0,0 +1,9 @@
|
|||||||
|
{
|
||||||
|
config,
|
||||||
|
pkgs,
|
||||||
|
...
|
||||||
|
}: {
|
||||||
|
environment.systemPackages = [pkgs.watson];
|
||||||
|
|
||||||
|
environment.variables.WATSON_DIR = "${config.users.users.me.home}/cloud/Seafile/Documents/watson";
|
||||||
|
}
|
||||||
@@ -1,9 +1,6 @@
|
|||||||
{ config, ... }:
|
|
||||||
{
|
{
|
||||||
networking.wireless = {
|
networking.wireless = {
|
||||||
enable = true;
|
enable = true;
|
||||||
secretsFile = config.age.secrets.wifi.path;
|
networks.Aether.pskRaw = "e1b18af54036c5c9a747fe681c6a694636d60a5f8450f7dec0d76bc93e2ec85a";
|
||||||
# networks.Aether.pskRaw = "e1b18af54036c5c9a747fe681c6a694636d60a5f8450f7dec0d76bc93e2ec85a";
|
|
||||||
networks.Schilfpalast.pskRaw = "ext:schilfpalast";
|
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
185
configs/zsh.nix
185
configs/zsh.nix
@@ -2,97 +2,104 @@
|
|||||||
config,
|
config,
|
||||||
pkgs,
|
pkgs,
|
||||||
...
|
...
|
||||||
}:
|
}: let
|
||||||
let
|
|
||||||
promptColours.success = "cyan";
|
promptColours.success = "cyan";
|
||||||
promptColours.failure = "red";
|
promptColours.failure = "red";
|
||||||
in
|
in {
|
||||||
{
|
environment.systemPackages = [pkgs.atuin];
|
||||||
programs.zsh =
|
environment.variables.ATUIN_CONFIG_DIR = toString (pkgs.writeTextDir "/config.toml" ''
|
||||||
let
|
auto_sync = true
|
||||||
zsh-completions = pkgs.fetchFromGitHub {
|
update_check = false
|
||||||
owner = "zsh-users";
|
sync_address = "http://zaatar.r:8888"
|
||||||
repo = "zsh-completions";
|
sync_frequency = 0
|
||||||
rev = "cf565254e26bb7ce03f51889e9a29953b955b1fb";
|
style = "compact"
|
||||||
sha256 = "1yf4rz99acdsiy0y1v3bm65xvs2m0sl92ysz0rnnrlbd5amn283l";
|
'');
|
||||||
};
|
|
||||||
in
|
|
||||||
{
|
|
||||||
enable = true;
|
|
||||||
enableCompletion = true;
|
|
||||||
autosuggestions.enable = true;
|
|
||||||
syntaxHighlighting.enable = true;
|
|
||||||
syntaxHighlighting.highlighters = [
|
|
||||||
"main"
|
|
||||||
"brackets"
|
|
||||||
"pattern"
|
|
||||||
"line"
|
|
||||||
];
|
|
||||||
interactiveShellInit = ''
|
|
||||||
setopt INTERACTIVE_COMMENTS CORRECT
|
|
||||||
setopt MULTIOS
|
|
||||||
setopt AUTO_NAME_DIRS
|
|
||||||
setopt AUTOCD CDABLE_VARS
|
|
||||||
setopt HIST_IGNORE_ALL_DUPS
|
|
||||||
setopt VI
|
|
||||||
setopt AUTO_MENU
|
|
||||||
setopt COMPLETE_IN_WORD
|
|
||||||
setopt ALWAYS_TO_END
|
|
||||||
unsetopt NOMATCH
|
|
||||||
unsetopt MENU_COMPLETE
|
|
||||||
|
|
||||||
zstyle ':completion:*:*:*:*:*' menu select
|
programs.zsh = let
|
||||||
zstyle ':completion:*' matcher-list 'm:{a-zA-Z-_}={A-Za-z_-}' 'r:|=*' 'l:|=* r:|=*'
|
zsh-completions = pkgs.fetchFromGitHub {
|
||||||
zstyle ':completion:*' special-dirs true
|
owner = "zsh-users";
|
||||||
zstyle ':completion:*' list-colors \'\'
|
repo = "zsh-completions";
|
||||||
zstyle ':completion:*:*:kill:*:processes' list-colors '=(#b) #([0-9]#) ([0-9a-z-]#)*=01;34=0=01'
|
rev = "cf565254e26bb7ce03f51889e9a29953b955b1fb";
|
||||||
zstyle ':completion:*:*:*:*:processes' command "ps -u $USER -o pid,user,comm -w -w"
|
sha256 = "1yf4rz99acdsiy0y1v3bm65xvs2m0sl92ysz0rnnrlbd5amn283l";
|
||||||
zstyle ':completion:*:cd:*' tag-order local-directories directory-stack path-directories
|
|
||||||
|
|
||||||
export KEYTIMEOUT=1
|
|
||||||
|
|
||||||
hash -d nixos=/etc/nixos niveum=${config.users.users.me.home}/sync/src/niveum
|
|
||||||
|
|
||||||
autoload -U zmv run-help edit-command-line
|
|
||||||
|
|
||||||
fpath=(${zsh-completions}/src $fpath)
|
|
||||||
'';
|
|
||||||
promptInit = ''
|
|
||||||
autoload -Uz vcs_info
|
|
||||||
zstyle ':vcs_info:*' enable git
|
|
||||||
zstyle ':vcs_info:*' check-for-changes true
|
|
||||||
zstyle ':vcs_info:*' stagedstr '%F{green}+%f'
|
|
||||||
zstyle ':vcs_info:*' unstagedstr '%F{red}~%f'
|
|
||||||
zstyle ':vcs_info:*' use-prompt-escapes true
|
|
||||||
zstyle ':vcs_info:*' formats "%c%u%F{cyan}%b%f"
|
|
||||||
zstyle ':vcs_info:*' actionformats "(%a) %c%u%F{cyan}%b%f"
|
|
||||||
|
|
||||||
precmd () {
|
|
||||||
vcs_info
|
|
||||||
if [ -n "$SSH_CLIENT" ] || [ -n "$SSH_TTY" ] || [ -n "$SSH_CONNECTION" ]; then
|
|
||||||
RPROMPT="$(hostname)"
|
|
||||||
else
|
|
||||||
RPROMPT="$vcs_info_msg_0_"
|
|
||||||
fi
|
|
||||||
if [[ -n $IN_NIX_SHELL ]]; then
|
|
||||||
PROMPT='%B%~%b %(?.%F{${promptColours.success}}.%F{${promptColours.failure}})λ%f '
|
|
||||||
else
|
|
||||||
PROMPT='%B%~%b %(?.%F{${promptColours.success}}.%F{${promptColours.failure}})%#%f '
|
|
||||||
fi
|
|
||||||
print -Pn "\e]2;%n@%M:%~\a" # title bar prompt
|
|
||||||
}
|
|
||||||
|
|
||||||
zle-keymap-select zle-line-init () {
|
|
||||||
case $KEYMAP in
|
|
||||||
vicmd) print -n '\e]12;green\a';;
|
|
||||||
viins|main) print -n '\e]12;gray\a';;
|
|
||||||
esac
|
|
||||||
}
|
|
||||||
|
|
||||||
zle -N zle-line-init
|
|
||||||
zle -N zle-keymap-select
|
|
||||||
zle -N edit-command-line
|
|
||||||
bindkey -M vicmd v edit-command-line
|
|
||||||
'';
|
|
||||||
};
|
};
|
||||||
|
in {
|
||||||
|
enable = true;
|
||||||
|
enableCompletion = true;
|
||||||
|
autosuggestions.enable = true;
|
||||||
|
syntaxHighlighting.enable = true;
|
||||||
|
syntaxHighlighting.highlighters = ["main" "brackets" "pattern" "line"];
|
||||||
|
interactiveShellInit = ''
|
||||||
|
setopt INTERACTIVE_COMMENTS CORRECT
|
||||||
|
setopt MULTIOS
|
||||||
|
setopt AUTO_NAME_DIRS
|
||||||
|
setopt AUTOCD CDABLE_VARS
|
||||||
|
setopt HIST_IGNORE_ALL_DUPS
|
||||||
|
setopt VI
|
||||||
|
setopt AUTO_MENU
|
||||||
|
setopt COMPLETE_IN_WORD
|
||||||
|
setopt ALWAYS_TO_END
|
||||||
|
unsetopt NOMATCH
|
||||||
|
unsetopt MENU_COMPLETE
|
||||||
|
|
||||||
|
zstyle ':completion:*:*:*:*:*' menu select
|
||||||
|
zstyle ':completion:*' matcher-list 'm:{a-zA-Z-_}={A-Za-z_-}' 'r:|=*' 'l:|=* r:|=*'
|
||||||
|
zstyle ':completion:*' special-dirs true
|
||||||
|
zstyle ':completion:*' list-colors \'\'
|
||||||
|
zstyle ':completion:*:*:kill:*:processes' list-colors '=(#b) #([0-9]#) ([0-9a-z-]#)*=01;34=0=01'
|
||||||
|
zstyle ':completion:*:*:*:*:processes' command "ps -u $USER -o pid,user,comm -w -w"
|
||||||
|
zstyle ':completion:*:cd:*' tag-order local-directories directory-stack path-directories
|
||||||
|
|
||||||
|
export KEYTIMEOUT=1
|
||||||
|
|
||||||
|
hash -d nixos=/etc/nixos niveum=${config.users.users.me.home}/sync/src/niveum
|
||||||
|
|
||||||
|
autoload -U zmv run-help edit-command-line
|
||||||
|
|
||||||
|
fpath=(${zsh-completions}/src $fpath)
|
||||||
|
'';
|
||||||
|
promptInit = ''
|
||||||
|
autoload -Uz vcs_info
|
||||||
|
zstyle ':vcs_info:*' enable git
|
||||||
|
zstyle ':vcs_info:*' check-for-changes true
|
||||||
|
zstyle ':vcs_info:*' stagedstr '%F{green}+%f'
|
||||||
|
zstyle ':vcs_info:*' unstagedstr '%F{red}~%f'
|
||||||
|
zstyle ':vcs_info:*' use-prompt-escapes true
|
||||||
|
zstyle ':vcs_info:*' formats "%c%u%F{cyan}%b%f"
|
||||||
|
zstyle ':vcs_info:*' actionformats "(%a) %c%u%F{cyan}%b%f"
|
||||||
|
|
||||||
|
# atuin distributed shell history
|
||||||
|
export ATUIN_NOBIND="true" # disable all keybdinings of atuin
|
||||||
|
eval "$(atuin init zsh)"
|
||||||
|
bindkey '^r' _atuin_search_widget # bind ctrl+r to atuin
|
||||||
|
# use zsh only session history
|
||||||
|
fc -p
|
||||||
|
|
||||||
|
precmd () {
|
||||||
|
vcs_info
|
||||||
|
if [ -n "$SSH_CLIENT" ] || [ -n "$SSH_TTY" ] || [ -n "$SSH_CONNECTION" ]; then
|
||||||
|
RPROMPT="$(hostname)"
|
||||||
|
else
|
||||||
|
RPROMPT="$vcs_info_msg_0_"
|
||||||
|
fi
|
||||||
|
if [[ -n $IN_NIX_SHELL ]]; then
|
||||||
|
PROMPT='%B%~%b %(?.%F{${promptColours.success}}.%F{${promptColours.failure}})λ%f '
|
||||||
|
else
|
||||||
|
PROMPT='%B%~%b %(?.%F{${promptColours.success}}.%F{${promptColours.failure}})%#%f '
|
||||||
|
fi
|
||||||
|
print -Pn "\e]2;%n@%M:%~\a" # title bar prompt
|
||||||
|
}
|
||||||
|
|
||||||
|
zle-keymap-select zle-line-init () {
|
||||||
|
case $KEYMAP in
|
||||||
|
vicmd) print -n '\e]12;green\a';;
|
||||||
|
viins|main) print -n '\e]12;gray\a';;
|
||||||
|
esac
|
||||||
|
}
|
||||||
|
|
||||||
|
zle -N zle-line-init
|
||||||
|
zle -N zle-keymap-select
|
||||||
|
zle -N edit-command-line
|
||||||
|
bindkey -M vicmd v edit-command-line
|
||||||
|
'';
|
||||||
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
1759
flake.lock
generated
1759
flake.lock
generated
File diff suppressed because it is too large
Load Diff
916
flake.nix
916
flake.nix
@@ -2,578 +2,450 @@
|
|||||||
description = "niveum: packages, modules, systems";
|
description = "niveum: packages, modules, systems";
|
||||||
|
|
||||||
inputs = {
|
inputs = {
|
||||||
self.submodules = true;
|
|
||||||
|
|
||||||
agenix.url = "github:ryantm/agenix";
|
agenix.url = "github:ryantm/agenix";
|
||||||
autorenkalender.url = "github:kmein/autorenkalender";
|
# alew-web.url = "git+ssh://gitea@code.kmein.de:22022/kfm/alew-web.git?ref=refs/heads/master";
|
||||||
home-manager.url = "github:nix-community/home-manager/release-25.11";
|
coptic-dictionary.url = "github:kmein/coptic-dictionary";
|
||||||
|
flake-utils.url = "github:numtide/flake-utils";
|
||||||
|
home-manager.url = "github:nix-community/home-manager/release-25.05";
|
||||||
menstruation-backend.url = "github:kmein/menstruation.rs";
|
menstruation-backend.url = "github:kmein/menstruation.rs";
|
||||||
menstruation-telegram.url = "github:kmein/menstruation-telegram";
|
menstruation-telegram.url = "github:kmein/menstruation-telegram";
|
||||||
nix-index-database.url = "github:nix-community/nix-index-database";
|
centerpiece.url = "github:friedow/centerpiece";
|
||||||
|
nix-on-droid.url = "github:t184256/nix-on-droid/release-23.05";
|
||||||
|
nixinate.url = "github:matthewcroughan/nixinate";
|
||||||
nixpkgs-old.url = "github:NixOS/nixpkgs/50fc86b75d2744e1ab3837ef74b53f103a9b55a0";
|
nixpkgs-old.url = "github:NixOS/nixpkgs/50fc86b75d2744e1ab3837ef74b53f103a9b55a0";
|
||||||
nixpkgs.url = "github:NixOS/nixpkgs/nixos-25.11";
|
nixpkgs-unstable.url = "github:NixOS/nixpkgs/master";
|
||||||
nixos-hardware.url = "github:NixOS/nixos-hardware";
|
nixpkgs.url = "github:NixOS/nixpkgs/nixos-25.05";
|
||||||
nur.url = "github:nix-community/NUR";
|
nur.url = "github:nix-community/NUR";
|
||||||
|
recht.url = "github:kmein/recht";
|
||||||
retiolum.url = "github:krebs/retiolum";
|
retiolum.url = "github:krebs/retiolum";
|
||||||
|
rust-overlay.url = "github:oxalica/rust-overlay";
|
||||||
scripts.url = "github:kmein/scripts";
|
scripts.url = "github:kmein/scripts";
|
||||||
stockholm.url = "github:krebs/stockholm";
|
stockholm.url = "github:krebs/stockholm";
|
||||||
stylix.url = "github:danth/stylix/release-25.11";
|
stylix.url = "github:danth/stylix/release-25.05";
|
||||||
telebots.url = "github:kmein/telebots";
|
telebots.url = "github:kmein/telebots";
|
||||||
tinc-graph.url = "github:kmein/tinc-graph";
|
tinc-graph.url = "github:kmein/tinc-graph";
|
||||||
treefmt-nix.url = "github:numtide/treefmt-nix";
|
|
||||||
voidrice.url = "github:Lukesmithxyz/voidrice";
|
voidrice.url = "github:Lukesmithxyz/voidrice";
|
||||||
|
wallpaper-generator.url = "github:pinpox/wallpaper-generator/v1.1";
|
||||||
wallpapers.url = "github:kmein/wallpapers";
|
wallpapers.url = "github:kmein/wallpapers";
|
||||||
nix-topology.url = "github:oddlama/nix-topology";
|
|
||||||
|
|
||||||
voidrice.flake = false;
|
|
||||||
wallpapers.flake = false;
|
|
||||||
|
|
||||||
naersk.url = "github:nix-community/naersk";
|
|
||||||
fenix.url = "github:nix-community/fenix";
|
|
||||||
naersk.inputs.fenix.follows = "fenix";
|
|
||||||
menstruation-backend.inputs.fenix.follows = "fenix";
|
|
||||||
tinc-graph.inputs.fenix.follows = "fenix";
|
|
||||||
scripts.inputs.fenix.follows = "fenix";
|
|
||||||
tinc-graph.inputs.naersk.follows = "naersk";
|
|
||||||
scripts.inputs.naersk.follows = "naersk";
|
|
||||||
|
|
||||||
menstruation-telegram.inputs.menstruation-backend.follows = "menstruation-backend";
|
|
||||||
|
|
||||||
menstruation-telegram.inputs.nixpkgs.follows = "nixpkgs-old";
|
|
||||||
telebots.inputs.nixpkgs.follows = "nixpkgs-old";
|
|
||||||
|
|
||||||
agenix.inputs.home-manager.follows = "home-manager";
|
agenix.inputs.home-manager.follows = "home-manager";
|
||||||
|
|
||||||
agenix.inputs.nixpkgs.follows = "nixpkgs";
|
agenix.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
autorenkalender.inputs.nixpkgs.follows = "nixpkgs";
|
coptic-dictionary.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
home-manager.inputs.nixpkgs.follows = "nixpkgs";
|
home-manager.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
naersk.inputs.nixpkgs.follows = "nixpkgs";
|
# menstruation-backend.inputs.flake-utils.follows = "flake-utils";
|
||||||
fenix.inputs.nixpkgs.follows = "nixpkgs";
|
# menstruation-backend.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
treefmt-nix.inputs.nixpkgs.follows = "nixpkgs";
|
# menstruation-backend.inputs.rust-overlay.follows = "rust-overlay";
|
||||||
nur.inputs.nixpkgs.follows = "nixpkgs";
|
menstruation-telegram.inputs.flake-utils.follows = "flake-utils";
|
||||||
nix-topology.inputs.nixpkgs.follows = "nixpkgs";
|
menstruation-telegram.inputs.menstruation-backend.follows = "menstruation-backend";
|
||||||
stockholm.inputs.nixpkgs.follows = "nixpkgs";
|
menstruation-telegram.inputs.nixpkgs.follows = "nixpkgs-old";
|
||||||
menstruation-backend.inputs.nixpkgs.follows = "nixpkgs";
|
nix-on-droid.inputs.home-manager.follows = "home-manager";
|
||||||
nix-index-database.inputs.nixpkgs.follows = "nixpkgs";
|
nix-on-droid.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
|
recht.inputs.flake-utils.follows = "flake-utils";
|
||||||
|
recht.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
|
rust-overlay.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
|
scripts.inputs.flake-utils.follows = "flake-utils";
|
||||||
scripts.inputs.nixpkgs.follows = "nixpkgs";
|
scripts.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
|
scripts.inputs.rust-overlay.follows = "rust-overlay";
|
||||||
|
stylix.inputs.home-manager.follows = "home-manager";
|
||||||
stylix.inputs.nixpkgs.follows = "nixpkgs";
|
stylix.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
|
tinc-graph.inputs.flake-utils.follows = "flake-utils";
|
||||||
tinc-graph.inputs.nixpkgs.follows = "nixpkgs";
|
tinc-graph.inputs.nixpkgs.follows = "nixpkgs";
|
||||||
|
tinc-graph.inputs.rust-overlay.follows = "rust-overlay";
|
||||||
|
voidrice.flake = false;
|
||||||
|
wallpaper-generator.inputs.flake-utils.follows = "flake-utils";
|
||||||
|
wallpapers.flake = false;
|
||||||
};
|
};
|
||||||
|
|
||||||
outputs =
|
nixConfig = {
|
||||||
|
extra-substituters = [ "https://kmein.cachix.org" ];
|
||||||
|
extra-trusted-public-keys = [ "kmein.cachix.org-1:rsJ2b6++VQHJ1W6rGuDUYsK/qUkFA3bNpO6PyEyJ9Ls=" ];
|
||||||
|
};
|
||||||
|
|
||||||
|
outputs = inputs @ {
|
||||||
|
self,
|
||||||
|
nixpkgs,
|
||||||
|
nixpkgs-unstable,
|
||||||
|
nur,
|
||||||
|
home-manager,
|
||||||
|
agenix,
|
||||||
|
retiolum,
|
||||||
|
nixinate,
|
||||||
|
flake-utils,
|
||||||
|
nix-on-droid,
|
||||||
|
centerpiece,
|
||||||
|
stylix,
|
||||||
|
...
|
||||||
|
}:
|
||||||
{
|
{
|
||||||
self,
|
apps = {
|
||||||
nixpkgs,
|
x86_64-darwin = let
|
||||||
nur,
|
pkgs = nixpkgs.legacyPackages.x86_64-darwin;
|
||||||
home-manager,
|
in {
|
||||||
agenix,
|
deploy-maakaron = {
|
||||||
retiolum,
|
type = "app";
|
||||||
menstruation-backend,
|
program = toString (pkgs.writers.writeDash "deploy-maakaron" ''
|
||||||
menstruation-telegram,
|
exec $(nix build .#homeConfigurations.maakaron.activationPackage --no-link --print-out-paths)/activate
|
||||||
scripts,
|
'');
|
||||||
tinc-graph,
|
};
|
||||||
nix-topology,
|
|
||||||
nixos-hardware,
|
|
||||||
treefmt-nix,
|
|
||||||
autorenkalender,
|
|
||||||
telebots,
|
|
||||||
stockholm,
|
|
||||||
nix-index-database,
|
|
||||||
stylix,
|
|
||||||
voidrice,
|
|
||||||
...
|
|
||||||
}:
|
|
||||||
let
|
|
||||||
lib = nixpkgs.lib;
|
|
||||||
eachSupportedSystem = lib.genAttrs lib.systems.flakeExposed;
|
|
||||||
treefmtEval = eachSupportedSystem (
|
|
||||||
system:
|
|
||||||
treefmt-nix.lib.evalModule nixpkgs.legacyPackages.${system} (
|
|
||||||
{ pkgs, ... }:
|
|
||||||
{
|
|
||||||
projectRootFile = "flake.nix";
|
|
||||||
programs.nixfmt.enable = true;
|
|
||||||
programs.ormolu.enable = true;
|
|
||||||
programs.black.enable = true;
|
|
||||||
programs.prettier.enable = true;
|
|
||||||
programs.stylua.enable = true;
|
|
||||||
}
|
|
||||||
)
|
|
||||||
);
|
|
||||||
in
|
|
||||||
{
|
|
||||||
|
|
||||||
apps =
|
|
||||||
let
|
|
||||||
localSystem = "x86_64-linux";
|
|
||||||
in
|
|
||||||
{
|
|
||||||
${localSystem} =
|
|
||||||
let
|
|
||||||
pkgs = import nixpkgs {
|
|
||||||
system = localSystem;
|
|
||||||
overlays = [ self.overlays.default ];
|
|
||||||
};
|
|
||||||
lib = nixpkgs.lib;
|
|
||||||
in
|
|
||||||
lib.mergeAttrsList [
|
|
||||||
{
|
|
||||||
mock-secrets = {
|
|
||||||
type = "app";
|
|
||||||
program = toString (
|
|
||||||
pkgs.writers.writeDash "mock-secrets" ''
|
|
||||||
${pkgs.findutils}/bin/find secrets -not -path '*/.*' -type f | ${pkgs.coreutils}/bin/sort > secrets.txt
|
|
||||||
''
|
|
||||||
);
|
|
||||||
};
|
|
||||||
}
|
|
||||||
(builtins.listToAttrs (
|
|
||||||
map (
|
|
||||||
hostname:
|
|
||||||
let
|
|
||||||
machines = import lib/machines.nix;
|
|
||||||
deployScript = pkgs.writers.writeBash "deploy-${hostname}" ''
|
|
||||||
reachable=$(${pkgs.try-connect.${hostname}}/bin/try-connect)
|
|
||||||
|
|
||||||
if [ -z "$reachable" ]; then
|
|
||||||
exit 1
|
|
||||||
fi
|
|
||||||
|
|
||||||
target="root@$reachable"
|
|
||||||
echo "Deploying to ${hostname} via $target"
|
|
||||||
|
|
||||||
# Set SSH options based on address type
|
|
||||||
if [[ "$reachable" == *.onion ]]; then
|
|
||||||
# why? ControlPath=none
|
|
||||||
# SSH is trying to create a control socket with a path that includes
|
|
||||||
# the full .onion hostname, and Unix domain sockets have a path length
|
|
||||||
# limit (typically 108 characters). The .onion address is too long.
|
|
||||||
export NIX_SSHOPTS="-p ${
|
|
||||||
toString machines.${hostname}.sshPort
|
|
||||||
} -o ProxyCommand='${pkgs.netcat}/bin/nc -x localhost:9050 %h %p' -o ControlPath=none"
|
|
||||||
else
|
|
||||||
export NIX_SSHOPTS="-p ${toString machines.${hostname}.sshPort}"
|
|
||||||
fi
|
|
||||||
|
|
||||||
${pkgs.nixos-rebuild-ng}/bin/nixos-rebuild-ng switch \
|
|
||||||
--max-jobs 2 \
|
|
||||||
--log-format internal-json \
|
|
||||||
--flake .#${hostname} \
|
|
||||||
--target-host "$target" \
|
|
||||||
${lib.optionalString (localSystem != machines.${hostname}.system) "--build-host $target"} \
|
|
||||||
|& ${pkgs.nix-output-monitor}/bin/nom --json
|
|
||||||
'';
|
|
||||||
in
|
|
||||||
lib.attrsets.nameValuePair "deploy-${hostname}" {
|
|
||||||
type = "app";
|
|
||||||
program = toString deployScript;
|
|
||||||
}
|
|
||||||
) (builtins.attrNames self.nixosConfigurations)
|
|
||||||
))
|
|
||||||
];
|
|
||||||
};
|
};
|
||||||
|
x86_64-linux = let
|
||||||
# TODO overlay for packages
|
pkgs = nixpkgs.legacyPackages.x86_64-linux;
|
||||||
# TODO remove flake-utils dependency from my own repos
|
lib = nixpkgs.lib;
|
||||||
|
in
|
||||||
|
nixinate.nixinate.x86_64-linux self
|
||||||
|
// {
|
||||||
|
mock-secrets = {
|
||||||
|
type = "app";
|
||||||
|
program = toString (pkgs.writers.writeDash "mock-secrets" ''
|
||||||
|
${pkgs.findutils}/bin/find secrets -not -path '*/.*' -type f | ${pkgs.coreutils}/bin/sort > secrets.txt
|
||||||
|
'');
|
||||||
|
};
|
||||||
|
}
|
||||||
|
# the following error prevents remote building of ful: https://github.com/NixOS/nixpkgs/issues/177873
|
||||||
|
// builtins.listToAttrs (map (hostname: let
|
||||||
|
externalNetwork = import ./lib/external-network.nix;
|
||||||
|
targets = {
|
||||||
|
ful = "root@ful";
|
||||||
|
zaatar = "root@zaatar";
|
||||||
|
makanek = "root@makanek";
|
||||||
|
manakish = "root@manakish";
|
||||||
|
tahina = "root@tahina";
|
||||||
|
tabula = "root@tabula";
|
||||||
|
kabsa = "root@kabsa";
|
||||||
|
fatteh = "root@fatteh";
|
||||||
|
kibbeh = "root@kibbeh";
|
||||||
|
};
|
||||||
|
in
|
||||||
|
lib.attrsets.nameValuePair "deploy-${hostname}" {
|
||||||
|
type = "app";
|
||||||
|
program = toString (pkgs.writers.writeDash "deploy-${hostname}" ''
|
||||||
|
exec ${pkgs.nixos-rebuild}/bin/nixos-rebuild switch \
|
||||||
|
--max-jobs 2 \
|
||||||
|
--log-format internal-json \
|
||||||
|
--flake .?submodules=1#${hostname} \
|
||||||
|
--target-host ${targets.${hostname}} 2>&1 \
|
||||||
|
| ${pkgs.nix-output-monitor}/bin/nom --json
|
||||||
|
'');
|
||||||
|
}) (builtins.attrNames self.nixosConfigurations))
|
||||||
|
// {
|
||||||
|
deploy-ful = {
|
||||||
|
type = "app";
|
||||||
|
program = toString (pkgs.writers.writeDash "deploy-ful" ''
|
||||||
|
exec ${pkgs.nix}/bin/nix run .?submodules=1#nixinate.ful \
|
||||||
|
--log-format internal-json 2>&1 \
|
||||||
|
| ${pkgs.nix-output-monitor}/bin/nom --json
|
||||||
|
'');
|
||||||
|
};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
nixosModules = {
|
nixosModules = {
|
||||||
|
htgen = import modules/htgen.nix;
|
||||||
moodle-dl = import modules/moodle-dl.nix;
|
moodle-dl = import modules/moodle-dl.nix;
|
||||||
|
networkmanager-declarative = import modules/networkmanager-declarative.nix;
|
||||||
passport = import modules/passport.nix;
|
passport = import modules/passport.nix;
|
||||||
panoptikon = import modules/panoptikon.nix;
|
panoptikon = import modules/panoptikon.nix;
|
||||||
power-action = import modules/power-action.nix;
|
power-action = import modules/power-action.nix;
|
||||||
system-dependent = import modules/system-dependent.nix;
|
system-dependent = import modules/system-dependent.nix;
|
||||||
telegram-bot = import modules/telegram-bot.nix;
|
telegram-bot = import modules/telegram-bot.nix;
|
||||||
go-webring = import modules/go-webring.nix;
|
|
||||||
};
|
};
|
||||||
|
|
||||||
overlays.default = final: prev: {
|
lib = {
|
||||||
niveum-terminal = prev.alacritty;
|
panoptikon = import lib/panoptikon.nix;
|
||||||
niveum-browser = prev.firefox;
|
};
|
||||||
niveum-filemanager = prev.pcmanfm;
|
|
||||||
|
|
||||||
# wrapped from upstream
|
nixOnDroidConfigurations = {
|
||||||
wrapScript =
|
moto = nix-on-droid.lib.nixOnDroidConfiguration {
|
||||||
{
|
modules = [systems/moto/configuration.nix];
|
||||||
packages ? [ ],
|
pkgs = import nixpkgs {
|
||||||
name,
|
system = "aarch64-linux";
|
||||||
script,
|
overlays = [nix-on-droid.overlays.default];
|
||||||
}:
|
|
||||||
prev.writers.writeDashBin name ''PATH=$PATH:${
|
|
||||||
nixpkgs.lib.makeBinPath (
|
|
||||||
packages
|
|
||||||
++ [
|
|
||||||
final.findutils
|
|
||||||
final.coreutils
|
|
||||||
final.gnused
|
|
||||||
final.gnugrep
|
|
||||||
]
|
|
||||||
)
|
|
||||||
} ${script} "$@"'';
|
|
||||||
tag = final.wrapScript {
|
|
||||||
script = voidrice.outPath + "/.local/bin/tag";
|
|
||||||
name = "tag";
|
|
||||||
packages = [ final.ffmpeg ];
|
|
||||||
};
|
|
||||||
booksplit = final.wrapScript {
|
|
||||||
script = voidrice.outPath + "/.local/bin/booksplit";
|
|
||||||
name = "booksplit";
|
|
||||||
packages = [
|
|
||||||
final.ffmpeg
|
|
||||||
final.glibc.bin
|
|
||||||
];
|
|
||||||
};
|
|
||||||
auc = prev.callPackage packages/auc.nix { };
|
|
||||||
cheat-sh = prev.callPackage packages/cheat-sh.nix { };
|
|
||||||
brassica = prev.callPackage packages/brassica.nix { }; # TODO upstream
|
|
||||||
dawn-editor = prev.callPackage packages/dawn.nix {};
|
|
||||||
text2pdf = prev.callPackage packages/text2pdf.nix { }; # TODO upstream
|
|
||||||
wttr = prev.callPackage packages/wttr.nix { }; # TODO upstream
|
|
||||||
jsesh = prev.callPackage packages/jsesh.nix { }; # TODO upstream
|
|
||||||
opustags = prev.callPackage packages/opustags.nix { }; # TODO upstream
|
|
||||||
trans = prev.callPackage packages/trans.nix { }; # TODO upstream
|
|
||||||
go-webring = prev.callPackage packages/go-webring.nix { }; # TODO upstream
|
|
||||||
stag = prev.callPackage packages/stag.nix { }; # TODO upstream
|
|
||||||
mpv = prev.mpv.override {
|
|
||||||
scripts = [
|
|
||||||
final.mpvScripts.visualizer
|
|
||||||
final.mpvScripts.mpris
|
|
||||||
];
|
|
||||||
};
|
|
||||||
morris = prev.callPackage packages/morris.nix { };
|
|
||||||
cro = prev.callPackage packages/cro.nix { };
|
|
||||||
dmenu = prev.writers.writeDashBin "dmenu" ''exec ${final.rofi}/bin/rofi -dmenu "$@"'';
|
|
||||||
weechatScripts = prev.weechatScripts // {
|
|
||||||
hotlist2extern = prev.callPackage packages/weechatScripts/hotlist2extern.nix { }; # TODO upstream
|
|
||||||
};
|
|
||||||
vimPlugins = prev.vimPlugins // {
|
|
||||||
cheat-sh = prev.callPackage packages/vimPlugins/cheat-sh.nix { };
|
|
||||||
icalendar-vim = prev.callPackage packages/vimPlugins/icalendar-vim.nix { }; # TODO upstream
|
|
||||||
jq-vim = prev.callPackage packages/vimPlugins/jq-vim.nix { }; # TODO upstream
|
|
||||||
typst-vim = prev.callPackage packages/vimPlugins/typst-vim.nix { }; # TODO upstream
|
|
||||||
mdwa-nvim = prev.callPackage packages/vimPlugins/mdwa-nvim.nix { }; # TODO upstream
|
|
||||||
vim-ernest = prev.callPackage packages/vimPlugins/vim-ernest.nix { }; # TODO upstream
|
|
||||||
vim-256noir = prev.callPackage packages/vimPlugins/vim-256noir.nix { }; # TODO upstream
|
|
||||||
vim-colors-paramount = prev.callPackage packages/vimPlugins/vim-colors-paramount.nix { }; # TODO upstream
|
|
||||||
vim-fetch = prev.callPackage packages/vimPlugins/vim-fetch.nix { }; # TODO upstream
|
|
||||||
vim-fsharp = prev.callPackage packages/vimPlugins/vim-fsharp.nix { }; # TODO upstream
|
|
||||||
vim-mail = prev.callPackage packages/vimPlugins/vim-mail.nix { }; # TODO upstream
|
|
||||||
vim-reason-plus = prev.callPackage packages/vimPlugins/vim-reason-plus.nix { }; # TODO upstream
|
|
||||||
};
|
|
||||||
|
|
||||||
# packaged from inputs
|
|
||||||
agenix = agenix.packages.${prev.stdenv.hostPlatform.system}.default;
|
|
||||||
pun-sort-api = scripts.packages.${prev.stdenv.hostPlatform.system}.pun-sort-api;
|
|
||||||
alarm = scripts.packages.${prev.stdenv.hostPlatform.system}.alarm;
|
|
||||||
menstruation-telegram =
|
|
||||||
menstruation-telegram.packages.${prev.stdenv.hostPlatform.system}.menstruation-telegram;
|
|
||||||
menstruation-backend =
|
|
||||||
menstruation-backend.packages.${prev.stdenv.hostPlatform.system}.menstruation-backend;
|
|
||||||
telebots = telebots.packages.${prev.stdenv.hostPlatform.system}.telebots;
|
|
||||||
hesychius = scripts.packages.${prev.stdenv.hostPlatform.system}.hesychius;
|
|
||||||
autorenkalender = autorenkalender.packages.${prev.stdenv.hostPlatform.system}.default;
|
|
||||||
onomap = scripts.packages.${prev.stdenv.hostPlatform.system}.onomap;
|
|
||||||
tinc-graph = tinc-graph.packages.${prev.stdenv.hostPlatform.system}.tinc-graph;
|
|
||||||
|
|
||||||
# krebs
|
|
||||||
brainmelter = prev.callPackage packages/brainmelter.nix { };
|
|
||||||
cyberlocker-tools = prev.callPackage packages/cyberlocker-tools.nix { };
|
|
||||||
hc = prev.callPackage packages/hc.nix { };
|
|
||||||
pls = prev.callPackage packages/pls.nix { };
|
|
||||||
radio-news = prev.callPackage packages/radio-news { };
|
|
||||||
untilport = prev.callPackage packages/untilport.nix { };
|
|
||||||
weechat-declarative = prev.callPackage packages/weechat-declarative.nix { };
|
|
||||||
|
|
||||||
# my packages
|
|
||||||
betacode = prev.callPackage packages/betacode.nix { };
|
|
||||||
bring-out-the-gimp = prev.callPackage packages/gimp.nix { };
|
|
||||||
closest = prev.callPackage packages/closest { };
|
|
||||||
default-gateway = prev.callPackage packages/default-gateway.nix { };
|
|
||||||
depp = prev.callPackage packages/depp.nix { };
|
|
||||||
devanagari = prev.callPackage packages/devanagari { };
|
|
||||||
radioStreams = prev.callPackage packages/streams { };
|
|
||||||
devour = prev.callPackage packages/devour.nix { };
|
|
||||||
dmenu-randr = prev.callPackage packages/dmenu-randr.nix { };
|
|
||||||
emailmenu = prev.callPackage packages/emailmenu.nix { };
|
|
||||||
fkill = prev.callPackage packages/fkill.nix { };
|
|
||||||
fzfmenu = prev.callPackage packages/fzfmenu.nix { };
|
|
||||||
gfs-fonts = prev.callPackage packages/gfs-fonts.nix { };
|
|
||||||
heuretes = prev.callPackage packages/heuretes.nix { };
|
|
||||||
image-convert-favicon = prev.callPackage packages/image-convert-favicon.nix { };
|
|
||||||
image-convert-tolino = prev.callPackage packages/image-convert-tolino.nix { };
|
|
||||||
ipa = prev.writers.writePython3Bin "ipa" { flakeIgnore = [ "E501" ]; } packages/ipa.py;
|
|
||||||
kirciuoklis = prev.callPackage packages/kirciuoklis.nix { };
|
|
||||||
kpaste = prev.callPackage packages/kpaste.nix { };
|
|
||||||
literature-quote = prev.callPackage packages/literature-quote.nix { };
|
|
||||||
man-pdf = prev.callPackage packages/man-pdf.nix { };
|
|
||||||
mansplain = prev.callPackage packages/mansplain.nix { };
|
|
||||||
manual-sort = prev.callPackage packages/manual-sort.nix { };
|
|
||||||
mpv-iptv = prev.callPackage packages/mpv-iptv.nix { };
|
|
||||||
mpv-radio = prev.callPackage packages/mpv-radio.nix { di-fm-key-file = "/dev/null"; };
|
|
||||||
mpv-tuner = prev.callPackage packages/mpv-tuner.nix { di-fm-key-file = "/dev/null"; };
|
|
||||||
mpv-tv = prev.callPackage packages/mpv-tv.nix { };
|
|
||||||
new-mac = prev.callPackage packages/new-mac.nix { };
|
|
||||||
nix-git = prev.callPackage packages/nix-git.nix { };
|
|
||||||
noise-waves = prev.callPackage packages/noise-waves.nix { };
|
|
||||||
notemenu = prev.callPackage packages/notemenu.nix { };
|
|
||||||
obsidian-vim = prev.callPackage packages/obsidian-vim.nix { };
|
|
||||||
vim-typewriter = prev.callPackage packages/vim-typewriter.nix { };
|
|
||||||
polyglot = prev.callPackage packages/polyglot.nix { };
|
|
||||||
q = prev.callPackage packages/q.nix { };
|
|
||||||
qrpaste = prev.callPackage packages/qrpaste.nix { };
|
|
||||||
random-zeno = prev.callPackage packages/random-zeno.nix { };
|
|
||||||
scanned = prev.callPackage packages/scanned.nix { };
|
|
||||||
stardict-tools = prev.callPackage packages/stardict-tools.nix { };
|
|
||||||
swallow = prev.callPackage packages/swallow.nix { };
|
|
||||||
tocharian-font = prev.callPackage packages/tocharian-font.nix { };
|
|
||||||
ttspaste = prev.callPackage packages/ttspaste.nix { };
|
|
||||||
niveum-ssh = prev.callPackage packages/niveum-ssh.nix { };
|
|
||||||
try-connect = prev.callPackage packages/try-connect.nix { };
|
|
||||||
unicodmenu = prev.callPackage packages/unicodmenu.nix { };
|
|
||||||
vg = prev.callPackage packages/vg.nix { };
|
|
||||||
vim-kmein = prev.callPackage packages/vim-kmein { };
|
|
||||||
vimv = prev.callPackage packages/vimv.nix { };
|
|
||||||
klem = prev.callPackage packages/klem.nix { };
|
|
||||||
|
|
||||||
lib = lib // {
|
|
||||||
niveum = import lib/default.nix {
|
|
||||||
inherit lib;
|
|
||||||
pkgs = final;
|
|
||||||
};
|
};
|
||||||
panoptikon = import lib/panoptikon.nix {
|
extraSpecialArgs = {
|
||||||
inherit lib;
|
niveumPackages = inputs.self.packages.aarch64-linux;
|
||||||
pkgs = final;
|
niveumLib = inputs.self.lib;
|
||||||
|
inherit inputs;
|
||||||
};
|
};
|
||||||
|
home-manager-path = home-manager.outPath;
|
||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
nixosConfigurations =
|
homeConfigurations = {
|
||||||
let
|
maakaron = let
|
||||||
profiles.default = [
|
system = "x86_64-darwin";
|
||||||
{ nix.nixPath = [ "nixpkgs=${nixpkgs}" ]; }
|
pkgs = nixpkgs.legacyPackages.${system};
|
||||||
{ nixpkgs.overlays = [ self.overlays.default ]; }
|
in
|
||||||
|
home-manager.lib.homeManagerConfiguration {
|
||||||
|
inherit pkgs;
|
||||||
|
modules = [./systems/maakaron/home.nix];
|
||||||
|
extraSpecialArgs = {
|
||||||
|
inherit inputs;
|
||||||
|
niveumPackages = inputs.self.packages.${system};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
nixosConfigurations = let
|
||||||
|
niveumSpecialArgs = system: {
|
||||||
|
unstablePackages = import nixpkgs-unstable {
|
||||||
|
inherit system;
|
||||||
|
config.allowUnfreePredicate = pkg:
|
||||||
|
builtins.elem (nixpkgs-unstable.lib.getName pkg) [
|
||||||
|
"obsidian"
|
||||||
|
"zoom"
|
||||||
|
];
|
||||||
|
};
|
||||||
|
|
||||||
|
niveumPackages = inputs.self.packages.${system};
|
||||||
|
niveumLib = inputs.self.lib;
|
||||||
|
inherit inputs;
|
||||||
|
};
|
||||||
|
in {
|
||||||
|
ful = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "aarch64-linux";
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/ful/configuration.nix
|
||||||
|
agenix.nixosModules.default
|
||||||
|
inputs.self.nixosModules.passport
|
||||||
|
inputs.self.nixosModules.panoptikon
|
||||||
|
inputs.self.nixosModules.htgen
|
||||||
|
inputs.stockholm.nixosModules.reaktor2
|
||||||
|
retiolum.nixosModules.retiolum
|
||||||
|
nur.modules.nixos.default
|
||||||
|
{ nixpkgs.overlays = [ inputs.stockholm.overlays.default ]; }
|
||||||
{
|
{
|
||||||
system.autoUpgrade = {
|
_module.args.nixinate = {
|
||||||
enable = true;
|
host = "ful";
|
||||||
flake = self.outPath;
|
sshUser = "root";
|
||||||
flags = [
|
buildOn = "remote";
|
||||||
"--print-build-logs"
|
substituteOnTarget = true;
|
||||||
];
|
hermetic = false;
|
||||||
dates = "02:00";
|
|
||||||
randomizedDelaySec = "45min";
|
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
];
|
||||||
|
};
|
||||||
|
zaatar = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "x86_64-linux";
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/zaatar/configuration.nix
|
||||||
agenix.nixosModules.default
|
agenix.nixosModules.default
|
||||||
retiolum.nixosModules.retiolum
|
retiolum.nixosModules.retiolum
|
||||||
nix-topology.nixosModules.default
|
|
||||||
configs/mycelium.nix
|
|
||||||
configs/tor.nix
|
|
||||||
configs/retiolum.nix
|
|
||||||
configs/spacetime.nix
|
|
||||||
configs/nix.nix
|
|
||||||
configs/sshd.nix
|
|
||||||
configs/admin-essentials.nix
|
|
||||||
];
|
];
|
||||||
profiles.desktop = [
|
};
|
||||||
|
kibbeh = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "x86_64-linux";
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/kibbeh/configuration.nix
|
||||||
|
agenix.nixosModules.default
|
||||||
|
retiolum.nixosModules.retiolum
|
||||||
|
];
|
||||||
|
};
|
||||||
|
makanek = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "x86_64-linux";
|
||||||
|
# for using inputs in other config files
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/makanek/configuration.nix
|
||||||
|
inputs.self.nixosModules.telegram-bot
|
||||||
|
inputs.self.nixosModules.htgen
|
||||||
|
inputs.self.nixosModules.passport
|
||||||
|
agenix.nixosModules.default
|
||||||
|
retiolum.nixosModules.retiolum
|
||||||
|
nur.modules.nixos.default
|
||||||
|
];
|
||||||
|
};
|
||||||
|
tahina = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "x86_64-linux";
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/tahina/configuration.nix
|
||||||
|
agenix.nixosModules.default
|
||||||
|
retiolum.nixosModules.retiolum
|
||||||
|
];
|
||||||
|
};
|
||||||
|
tabula = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "x86_64-linux";
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/tabula/configuration.nix
|
||||||
|
agenix.nixosModules.default
|
||||||
|
retiolum.nixosModules.retiolum
|
||||||
|
];
|
||||||
|
};
|
||||||
|
manakish = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "x86_64-linux";
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/manakish/configuration.nix
|
||||||
|
agenix.nixosModules.default
|
||||||
|
retiolum.nixosModules.retiolum
|
||||||
home-manager.nixosModules.home-manager
|
home-manager.nixosModules.home-manager
|
||||||
nix-index-database.nixosModules.default
|
|
||||||
nur.modules.nixos.default
|
nur.modules.nixos.default
|
||||||
stylix.nixosModules.stylix
|
stylix.nixosModules.stylix
|
||||||
self.nixosModules.system-dependent
|
|
||||||
self.nixosModules.power-action
|
|
||||||
];
|
];
|
||||||
profiles.server = [
|
|
||||||
configs/save-space.nix
|
|
||||||
configs/monitoring.nix
|
|
||||||
self.nixosModules.passport
|
|
||||||
];
|
|
||||||
in
|
|
||||||
{
|
|
||||||
ful = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "aarch64-linux";
|
|
||||||
modules =
|
|
||||||
profiles.default
|
|
||||||
++ profiles.server
|
|
||||||
++ [
|
|
||||||
systems/ful/configuration.nix
|
|
||||||
self.nixosModules.panoptikon
|
|
||||||
self.nixosModules.go-webring
|
|
||||||
stockholm.nixosModules.reaktor2
|
|
||||||
nur.modules.nixos.default
|
|
||||||
{ nixpkgs.overlays = [ stockholm.overlays.default ]; }
|
|
||||||
];
|
|
||||||
};
|
|
||||||
zaatar = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "x86_64-linux";
|
|
||||||
modules =
|
|
||||||
profiles.default
|
|
||||||
++ profiles.server
|
|
||||||
++ [
|
|
||||||
systems/zaatar/configuration.nix
|
|
||||||
];
|
|
||||||
};
|
|
||||||
kibbeh = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "x86_64-linux";
|
|
||||||
modules =
|
|
||||||
profiles.default
|
|
||||||
++ profiles.desktop
|
|
||||||
++ [
|
|
||||||
systems/kibbeh/configuration.nix
|
|
||||||
];
|
|
||||||
};
|
|
||||||
makanek = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "x86_64-linux";
|
|
||||||
modules =
|
|
||||||
profiles.default
|
|
||||||
++ profiles.server
|
|
||||||
++ [
|
|
||||||
systems/makanek/configuration.nix
|
|
||||||
self.nixosModules.telegram-bot
|
|
||||||
nur.modules.nixos.default
|
|
||||||
];
|
|
||||||
};
|
|
||||||
tahina = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "x86_64-linux";
|
|
||||||
modules = profiles.default ++ [
|
|
||||||
systems/tahina/configuration.nix
|
|
||||||
];
|
|
||||||
};
|
|
||||||
tabula = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "x86_64-linux";
|
|
||||||
modules = profiles.default ++ [
|
|
||||||
systems/tabula/configuration.nix
|
|
||||||
];
|
|
||||||
};
|
|
||||||
manakish = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "x86_64-linux";
|
|
||||||
modules =
|
|
||||||
profiles.default
|
|
||||||
++ profiles.desktop
|
|
||||||
++ [
|
|
||||||
systems/manakish/configuration.nix
|
|
||||||
nixos-hardware.nixosModules.lenovo-thinkpad-x230
|
|
||||||
];
|
|
||||||
};
|
|
||||||
kabsa = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "x86_64-linux";
|
|
||||||
modules =
|
|
||||||
profiles.default
|
|
||||||
++ profiles.desktop
|
|
||||||
++ [
|
|
||||||
systems/kabsa/configuration.nix
|
|
||||||
nixos-hardware.nixosModules.lenovo-thinkpad-x220
|
|
||||||
];
|
|
||||||
};
|
|
||||||
fatteh = nixpkgs.lib.nixosSystem {
|
|
||||||
system = "x86_64-linux";
|
|
||||||
modules =
|
|
||||||
profiles.default
|
|
||||||
++ profiles.desktop
|
|
||||||
++ [
|
|
||||||
systems/fatteh/configuration.nix
|
|
||||||
nixos-hardware.nixosModules.lenovo-thinkpad-t480
|
|
||||||
];
|
|
||||||
};
|
|
||||||
};
|
};
|
||||||
|
kabsa = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "x86_64-linux";
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/kabsa/configuration.nix
|
||||||
|
agenix.nixosModules.default
|
||||||
|
retiolum.nixosModules.retiolum
|
||||||
|
home-manager.nixosModules.home-manager
|
||||||
|
nur.modules.nixos.default
|
||||||
|
stylix.nixosModules.stylix
|
||||||
|
];
|
||||||
|
};
|
||||||
|
fatteh = nixpkgs.lib.nixosSystem rec {
|
||||||
|
system = "x86_64-linux";
|
||||||
|
specialArgs = niveumSpecialArgs system;
|
||||||
|
modules = [
|
||||||
|
systems/fatteh/configuration.nix
|
||||||
|
agenix.nixosModules.default
|
||||||
|
retiolum.nixosModules.retiolum
|
||||||
|
home-manager.nixosModules.home-manager
|
||||||
|
nur.modules.nixos.default
|
||||||
|
stylix.nixosModules.stylix
|
||||||
|
];
|
||||||
|
};
|
||||||
|
};
|
||||||
|
}
|
||||||
|
// flake-utils.lib.eachSystem [flake-utils.lib.system.x86_64-linux flake-utils.lib.system.x86_64-darwin flake-utils.lib.system.aarch64-linux] (system: let
|
||||||
|
pkgs = import nixpkgs {
|
||||||
|
inherit system;
|
||||||
|
overlays = [
|
||||||
|
nur.overlays.default
|
||||||
|
(self: super: {
|
||||||
|
mpv = super.mpv.override {scripts = [inputs.self.packages.${system}.mpv-visualizer super.mpvScripts.mpris];};
|
||||||
|
dmenu = super.writers.writeDashBin "dmenu" ''exec ${pkgs.wofi}/bin/wofi --dmenu "$@"'';
|
||||||
|
})
|
||||||
|
];
|
||||||
|
};
|
||||||
|
unstablePackages = import nixpkgs-unstable {
|
||||||
|
inherit system;
|
||||||
|
};
|
||||||
|
wrapScript = {
|
||||||
|
packages ? [],
|
||||||
|
name,
|
||||||
|
script,
|
||||||
|
}:
|
||||||
|
pkgs.writers.writeDashBin name ''PATH=$PATH:${nixpkgs.lib.makeBinPath (packages ++ [pkgs.findutils pkgs.coreutils pkgs.gnused pkgs.gnugrep])} ${script} "$@"'';
|
||||||
|
in {
|
||||||
|
packages = rec {
|
||||||
|
auc = pkgs.callPackage packages/auc.nix {};
|
||||||
|
betacode = pkgs.callPackage packages/betacode.nix {};
|
||||||
|
brainmelter = pkgs.callPackage packages/brainmelter.nix {};
|
||||||
|
brassica = pkgs.callPackage packages/brassica.nix {};
|
||||||
|
cheat-sh = pkgs.callPackage packages/cheat-sh.nix {};
|
||||||
|
closest = pkgs.callPackage packages/closest {};
|
||||||
|
cro = pkgs.callPackage packages/cro.nix {};
|
||||||
|
cyberlocker-tools = pkgs.callPackage packages/cyberlocker-tools.nix {};
|
||||||
|
default-gateway = pkgs.callPackage packages/default-gateway.nix {};
|
||||||
|
depp = pkgs.callPackage packages/depp.nix {};
|
||||||
|
dashboard = pkgs.callPackage packages/dashboard {};
|
||||||
|
devanagari = pkgs.callPackage packages/devanagari {};
|
||||||
|
devour = pkgs.callPackage packages/devour.nix {};
|
||||||
|
dic = pkgs.callPackage packages/dic.nix {};
|
||||||
|
dirmir = pkgs.callPackage packages/dirmir.nix {};
|
||||||
|
dmenu-bluetooth = pkgs.callPackage packages/dmenu-bluetooth.nix {};
|
||||||
|
dmenu-scrot = pkgs.callPackage packages/dmenu-scrot.nix {};
|
||||||
|
dns-sledgehammer = pkgs.callPackage packages/dns-sledgehammer.nix {};
|
||||||
|
fkill = pkgs.callPackage packages/fkill.nix {};
|
||||||
|
fzfmenu = pkgs.callPackage packages/fzfmenu.nix {};
|
||||||
|
genius = pkgs.callPackage packages/genius.nix {};
|
||||||
|
gfs-fonts = pkgs.callPackage packages/gfs-fonts.nix {};
|
||||||
|
git-preview = pkgs.callPackage packages/git-preview.nix {};
|
||||||
|
gpt35 = pkgs.callPackage packages/gpt.nix {model = "gpt-3.5-turbo";};
|
||||||
|
gpt4 = pkgs.callPackage packages/gpt.nix {model = "gpt-4";};
|
||||||
|
hc = pkgs.callPackage packages/hc.nix {};
|
||||||
|
jq-lsp = pkgs.callPackage packages/jq-lsp.nix {};
|
||||||
|
stardict-tools = pkgs.callPackage packages/stardict-tools.nix {};
|
||||||
|
heuretes = pkgs.callPackage packages/heuretes.nix {};
|
||||||
|
htgen = pkgs.callPackage packages/htgen.nix {};
|
||||||
|
image-convert-favicon = pkgs.callPackage packages/image-convert-favicon.nix {};
|
||||||
|
image-convert-tolino = pkgs.callPackage packages/image-convert-tolino.nix {};
|
||||||
|
infschmv = pkgs.callPackage packages/infschmv.nix {};
|
||||||
|
iolanguage = pkgs.callPackage packages/iolanguage.nix {};
|
||||||
|
ipa = pkgs.writers.writePython3Bin "ipa" {flakeIgnore = ["E501"];} (builtins.readFile packages/ipa.py);
|
||||||
|
ix = pkgs.callPackage packages/ix.nix {};
|
||||||
|
jsesh = pkgs.callPackage packages/jsesh.nix {};
|
||||||
|
k-lock = pkgs.callPackage packages/k-lock.nix {};
|
||||||
|
kirciuoklis = pkgs.callPackage packages/kirciuoklis.nix {};
|
||||||
|
klem = pkgs.callPackage packages/klem.nix {};
|
||||||
|
kpaste = pkgs.callPackage packages/kpaste.nix {};
|
||||||
|
literature-quote = pkgs.callPackage packages/literature-quote.nix {};
|
||||||
|
mahlzeit = pkgs.haskellPackages.callPackage packages/mahlzeit.nix {};
|
||||||
|
man-pandoc = pkgs.callPackage packages/man/pandoc.nix {};
|
||||||
|
man-pdf = pkgs.callPackage packages/man-pdf.nix {};
|
||||||
|
mansplain = pkgs.callPackage packages/mansplain.nix {};
|
||||||
|
manual-sort = pkgs.callPackage packages/manual-sort.nix {};
|
||||||
|
menu-calc = pkgs.callPackage packages/menu-calc.nix {};
|
||||||
|
meteo = pkgs.callPackage packages/meteo.nix {};
|
||||||
|
noise-waves = pkgs.callPackage packages/noise-waves.nix {};
|
||||||
|
mpv-radio = pkgs.callPackage packages/mpv-radio.nix {di-fm-key-file = "/dev/null";};
|
||||||
|
mpv-tuner = pkgs.callPackage packages/mpv-tuner.nix {di-fm-key-file = "/dev/null";};
|
||||||
|
mpv-tv = pkgs.callPackage packages/mpv-tv.nix {};
|
||||||
|
mpv-iptv = pkgs.callPackage packages/mpv-iptv.nix {};
|
||||||
|
mpv-visualizer = unstablePackages.mpvScripts.visualizer;
|
||||||
|
new-mac = pkgs.callPackage packages/new-mac.nix {};
|
||||||
|
nix-git = pkgs.callPackage packages/nix-git.nix {};
|
||||||
|
nix-index-update = pkgs.callPackage packages/nix-index-update.nix {inherit system;};
|
||||||
|
notemenu = pkgs.callPackage packages/notemenu.nix {niveumPackages = self.packages.${system};};
|
||||||
|
opustags = pkgs.callPackage packages/opustags.nix {};
|
||||||
|
pls = pkgs.callPackage packages/pls.nix {};
|
||||||
|
polyglot = pkgs.callPackage packages/polyglot.nix {};
|
||||||
|
q = pkgs.callPackage packages/q.nix {};
|
||||||
|
qrpaste = pkgs.callPackage packages/qrpaste.nix {};
|
||||||
|
random-zeno = pkgs.callPackage packages/random-zeno.nix {};
|
||||||
|
rfc = pkgs.callPackage packages/rfc.nix {};
|
||||||
|
gimp = pkgs.callPackage packages/gimp.nix {};
|
||||||
|
scanned = pkgs.callPackage packages/scanned.nix {};
|
||||||
|
swallow = pkgs.callPackage packages/swallow.nix {};
|
||||||
|
text2pdf = pkgs.callPackage packages/text2pdf.nix {};
|
||||||
|
timer = pkgs.callPackage packages/timer.nix {};
|
||||||
|
tocharian-font = pkgs.callPackage packages/tocharian-font.nix {};
|
||||||
|
passmenu = pkgs.callPackage packages/passmenu.nix {};
|
||||||
|
trans = pkgs.callPackage packages/trans.nix {};
|
||||||
|
ttspaste = pkgs.callPackage packages/ttspaste.nix {};
|
||||||
|
unicodmenu = pkgs.callPackage packages/unicodmenu.nix {};
|
||||||
|
emailmenu = pkgs.callPackage packages/emailmenu.nix {};
|
||||||
|
untilport = pkgs.callPackage packages/untilport.nix {};
|
||||||
|
vg = pkgs.callPackage packages/vg.nix {};
|
||||||
|
vim = pkgs.callPackage packages/vim.nix {niveumPackages = self.packages.${system};};
|
||||||
|
obsidian-vim = pkgs.callPackage packages/obsidian-vim.nix {};
|
||||||
|
radio-news = pkgs.callPackage packages/radio-news.nix {};
|
||||||
|
vimPlugins-cheat-sh-vim = pkgs.callPackage packages/vimPlugins/cheat-sh.nix {};
|
||||||
|
vimPlugins-icalendar-vim = pkgs.callPackage packages/vimPlugins/icalendar-vim.nix {};
|
||||||
|
vimPlugins-jq-vim = pkgs.callPackage packages/vimPlugins/jq-vim.nix {};
|
||||||
|
vimPlugins-typst-vim = pkgs.callPackage packages/vimPlugins/typst-vim.nix {};
|
||||||
|
vimPlugins-vim-256noir = pkgs.callPackage packages/vimPlugins/vim-256noir.nix {};
|
||||||
|
vimPlugins-vim-colors-paramount = pkgs.callPackage packages/vimPlugins/vim-colors-paramount.nix {};
|
||||||
|
vimPlugins-vim-fetch = pkgs.callPackage packages/vimPlugins/vim-fetch.nix {};
|
||||||
|
vimPlugins-vim-fsharp = pkgs.callPackage packages/vimPlugins/vim-fsharp.nix {};
|
||||||
|
vimPlugins-vim-mail = pkgs.callPackage packages/vimPlugins/vim-mail.nix {};
|
||||||
|
vimPlugins-vim-reason-plus = pkgs.callPackage packages/vimPlugins/vim-reason-plus.nix {};
|
||||||
|
vimv = pkgs.callPackage packages/vimv.nix {};
|
||||||
|
weechat-declarative = pkgs.callPackage packages/weechat-declarative.nix {};
|
||||||
|
weechatScripts-hotlist2extern = pkgs.callPackage packages/weechatScripts/hotlist2extern.nix {};
|
||||||
|
wttr = pkgs.callPackage packages/wttr.nix {};
|
||||||
|
|
||||||
formatter = eachSupportedSystem (system: treefmtEval.${system}.config.build.wrapper);
|
itl = pkgs.callPackage packages/itl.nix {};
|
||||||
checks = eachSupportedSystem (system: {
|
itools = pkgs.callPackage packages/itools.nix {itl = itl;};
|
||||||
formatting = treefmtEval.${system}.config.build.check self;
|
|
||||||
});
|
|
||||||
|
|
||||||
packages = eachSupportedSystem (
|
booksplit = wrapScript {
|
||||||
system:
|
script = inputs.voidrice.outPath + "/.local/bin/booksplit";
|
||||||
let
|
name = "booksplit";
|
||||||
pkgs = import nixpkgs {
|
packages = [pkgs.ffmpeg pkgs.glibc.bin];
|
||||||
inherit system;
|
};
|
||||||
config.allowUnfree = true;
|
dmenu-randr = pkgs.callPackage packages/dmenu-randr.nix {};
|
||||||
overlays = [
|
tag = wrapScript {
|
||||||
nur.overlays.default
|
script = inputs.voidrice.outPath + "/.local/bin/tag";
|
||||||
self.overlays.default
|
name = "tag";
|
||||||
nix-topology.overlays.default
|
packages = [pkgs.ffmpeg];
|
||||||
];
|
};
|
||||||
};
|
};
|
||||||
in
|
});
|
||||||
{
|
|
||||||
topology = import nix-topology {
|
|
||||||
inherit pkgs;
|
|
||||||
modules = [
|
|
||||||
{ nixosConfigurations = self.nixosConfigurations; }
|
|
||||||
];
|
|
||||||
};
|
|
||||||
inherit (pkgs)
|
|
||||||
auc
|
|
||||||
betacode
|
|
||||||
booksplit
|
|
||||||
brainmelter
|
|
||||||
brassica
|
|
||||||
cheat-sh
|
|
||||||
closest
|
|
||||||
cro
|
|
||||||
cyberlocker-tools
|
|
||||||
dawn-editor
|
|
||||||
default-gateway
|
|
||||||
depp
|
|
||||||
devanagari
|
|
||||||
devour
|
|
||||||
dmenu-randr
|
|
||||||
emailmenu
|
|
||||||
fkill
|
|
||||||
fzfmenu
|
|
||||||
gfs-fonts
|
|
||||||
bring-out-the-gimp
|
|
||||||
go-webring
|
|
||||||
hc
|
|
||||||
heuretes
|
|
||||||
image-convert-favicon
|
|
||||||
image-convert-tolino
|
|
||||||
ipa
|
|
||||||
jsesh
|
|
||||||
kirciuoklis
|
|
||||||
klem
|
|
||||||
kpaste
|
|
||||||
literature-quote
|
|
||||||
man-pdf
|
|
||||||
mansplain
|
|
||||||
manual-sort
|
|
||||||
morris
|
|
||||||
mpv-iptv
|
|
||||||
mpv-radio
|
|
||||||
mpv-tuner
|
|
||||||
mpv-tv
|
|
||||||
new-mac
|
|
||||||
niveum-ssh
|
|
||||||
nix-git
|
|
||||||
noise-waves
|
|
||||||
notemenu
|
|
||||||
obsidian-vim
|
|
||||||
opustags
|
|
||||||
pls
|
|
||||||
polyglot
|
|
||||||
q
|
|
||||||
qrpaste
|
|
||||||
radio-news
|
|
||||||
random-zeno
|
|
||||||
rfc
|
|
||||||
scanned
|
|
||||||
stag
|
|
||||||
stardict-tools
|
|
||||||
swallow
|
|
||||||
text2pdf
|
|
||||||
timer
|
|
||||||
tocharian-font
|
|
||||||
trans
|
|
||||||
try-connect
|
|
||||||
ttspaste
|
|
||||||
unicodmenu
|
|
||||||
untilport
|
|
||||||
vg
|
|
||||||
vim-kmein
|
|
||||||
vim-typewriter
|
|
||||||
vimv
|
|
||||||
weechat-declarative
|
|
||||||
wttr
|
|
||||||
;
|
|
||||||
}
|
|
||||||
);
|
|
||||||
};
|
|
||||||
}
|
}
|
||||||
|
|||||||
5
lib/default-applications.nix
Normal file
5
lib/default-applications.nix
Normal file
@@ -0,0 +1,5 @@
|
|||||||
|
pkgs: rec {
|
||||||
|
terminal = "alacritty";
|
||||||
|
browser = "${pkgs.firefox}/bin/firefox";
|
||||||
|
fileManager = "${pkgs.pcmanfm}/bin/pcmanfm";
|
||||||
|
}
|
||||||
118
lib/default.nix
118
lib/default.nix
@@ -1,40 +1,28 @@
|
|||||||
{ lib, pkgs }:
|
|
||||||
let
|
|
||||||
machines = import ./machines.nix;
|
|
||||||
in
|
|
||||||
{
|
{
|
||||||
tmpfilesConfig =
|
tmpfilesConfig = {
|
||||||
{
|
type,
|
||||||
type,
|
path,
|
||||||
path,
|
mode ? "-",
|
||||||
mode ? "-",
|
user ? "-",
|
||||||
user ? "-",
|
group ? "-",
|
||||||
group ? "-",
|
age ? "-",
|
||||||
age ? "-",
|
argument ? "-",
|
||||||
argument ? "-",
|
}: "${type} '${path}' ${mode} ${user} ${group} ${age} ${argument}";
|
||||||
}:
|
|
||||||
"${type} '${path}' ${mode} ${user} ${group} ${age} ${argument}";
|
|
||||||
|
|
||||||
restic =
|
restic = rec {
|
||||||
let
|
port = 3571;
|
||||||
host = "zaatar.r";
|
host = "zaatar.r";
|
||||||
port = 3571;
|
repository = "rest:http://${host}:${toString port}/";
|
||||||
in
|
};
|
||||||
{
|
|
||||||
inherit host port;
|
|
||||||
repository = "rest:http://${host}:${toString port}/";
|
|
||||||
};
|
|
||||||
|
|
||||||
remoteDir = "/home/kfm/remote";
|
remoteDir = "/home/kfm/remote";
|
||||||
|
|
||||||
firewall = {
|
firewall = lib: {
|
||||||
accept =
|
accept = {
|
||||||
{
|
source,
|
||||||
source,
|
protocol,
|
||||||
protocol,
|
dport,
|
||||||
dport,
|
}: "nixos-fw -s ${lib.escapeShellArg source} -p ${lib.escapeShellArg protocol} --dport ${lib.escapeShellArg (toString dport)} -j nixos-fw-accept";
|
||||||
}:
|
|
||||||
"nixos-fw -s ${lib.escapeShellArg source} -p ${lib.escapeShellArg protocol} --dport ${lib.escapeShellArg (toString dport)} -j nixos-fw-accept";
|
|
||||||
addRules = lib.concatMapStringsSep "\n" (rule: "iptables -A ${rule}");
|
addRules = lib.concatMapStringsSep "\n" (rule: "iptables -A ${rule}");
|
||||||
removeRules = lib.concatMapStringsSep "\n" (rule: "iptables -D ${rule} || true");
|
removeRules = lib.concatMapStringsSep "\n" (rule: "iptables -D ${rule} || true");
|
||||||
};
|
};
|
||||||
@@ -54,7 +42,7 @@ in
|
|||||||
|
|
||||||
sshPort = 22022;
|
sshPort = 22022;
|
||||||
|
|
||||||
theme = {
|
theme = pkgs: {
|
||||||
gtk = {
|
gtk = {
|
||||||
name = "Adwaita-dark";
|
name = "Adwaita-dark";
|
||||||
package = pkgs.gnome-themes-extra;
|
package = pkgs.gnome-themes-extra;
|
||||||
@@ -69,66 +57,32 @@ in
|
|||||||
};
|
};
|
||||||
};
|
};
|
||||||
|
|
||||||
retiolumAddresses = lib.mapAttrs (_: v: { inherit (v.retiolum) ipv4 ipv6; }) (
|
defaultApplications = import ./default-applications.nix;
|
||||||
lib.filterAttrs (_: v: v ? "retiolum") machines
|
|
||||||
);
|
|
||||||
externalNetwork = lib.mapAttrs (_: v: v.externalIp) (
|
|
||||||
lib.filterAttrs (_: v: v ? "externalIp") machines
|
|
||||||
);
|
|
||||||
localAddresses = lib.mapAttrs (_: v: v.internalIp) (
|
|
||||||
lib.filterAttrs (_: v: v ? "internalIp") machines
|
|
||||||
);
|
|
||||||
myceliumAddresses = lib.mapAttrs (_: v: v.mycelium.ipv6) (
|
|
||||||
lib.filterAttrs (_: v: v ? "mycelium") machines
|
|
||||||
);
|
|
||||||
torAddresses = lib.mapAttrs (_: v: v.torAddress) (
|
|
||||||
lib.filterAttrs (_: v: v ? "torAddress") machines
|
|
||||||
);
|
|
||||||
syncthingIds = lib.mapAttrs (_: v: { id = v.syncthingId; }) (
|
|
||||||
lib.filterAttrs (_: v: v ? "syncthingId") machines
|
|
||||||
);
|
|
||||||
|
|
||||||
email =
|
retiolumAddresses = import ./retiolum-network.nix;
|
||||||
let
|
|
||||||
thunderbirdProfile = "donnervogel";
|
|
||||||
in
|
|
||||||
{
|
|
||||||
inherit thunderbirdProfile;
|
|
||||||
defaults = {
|
|
||||||
thunderbird = {
|
|
||||||
enable = true;
|
|
||||||
profiles = [ thunderbirdProfile ];
|
|
||||||
};
|
|
||||||
aerc.enable = true;
|
|
||||||
realName = "Kierán Meinhardt";
|
|
||||||
folders.inbox = "INBOX";
|
|
||||||
};
|
|
||||||
};
|
|
||||||
|
|
||||||
machines = machines;
|
localAddresses = import ./local-network.nix;
|
||||||
|
|
||||||
|
email-sshKey = "ssh-ed25519 AAAAC3NzaC1lZDI1NTE5AAAAINKz33wHtPuIfgXEb0+hybxFGV9ZuPsDTLUZo/+hlcdA";
|
||||||
|
|
||||||
kieran = {
|
kieran = {
|
||||||
github = "kmein";
|
github = "kmein";
|
||||||
email = "kmein@posteo.de";
|
email = "kmein@posteo.de";
|
||||||
name = "Kierán Meinhardt";
|
name = "Kierán Meinhardt";
|
||||||
pronouns = builtins.concatStringsSep "/" [
|
|
||||||
"er"
|
|
||||||
"he"
|
|
||||||
"is"
|
|
||||||
"οὗτος"
|
|
||||||
"هو"
|
|
||||||
"ⲛ̄ⲧⲟϥ"
|
|
||||||
"он"
|
|
||||||
"han"
|
|
||||||
"सः"
|
|
||||||
];
|
|
||||||
sshKeys = [
|
sshKeys = [
|
||||||
machines.fatteh.sshKey
|
"ssh-ed25519 AAAAC3NzaC1lZDI1NTE5AAAAIDyTnGhFq0Q+vghNhrqNrAyY+CsN7nNz8bPfiwIwNpjk" # kabsa
|
||||||
machines.manakish.sshKey
|
"ssh-ed25519 AAAAC3NzaC1lZDI1NTE5AAAAIOiQEc8rTr7C7xVLYV7tQ99BDDBLrJsy5hslxtCEatkB" # manakish
|
||||||
machines.kabsa.sshKey
|
"ssh-ed25519 AAAAC3NzaC1lZDI1NTE5AAAAIByreBjBEMJKjgpKLd5XZHIUUwIhNafVqN6OUOQpJa3y" # fatteh
|
||||||
];
|
];
|
||||||
};
|
};
|
||||||
|
|
||||||
|
syncthing.devices = {
|
||||||
|
kabsa.id = "R6DEBD7-G5RYDKN-VFA3HPO-WX4DNVI-373F7OQ-AW5MZTT-3L4BDVW-Y6ROEAF";
|
||||||
|
kibbeh.id = "HLQSG3D-WSKLA6S-MEYQ3EU-GDBGABE-PY53RQ6-SWQAP2I-Z5MVBVX-MYPJXAM";
|
||||||
|
manakish.id = "AJVBWR2-VFFAGZF-7ZF5JAX-T63GMOG-NZ446WK-MC5E6WK-6X6Q2HE-QQA2JQ3";
|
||||||
|
fatteh.id = "GSOGYT3-2GBHZXT-MNCTDIY-3BJIR4V-OHVOOMJ-ICVLKXR-U4C7RFB-HJOK3AC";
|
||||||
|
};
|
||||||
|
|
||||||
ignorePaths = [
|
ignorePaths = [
|
||||||
"*~"
|
"*~"
|
||||||
".stack-work/"
|
".stack-work/"
|
||||||
|
|||||||
23
lib/email.nix
Normal file
23
lib/email.nix
Normal file
@@ -0,0 +1,23 @@
|
|||||||
|
rec {
|
||||||
|
thunderbirdProfile = "donnervogel";
|
||||||
|
pronouns = builtins.concatStringsSep "/" [
|
||||||
|
"er"
|
||||||
|
"he"
|
||||||
|
"is"
|
||||||
|
"οὗτος"
|
||||||
|
"هو"
|
||||||
|
"ⲛ̄ⲧⲟϥ"
|
||||||
|
"он"
|
||||||
|
"han"
|
||||||
|
"सः"
|
||||||
|
];
|
||||||
|
defaults = {
|
||||||
|
thunderbird = {
|
||||||
|
enable = true;
|
||||||
|
profiles = [thunderbirdProfile];
|
||||||
|
};
|
||||||
|
aerc.enable = true;
|
||||||
|
realName = "Kierán Meinhardt";
|
||||||
|
folders.inbox = "INBOX";
|
||||||
|
};
|
||||||
|
}
|
||||||
4
lib/external-network.nix
Normal file
4
lib/external-network.nix
Normal file
@@ -0,0 +1,4 @@
|
|||||||
|
{
|
||||||
|
ful = "130.61.217.114";
|
||||||
|
makanek = "88.99.83.173";
|
||||||
|
}
|
||||||
182
lib/goldendict-config.nix
Normal file
182
lib/goldendict-config.nix
Normal file
@@ -0,0 +1,182 @@
|
|||||||
|
{
|
||||||
|
pkgs,
|
||||||
|
path,
|
||||||
|
}: ''
|
||||||
|
<config>
|
||||||
|
<paths>
|
||||||
|
<path recursive="1">${path}</path>
|
||||||
|
</paths>
|
||||||
|
<sounddirs/>
|
||||||
|
<dictionaryOrder name="" id="0">
|
||||||
|
<mutedDictionaries/>
|
||||||
|
</dictionaryOrder>
|
||||||
|
<inactiveDictionaries name="" id="0">
|
||||||
|
<mutedDictionaries/>
|
||||||
|
</inactiveDictionaries>
|
||||||
|
<groups nextId="1"/>
|
||||||
|
<hunspell dictionariesPath=""/>
|
||||||
|
<transliteration>
|
||||||
|
<enableRussianTransliteration>0</enableRussianTransliteration>
|
||||||
|
<enableGermanTransliteration>0</enableGermanTransliteration>
|
||||||
|
<enableGreekTransliteration>0</enableGreekTransliteration>
|
||||||
|
<enableBelarusianTransliteration>0</enableBelarusianTransliteration>
|
||||||
|
<chinese>
|
||||||
|
<enable>0</enable>
|
||||||
|
<enableSCToTWConversion>1</enableSCToTWConversion>
|
||||||
|
<enableSCToHKConversion>1</enableSCToHKConversion>
|
||||||
|
<enableTCToSCConversion>1</enableTCToSCConversion>
|
||||||
|
</chinese>
|
||||||
|
<romaji>
|
||||||
|
<enable>0</enable>
|
||||||
|
<enableHepburn>1</enableHepburn>
|
||||||
|
<enableNihonShiki>0</enableNihonShiki>
|
||||||
|
<enableKunreiShiki>0</enableKunreiShiki>
|
||||||
|
<enableHiragana>1</enableHiragana>
|
||||||
|
<enableKatakana>1</enableKatakana>
|
||||||
|
</romaji>
|
||||||
|
</transliteration>
|
||||||
|
<forvo>
|
||||||
|
<enable>0</enable>
|
||||||
|
<apiKey></apiKey>
|
||||||
|
<languageCodes></languageCodes>
|
||||||
|
</forvo>
|
||||||
|
<mediawikis>
|
||||||
|
<mediawiki enabled="0" name="English Wikipedia" icon="" id="ae6f89aac7151829681b85f035d54e48" url="https://en.wikipedia.org/w"/>
|
||||||
|
<mediawiki enabled="0" name="English Wiktionary" icon="" id="affcf9678e7bfe701c9b071f97eccba3" url="https://en.wiktionary.org/w"/>
|
||||||
|
<mediawiki enabled="0" name="German Wikipedia" icon="" id="a8a66331a1242ca2aeb0b4aed361c41d" url="https://de.wikipedia.org/w"/>
|
||||||
|
<mediawiki enabled="0" name="German Wiktionary" icon="" id="21c64bca5ec10ba17ff19f3066bc962a" url="https://de.wiktionary.org/w"/>
|
||||||
|
</mediawikis>
|
||||||
|
<websites>
|
||||||
|
<website enabled="0" name="Google En-En (Oxford)" icon="" id="b88cb2898e634c6638df618528284c2d" url="https://www.google.com/search?q=define:%GDWORD%&hl=en" inside_iframe="1"/>
|
||||||
|
<website enabled="0" name="Urban Dictionary" icon="" id="f376365a0de651fd7505e7e5e683aa45" url="https://www.urbandictionary.com/define.php?term=%GDWORD%" inside_iframe="1"/>
|
||||||
|
<website enabled="0" name="Multitran (En)" icon="" id="324ca0306187df7511b26d3847f4b07c" url="https://multitran.ru/c/m.exe?CL=1&l1=1&s=%GD1251%" inside_iframe="1"/>
|
||||||
|
<website enabled="0" name="Lingvo (En-Ru)" icon="" id="924db471b105299c82892067c0f10787" url="http://lingvopro.abbyyonline.com/en/Search/en-ru/%GDWORD%" inside_iframe="1"/>
|
||||||
|
<website enabled="0" name="Michaelis (Pt-En)" icon="" id="087a6d65615fb047f4c80eef0a9465db" url="http://michaelis.uol.com.br/moderno/ingles/index.php?lingua=portugues-ingles&palavra=%GDISO1%" inside_iframe="1"/>
|
||||||
|
</websites>
|
||||||
|
<dictservers/>
|
||||||
|
<programs>
|
||||||
|
<program enabled="0" name="Espeak" icon="" id="2cf8b3a60f27e1ac812de0b57c148340" commandLine="${pkgs.espeak}/bin/espeak %GDWORD%" type="0"/>
|
||||||
|
<program enabled="0" name="Manpages" icon="" id="4f898f7582596cea518c6b0bfdceb8b3" commandLine="${pkgs.man_db}/bin/man -a --html=/bin/cat %GDWORD%" type="2"/>
|
||||||
|
</programs>
|
||||||
|
<voiceEngines/>
|
||||||
|
<mutedDictionaries/>
|
||||||
|
<popupMutedDictionaries>
|
||||||
|
<mutedDictionary>ae6f89aac7151829681b85f035d54e48</mutedDictionary>
|
||||||
|
</popupMutedDictionaries>
|
||||||
|
<preferences>
|
||||||
|
<interfaceLanguage></interfaceLanguage>
|
||||||
|
<helpLanguage></helpLanguage>
|
||||||
|
<displayStyle>modern</displayStyle>
|
||||||
|
<newTabsOpenAfterCurrentOne>0</newTabsOpenAfterCurrentOne>
|
||||||
|
<newTabsOpenInBackground>1</newTabsOpenInBackground>
|
||||||
|
<hideSingleTab>0</hideSingleTab>
|
||||||
|
<mruTabOrder>0</mruTabOrder>
|
||||||
|
<hideMenubar>0</hideMenubar>
|
||||||
|
<enableTrayIcon>1</enableTrayIcon>
|
||||||
|
<startToTray>1</startToTray>
|
||||||
|
<closeToTray>1</closeToTray>
|
||||||
|
<autoStart>0</autoStart>
|
||||||
|
<doubleClickTranslates>1</doubleClickTranslates>
|
||||||
|
<selectWordBySingleClick>0</selectWordBySingleClick>
|
||||||
|
<escKeyHidesMainWindow>0</escKeyHidesMainWindow>
|
||||||
|
<zoomFactor>1</zoomFactor>
|
||||||
|
<helpZoomFactor>1</helpZoomFactor>
|
||||||
|
<wordsZoomLevel>0</wordsZoomLevel>
|
||||||
|
<enableMainWindowHotkey>1</enableMainWindowHotkey>
|
||||||
|
<mainWindowHotkey>Ctrl+F11, Ctrl+F11</mainWindowHotkey>
|
||||||
|
<enableClipboardHotkey>1</enableClipboardHotkey>
|
||||||
|
<clipboardHotkey>Ctrl+C, Ctrl+C</clipboardHotkey>
|
||||||
|
<enableScanPopup>1</enableScanPopup>
|
||||||
|
<startWithScanPopupOn>0</startWithScanPopupOn>
|
||||||
|
<enableScanPopupModifiers>0</enableScanPopupModifiers>
|
||||||
|
<scanPopupModifiers>0</scanPopupModifiers>
|
||||||
|
<scanPopupAltMode>0</scanPopupAltMode>
|
||||||
|
<scanPopupAltModeSecs>3</scanPopupAltModeSecs>
|
||||||
|
<ignoreOwnClipboardChanges>0</ignoreOwnClipboardChanges>
|
||||||
|
<scanToMainWindow>0</scanToMainWindow>
|
||||||
|
<ignoreDiacritics>0</ignoreDiacritics>
|
||||||
|
<showScanFlag>0</showScanFlag>
|
||||||
|
<scanPopupUseUIAutomation>1</scanPopupUseUIAutomation>
|
||||||
|
<scanPopupUseIAccessibleEx>1</scanPopupUseIAccessibleEx>
|
||||||
|
<scanPopupUseGDMessage>1</scanPopupUseGDMessage>
|
||||||
|
<scanPopupUnpinnedWindowFlags>0</scanPopupUnpinnedWindowFlags>
|
||||||
|
<scanPopupUnpinnedBypassWMHint>0</scanPopupUnpinnedBypassWMHint>
|
||||||
|
<pronounceOnLoadMain>0</pronounceOnLoadMain>
|
||||||
|
<pronounceOnLoadPopup>0</pronounceOnLoadPopup>
|
||||||
|
<useInternalPlayer>1</useInternalPlayer>
|
||||||
|
<internalPlayerBackend>FFmpeg+libao</internalPlayerBackend>
|
||||||
|
<audioPlaybackProgram>mplayer</audioPlaybackProgram>
|
||||||
|
<alwaysOnTop>1</alwaysOnTop>
|
||||||
|
<searchInDock>1</searchInDock>
|
||||||
|
<historyStoreInterval>0</historyStoreInterval>
|
||||||
|
<favoritesStoreInterval>0</favoritesStoreInterval>
|
||||||
|
<confirmFavoritesDeletion>1</confirmFavoritesDeletion>
|
||||||
|
<proxyserver enabled="0" useSystemProxy="0">
|
||||||
|
<type>0</type>
|
||||||
|
<host></host>
|
||||||
|
<port>3128</port>
|
||||||
|
<user></user>
|
||||||
|
<password></password>
|
||||||
|
<systemProxyUser></systemProxyUser>
|
||||||
|
<systemProxyPassword></systemProxyPassword>
|
||||||
|
</proxyserver>
|
||||||
|
<disallowContentFromOtherSites>0</disallowContentFromOtherSites>
|
||||||
|
<enableWebPlugins>0</enableWebPlugins>
|
||||||
|
<hideGoldenDictHeader>0</hideGoldenDictHeader>
|
||||||
|
<maxNetworkCacheSize>50</maxNetworkCacheSize>
|
||||||
|
<clearNetworkCacheOnExit>1</clearNetworkCacheOnExit>
|
||||||
|
<maxStringsInHistory>500</maxStringsInHistory>
|
||||||
|
<storeHistory>1</storeHistory>
|
||||||
|
<alwaysExpandOptionalParts>0</alwaysExpandOptionalParts>
|
||||||
|
<addonStyle></addonStyle>
|
||||||
|
<collapseBigArticles>0</collapseBigArticles>
|
||||||
|
<articleSizeLimit>2000</articleSizeLimit>
|
||||||
|
<limitInputPhraseLength>0</limitInputPhraseLength>
|
||||||
|
<inputPhraseLengthLimit>1000</inputPhraseLengthLimit>
|
||||||
|
<maxDictionaryRefsInContextMenu>20</maxDictionaryRefsInContextMenu>
|
||||||
|
<trackClipboardChanges>0</trackClipboardChanges>
|
||||||
|
<synonymSearchEnabled>1</synonymSearchEnabled>
|
||||||
|
<fullTextSearch>
|
||||||
|
<searchMode>0</searchMode>
|
||||||
|
<matchCase>0</matchCase>
|
||||||
|
<maxArticlesPerDictionary>100</maxArticlesPerDictionary>
|
||||||
|
<maxDistanceBetweenWords>2</maxDistanceBetweenWords>
|
||||||
|
<useMaxArticlesPerDictionary>0</useMaxArticlesPerDictionary>
|
||||||
|
<useMaxDistanceBetweenWords>1</useMaxDistanceBetweenWords>
|
||||||
|
<dialogGeometry></dialogGeometry>
|
||||||
|
<disabledTypes></disabledTypes>
|
||||||
|
<enabled>1</enabled>
|
||||||
|
<ignoreWordsOrder>0</ignoreWordsOrder>
|
||||||
|
<ignoreDiacritics>0</ignoreDiacritics>
|
||||||
|
<maxDictionarySize>0</maxDictionarySize>
|
||||||
|
</fullTextSearch>
|
||||||
|
</preferences>
|
||||||
|
<lastMainGroupId>0</lastMainGroupId>
|
||||||
|
<lastPopupGroupId>0</lastPopupGroupId>
|
||||||
|
<popupWindowState>AAAA/wAAAAH9AAAAAAAAAg0AAAGTAAAABAAAAAQAAAAIAAAACPwAAAABAAAAAQAAAAEAAAAaAGQAaQBjAHQAaQBvAG4AYQByAHkAQgBhAHIDAAAAAP////8AAAAAAAAAAA==</popupWindowState>
|
||||||
|
<popupWindowGeometry>AdnQywADAAAAAAC6AAABEgAAAuYAAAKkAAAAugAAARIAAALmAAACpAAAAAAAAAAABVYAAAC6AAABEgAAAuYAAAKk</popupWindowGeometry>
|
||||||
|
<pinPopupWindow>0</pinPopupWindow>
|
||||||
|
<popupWindowAlwaysOnTop>0</popupWindowAlwaysOnTop>
|
||||||
|
<mainWindowState>AAAA/wAAAAH9AAAAAgAAAAAAAADMAAAC0PwCAAAAAfsAAAAUAHMAZQBhAHIAYwBoAFAAYQBuAGUBAAAAFAAAAtAAAAB9AP///wAAAAEAAADMAAAC0PwCAAAAA/sAAAASAGQAaQBjAHQAcwBQAGEAbgBlAQAAABQAAAFvAAAAYQD////7AAAAGgBmAGEAdgBvAHIAaQB0AGUAcwBQAGEAbgBlAAAAABQAAALQAAAAYQD////7AAAAFgBoAGkAcwB0AG8AcgB5AFAAYQBuAGUBAAABhAAAAWAAAABhAP///wAAA7QAAALQAAAABAAAAAQAAAAIAAAACPwAAAABAAAAAgAAAAIAAAAUAG4AYQB2AFQAbwBvAGwAYgBhAHIAAAAAAP////8AAAAAAAAAAAAAABoAZABpAGMAdABpAG8AbgBhAHIAeQBCAGEAcgAAAAAA/////wAAAAAAAAAA</mainWindowState>
|
||||||
|
<mainWindowGeometry>AdnQywADAAAAAAAEAAAAGAAABVEAAAL7AAAABAAAABgAAAVRAAAC+wAAAAAAAAAABVYAAAAEAAAAGAAABVEAAAL7</mainWindowGeometry>
|
||||||
|
<helpWindowGeometry>AdnQywADAAAAAAF3AAAAgwAAA9AAAAJGAAABeAAAAIQAAAPPAAACRQAAAAAAAAAABVYAAAF4AAAAhAAAA88AAAJF</helpWindowGeometry>
|
||||||
|
<helpSplitterState>AAAA/wAAAAEAAAACAAABBAAABAAB/////wEAAAABAA==</helpSplitterState>
|
||||||
|
<dictInfoGeometry>AdnQywADAAAAAAF1AAAAmgAAA84AAAIrAAABdgAAAJsAAAPNAAACKgAAAAAAAAAABVYAAAF2AAAAmwAAA80AAAIq</dictInfoGeometry>
|
||||||
|
<inspectorGeometry></inspectorGeometry>
|
||||||
|
<timeForNewReleaseCheck></timeForNewReleaseCheck>
|
||||||
|
<skippedRelease></skippedRelease>
|
||||||
|
<showingDictBarNames>1</showingDictBarNames>
|
||||||
|
<usingSmallIconsInToolbars>1</usingSmallIconsInToolbars>
|
||||||
|
<editDictionaryCommandLine></editDictionaryCommandLine>
|
||||||
|
<maxPictureWidth>0</maxPictureWidth>
|
||||||
|
<maxHeadwordSize>256</maxHeadwordSize>
|
||||||
|
<maxHeadwordsToExpand>0</maxHeadwordsToExpand>
|
||||||
|
<headwordsDialog>
|
||||||
|
<searchMode>0</searchMode>
|
||||||
|
<matchCase>0</matchCase>
|
||||||
|
<autoApply>0</autoApply>
|
||||||
|
<headwordsExportPath></headwordsExportPath>
|
||||||
|
<headwordsDialogGeometry></headwordsDialogGeometry>
|
||||||
|
</headwordsDialog>
|
||||||
|
</config>
|
||||||
|
''
|
||||||
2
lib/home.nix
Normal file
2
lib/home.nix
Normal file
@@ -0,0 +1,2 @@
|
|||||||
|
# https://github.com/hercules-ci/gitignore.nix/pull/58/files
|
||||||
|
path: ~/. + path
|
||||||
1913
lib/hot-rotation/lyrik.nix
Normal file
1913
lib/hot-rotation/lyrik.nix
Normal file
File diff suppressed because it is too large
Load Diff
23
lib/keyboards/arabic
Normal file
23
lib/keyboards/arabic
Normal file
@@ -0,0 +1,23 @@
|
|||||||
|
// Arabic keyboard using Buckwalter transliteration
|
||||||
|
// http://www.qamus.org/transliteration.htm
|
||||||
|
// Martin Vidner
|
||||||
|
// stolen from https://gitlab.freedesktop.org/xkeyboard-config/xkeyboard-config/-/blob/2505a3ec2605ea7303bc6de68acf96578f0fd424/symbols/ara#L179
|
||||||
|
|
||||||
|
// TODO 06CC ARABIC LETTER FARSI YEH
|
||||||
|
|
||||||
|
default partial alphanumeric_keys
|
||||||
|
xkb_symbols "buckwalter" {
|
||||||
|
include "ara(buckwalter)"
|
||||||
|
name[Group1] = "Arabic (Buckwalter + Persian)";
|
||||||
|
|
||||||
|
key <AE09> {[ 0x1000669, parenleft ] };
|
||||||
|
key <AE10> {[ 0x1000660, parenright ] };
|
||||||
|
key <AD10> {[ Arabic_tehmarbuta, 0x100067E ] }; // پ
|
||||||
|
key <AD11> {[ 0x100200C, 0x1000671 ] }; // alif wasla, ZWNJ
|
||||||
|
key <AD12> {[ 0x10006C0, Arabic_hamzaonyeh ] }; // ۀ
|
||||||
|
key <AC05> {[ Arabic_ghain, 0x10006AF ] }; // گ
|
||||||
|
key <AC07> {[ Arabic_jeem, 0x1000686 ] }; // چ
|
||||||
|
key <AB03> {[ 0x10006A9, 0x1000698 ] }; // ک ژ
|
||||||
|
key <AB04> {[ Arabic_theh, 0x10006A4 ] }; // ڤ
|
||||||
|
key <AB09> {[ period, Arabic_hamzaonalef ] };
|
||||||
|
};
|
||||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user