diff --git a/.gitignore b/.gitignore
new file mode 100644
index 0000000..82671f4
--- /dev/null
+++ b/.gitignore
@@ -0,0 +1,11 @@
+
+# Cava
+./cava/config
+cava/config
+
+# Discocss
+./discocss
+discocss/
+!./discocss/custom.css
+!discocss/custom.css
+
diff --git a/.install/symlink.sh b/.install/symlink.sh
new file mode 100755
index 0000000..69ae303
--- /dev/null
+++ b/.install/symlink.sh
@@ -0,0 +1,50 @@
+#!/bin/bash
+
+# files
+files=(
+ ".bashrc"
+ ".zshrc"
+ ".tool-versions"
+)
+
+_symlinkFiles() {
+ for file; do
+ if [ -h ~/${file} ]; then
+ continue
+ fi
+ if [ -f ~/${file} ]; then
+ rm ~/${file}
+ fi
+ ln -s ~/dotfiles/${file} ~/${file}
+ done
+}
+
+# directories
+directories=(
+ "cava"
+ "gtk-3.0"
+ "hypr"
+ "kitty"
+ "nvim"
+ "rofi"
+ "swappy"
+ "swaync"
+ "wal"
+ "waybar"
+)
+
+_symlinkDirs() {
+ for dir; do
+ if [ -h ~/.config/${dir} ]; then
+ continue
+ fi
+ if [ -d ~/.config/${dir}/ ]; then
+ echo "Deleting existing directory ${dir}"
+ rm -rf ~/.config/${dir}/
+ fi
+ ln -s ~/dotfiles/${dir}/ ~/.config/
+ done
+}
+
+_symlinkFiles "${files[@]}"
+_symlinkDirs "${directories[@]}"
diff --git a/.tool-versions b/.tool-versions
new file mode 100644
index 0000000..9783390
--- /dev/null
+++ b/.tool-versions
@@ -0,0 +1,2 @@
+nodejs 21.6.2
+bun 1.0.29
diff --git a/cava/shaders/bar_spectrum.frag b/cava/shaders/bar_spectrum.frag
new file mode 100644
index 0000000..b078913
--- /dev/null
+++ b/cava/shaders/bar_spectrum.frag
@@ -0,0 +1,79 @@
+#version 330
+
+in vec2 fragCoord;
+out vec4 fragColor;
+
+// bar values. defaults to left channels first (low to high), then right (high to low).
+uniform float bars[512];
+
+uniform int bars_count; // number of bars (left + right) (configurable)
+uniform int bar_width; // bar width (configurable), not used here
+uniform int bar_spacing; // space bewteen bars (configurable)
+
+uniform vec3 u_resolution; // window resolution
+
+//colors, configurable in cava config file (r,g,b) (0.0 - 1.0)
+uniform vec3 bg_color; // background color
+uniform vec3 fg_color; // foreground color
+
+uniform int gradient_count;
+uniform vec3 gradient_colors[8]; // gradient colors
+
+vec3 normalize_C(float y,vec3 col_1, vec3 col_2, float y_min, float y_max)
+{
+ //create color based on fraction of this color and next color
+ float yr = (y - y_min) / (y_max - y_min);
+ return col_1 * (1.0 - yr) + col_2 * yr;
+}
+
+void main()
+{
+ // find which bar to use based on where we are on the x axis
+ float x = u_resolution.x * fragCoord.x;
+ int bar = int(bars_count * fragCoord.x);
+
+ //calculate a bar size
+ float bar_size = u_resolution.x / bars_count;
+
+ //the y coordinate and bar values are the same
+ float y = bars[bar];
+
+ // make sure there is a thin line at bottom
+ if (y * u_resolution.y < 1.0)
+ {
+ y = 1.0 / u_resolution.y;
+ }
+
+ //draw the bar up to current height
+ if (y > fragCoord.y)
+ {
+ //make some space between bars basen on settings
+ if (x > (bar + 1) * (bar_size) - bar_spacing)
+ {
+ fragColor = vec4(bg_color,1.0);
+ }
+ else
+ {
+ if (gradient_count == 0)
+ {
+ fragColor = vec4(fg_color,1.0);
+ }
+ else
+ {
+ //find which color in the configured gradient we are at
+ int color = int((gradient_count - 1) * fragCoord.y);
+
+ //find where on y this and next color is supposed to be
+ float y_min = color / (gradient_count - 1.0);
+ float y_max = (color + 1.0) / (gradient_count - 1.0);
+
+ //make color
+ fragColor = vec4(normalize_C(fragCoord.y, gradient_colors[color], gradient_colors[color + 1], y_min, y_max), 1.0);
+ }
+ }
+ }
+ else
+ {
+ fragColor = vec4(bg_color,1.0);
+ }
+}
\ No newline at end of file
diff --git a/cava/shaders/northern_lights.frag b/cava/shaders/northern_lights.frag
new file mode 100644
index 0000000..ecd859a
--- /dev/null
+++ b/cava/shaders/northern_lights.frag
@@ -0,0 +1,34 @@
+#version 330
+
+in vec2 fragCoord;
+out vec4 fragColor;
+
+// bar values. defaults to left channels first (low to high), then right (high to low).
+uniform float bars[512];
+
+uniform int bars_count; // number of bars (left + right) (configurable)
+
+uniform vec3 u_resolution; // window resolution, not used here
+
+//colors, configurable in cava config file
+uniform vec3 bg_color; // background color(r,g,b) (0.0 - 1.0), not used here
+uniform vec3 fg_color; // foreground color, not used here
+
+void main()
+{
+ // find which bar to use based on where we are on the x axis
+ int bar = int(bars_count * fragCoord.x);
+
+ float bar_y = 1.0 - abs((fragCoord.y - 0.5)) * 2.0;
+ float y = (bars[bar]) * bar_y;
+
+ float bar_x = (fragCoord.x - float(bar) / float(bars_count)) * bars_count;
+ float bar_r = 1.0 - abs((bar_x - 0.5)) * 2;
+
+ bar_r = bar_r * bar_r * 2;
+
+ // set color
+ fragColor.r = fg_color.x * y * bar_r;
+ fragColor.g = fg_color.y * y * bar_r;
+ fragColor.b = fg_color.z * y * bar_r;
+}
diff --git a/cava/shaders/pass_through.vert b/cava/shaders/pass_through.vert
new file mode 100644
index 0000000..a4f20e5
--- /dev/null
+++ b/cava/shaders/pass_through.vert
@@ -0,0 +1,14 @@
+#version 330
+
+
+// Input vertex data, different for all executions of this shader.
+layout(location = 0) in vec3 vertexPosition_modelspace;
+
+// Output data ; will be interpolated for each fragment.
+out vec2 fragCoord;
+
+void main()
+{
+ gl_Position = vec4(vertexPosition_modelspace,1);
+ fragCoord = (vertexPosition_modelspace.xy+vec2(1,1))/2.0;
+}
diff --git a/gtk-3.0/settings.ini b/gtk-3.0/settings.ini
new file mode 100644
index 0000000..d154f6d
--- /dev/null
+++ b/gtk-3.0/settings.ini
@@ -0,0 +1,3 @@
+[Settings]
+gtk-application-prefer-dark-theme=1
+
diff --git a/hypr/config/environments/nvidia.conf b/hypr/config/environments/nvidia.conf
new file mode 100644
index 0000000..359954b
--- /dev/null
+++ b/hypr/config/environments/nvidia.conf
@@ -0,0 +1,16 @@
+# -----------------------------------------------------
+# Environment Variables
+# name: "Nvidia"
+# -----------------------------------------------------
+
+# https://wiki.hyprland.org/Nvidia/
+env = XCURSOR_SIZE,24
+env = QT_QPA_PLATFORM,wayland
+env = WLR_NO_HARDWARE_CURSORS,1
+env = LIBVA_DRIVER_NAME,nvidia
+env = XDG_SESSION_TYPE,wayland
+env = GBM_BACKEND,nvidia-drm
+env = __GLX_VENDOR_LIBRARY_NAME,nvidia
+# env = __GL_VRR_ALLOWED,1
+# env = WLR_DRM_NO_ATOMIC,1
+
diff --git a/hypr/config/keybinds.conf b/hypr/config/keybinds.conf
new file mode 100644
index 0000000..b72ffbc
--- /dev/null
+++ b/hypr/config/keybinds.conf
@@ -0,0 +1,75 @@
+
+# Example binds, see https://wiki.hyprland.org/Configuring/Binds/ for more
+bind = $mainMod, T, exec, $terminal
+bind = $mainMod, X, killactive,
+bind = $mainMod, ESCAPE, exit,
+bind = $mainMod, E, exec, $fileManager
+bind = $mainMod, F, togglefloating,
+bind = $mainMod, R, exec, $menu
+bind = $mainMod, P, pseudo, # dwindle
+bind = $mainMod, V, togglesplit, # dwindle
+bind = $mainMod, L, exec, $lockScreen # hyprlock
+bind = $mainMod, period, exec, emote
+bind = $mainMod, B, exec, firefox
+bind = $mainMod CTRL, F, fullscreen
+bind = , PRINT, exec, grim -g "$(slurp)" - | swappy -f -
+
+# Move focus with mainMod + arrow keys
+bind = $mainMod, left, movefocus, l
+bind = $mainMod, right, movefocus, r
+bind = $mainMod, up, movefocus, u
+bind = $mainMod, down, movefocus, d
+
+# Switch workspaces with mainMod + [0-9]
+bind = $mainMod, 1, workspace, 1
+bind = $mainMod, 2, workspace, 2
+bind = $mainMod, 3, workspace, 3
+bind = $mainMod, 4, workspace, 4
+bind = $mainMod, 5, workspace, 5
+bind = $mainMod, 6, workspace, 6
+bind = $mainMod, 7, workspace, 7
+bind = $mainMod, 8, workspace, 8
+bind = $mainMod, 9, workspace, 9
+bind = $mainMod, 0, workspace, 10
+
+# Move active window to a workspace with mainMod + SHIFT + [0-9]
+bind = $mainMod SHIFT, 1, movetoworkspace, 1
+bind = $mainMod SHIFT, 2, movetoworkspace, 2
+bind = $mainMod SHIFT, 3, movetoworkspace, 3
+bind = $mainMod SHIFT, 4, movetoworkspace, 4
+bind = $mainMod SHIFT, 5, movetoworkspace, 5
+bind = $mainMod SHIFT, 6, movetoworkspace, 6
+bind = $mainMod SHIFT, 7, movetoworkspace, 7
+bind = $mainMod SHIFT, 8, movetoworkspace, 8
+bind = $mainMod SHIFT, 9, movetoworkspace, 9
+bind = $mainMod SHIFT, 0, movetoworkspace, 10
+
+# Special workspaces
+# Scratchpad
+bind = CTRL SHIFT, S, togglespecialworkspace, magic
+bind = CTRL $mainMod, S, movetoworkspace, special:magic
+# Terminal
+bind = CTRL SHIFT, T, togglespecialworkspace, terminal
+bind = CTRL $mainMod, T, movetoworkspace, special:terminal
+
+# Scroll through existing workspaces with mainMod + scroll
+bind = $mainMod, mouse_down, workspace, e+1
+bind = $mainMod, mouse_up, workspace, e-1
+
+# Switch workspaces
+bind = CTRL ALT, right, workspace, e+1
+bind = CTRL ALT, left, workspace, e-1
+
+# Move/resize windows with mainMod + LMB/RMB and dragging
+bindm = $mainMod, mouse:272, movewindow
+bindm = $mainMod, mouse:273, resizewindow
+
+# Audio keybinds
+bind = , XF86AudioRaiseVolume, exec, wpctl set-volume @DEFAULT_AUDIO_SINK@ 1%+
+bind = , XF86AudioLowerVolume, exec, wpctl set-volume @DEFAULT_AUDIO_SINK@ 1%-
+bind = , XF86AudioMute, exec, wpctl set-mute @DEFAULT_AUDIO_SINK@ toggle
+bind = , XF86AudioPlay, exec, playerctl play-pause
+bind = , XF86AudioStop, exec,
+bind = , XF86AudioPrev, exec, playerctl previous
+bind = , XF86AudioNext, exec, playerctl next
+
diff --git a/hypr/config/rules.conf b/hypr/config/rules.conf
new file mode 100644
index 0000000..b2ad189
--- /dev/null
+++ b/hypr/config/rules.conf
@@ -0,0 +1,31 @@
+
+# Example windowrule v1
+# windowrule = float, ^(kitty)$
+# Example windowrule v2
+# windowrulev2 = float,class:^(kitty)$,title:^(kitty)$
+# See https://wiki.hyprland.org/Configuring/Window-Rules/ for more
+windowrulev2 = nomaxsize, class:.* # You'll probably like this.
+# windowrulev2 = opacity 1 0.6, class:.*
+
+
+# Apps
+windowrule = workspace 1, title:^Spotify Premium$
+windowrulev2 = opacity 0.85 0.8, initialTitle:^Spotify Premium$
+
+windowrule = workspace 2, discord
+windowrule = opacity 0.999, discord
+
+windowrule = workspace 3, firefox
+windowrule = opacity 0.999, firefox
+
+windowrule = float, kitty
+windowrule = workspace special:terminal, kitty
+windowrule = move 25% 25%, kitty
+windowrule = size 50% 50%, kitty
+
+windowrule = float, Thunar
+windowrule = move 12.5% 12.5%, Thunar
+windowrule = size 75% 75%, Thunar
+
+windowrule = immediate, class:^(steam_app_553850)$
+
diff --git a/hypr/config/startup.conf b/hypr/config/startup.conf
new file mode 100644
index 0000000..6604289
--- /dev/null
+++ b/hypr/config/startup.conf
@@ -0,0 +1,11 @@
+# Notification Daemon
+exec-once = bash ~/.config/hypr/scripts/start-swaync.sh
+# Idle Daemon
+exec-once = hypridle
+# Status-bar
+exec-once = bash ~/.config/hypr/scripts/start-waybar.sh
+# Emotes
+exec-once = emote
+# Wallpaper Daemon
+exec-once = swww-daemon
+
diff --git a/hypr/hypridle.conf b/hypr/hypridle.conf
new file mode 100644
index 0000000..4d9f09d
--- /dev/null
+++ b/hypr/hypridle.conf
@@ -0,0 +1,17 @@
+listener {
+ timeout = 300 # 5min
+ on-timeout = hyprlock # lock screen when timeout has passed
+ #on-resume = notify-send "Welcome back!" # notification activity is detected after timeout has fired.
+}
+
+listener {
+ timeout = 330 # 5.5min
+ on-timeout = hyprctl dispatch dpms off # screen off when timeout has passed
+ on-resume = hyprctl dispatch dpms on # screen on when activity is detected after timeout has fired.
+}
+
+listener {
+ timeout = 1800 # 30min
+ on-timeout = systemctl suspend # suspend pc
+}
+
diff --git a/hypr/hyprland.conf b/hypr/hyprland.conf
new file mode 100644
index 0000000..5d0b1d4
--- /dev/null
+++ b/hypr/hyprland.conf
@@ -0,0 +1,134 @@
+
+# #######################################################################################
+# AUTOGENERATED HYPR CONFIG.
+# PLEASE USE THE CONFIG PROVIDED IN THE GIT REPO /examples/hypr.conf AND EDIT IT,
+# OR EDIT THIS ONE ACCORDING TO THE WIKI INSTRUCTIONS.
+# #######################################################################################
+
+#
+# Please note not all available settings / options are set here.
+# For a full list, see the wiki
+#
+
+#autogenerated = 1 # remove this line to remove the warning
+
+# See https://wiki.hyprland.org/Configuring/Monitors/
+monitor=,preferred,auto,auto
+
+# See https://wiki.hyprland.org/Configuring/Keywords/ for more
+
+# Execute your favorite apps at launch
+# exec-once = waybar & hyprpaper & firefox
+source = ~/.config/hypr/config/startup.conf
+
+# PyWal Colors
+source = ~/.cache/wal/colors-hyprland.conf
+
+# Source a file (multi-file configs)
+# source = ~/.config/hypr/myColors.conf
+
+# Set programs that you use
+$terminal = kitty
+$fileManager = Thunar
+$menu = rofi -show drun
+$lockScreen = hyprlock
+
+# See https://wiki.hyprland.org/Configuring/Keywords/ for more
+$mainMod = SUPER
+
+source = ~/.config/hypr/config/environments/nvidia.conf
+source = ~/.config/hypr/config/keybinds.conf
+source = ~/.config/hypr/config/rules.conf
+
+# For all categories, see https://wiki.hyprland.org/Configuring/Variables/
+input {
+ kb_layout = us
+ kb_variant =
+ kb_model =
+ kb_options =
+ kb_rules =
+
+ follow_mouse = 1
+
+ touchpad {
+ natural_scroll = no
+ }
+
+ sensitivity = 0 # -1.0 - 1.0, 0 means no modification.
+}
+
+general {
+ # See https://wiki.hyprland.org/Configuring/Variables/ for more
+
+ gaps_in = 10
+ gaps_out = 20
+ border_size = 3
+ col.active_border = $color4 $color13 45deg
+ col.inactive_border = $color0
+
+ layout = dwindle
+
+ # Please see https://wiki.hyprland.org/Configuring/Tearing/ before you turn this on
+ allow_tearing = true
+}
+
+decoration {
+ # See https://wiki.hyprland.org/Configuring/Variables/ for more
+
+ rounding = 10
+
+ blur {
+ enabled = true
+ size = 3
+ passes = 1
+ ignore_opacity = true
+ }
+
+ drop_shadow = yes
+ shadow_range = 4
+ shadow_render_power = 3
+ col.shadow = rgba(1a1a1aee)
+}
+
+animations {
+ enabled = yes
+
+ # Some default animations, see https://wiki.hyprland.org/Configuring/Animations/ for more
+
+ bezier = myBezier, 0.05, 0.9, 0.1, 1.05
+
+ animation = windows, 1, 7, myBezier
+ animation = windowsOut, 1, 7, default, popin 80%
+ animation = border, 1, 10, default
+ animation = borderangle, 1, 8, default
+ animation = fade, 1, 7, default
+ animation = workspaces, 1, 6, default
+}
+
+dwindle {
+ # See https://wiki.hyprland.org/Configuring/Dwindle-Layout/ for more
+ pseudotile = yes # master switch for pseudotiling. Enabling is bound to mainMod + P in the keybinds section below
+ preserve_split = yes # you probably want this
+}
+
+master {
+ # See https://wiki.hyprland.org/Configuring/Master-Layout/ for more
+}
+
+gestures {
+ # See https://wiki.hyprland.org/Configuring/Variables/ for more
+ workspace_swipe = off
+}
+
+misc {
+ # See https://wiki.hyprland.org/Configuring/Variables/ for more
+ force_default_wallpaper = -1 # Set to 0 or 1 to disable the anime mascot wallpapers
+}
+
+# Example per-device config
+# See https://wiki.hyprland.org/Configuring/Keywords/#executing for more
+device {
+ name = epic-mouse-v1
+ sensitivity = -0.5
+}
+
diff --git a/hypr/hyprlock.conf b/hypr/hyprlock.conf
new file mode 100644
index 0000000..41b7ad8
--- /dev/null
+++ b/hypr/hyprlock.conf
@@ -0,0 +1,52 @@
+# _ _ _
+# | |__ _ _ _ __ _ __| | ___ ___| | __
+# | '_ \| | | | '_ \| '__| |/ _ \ / __| |/ /
+# | | | | |_| | |_) | | | | (_) | (__| <
+# |_| |_|\__, | .__/|_| |_|\___/ \___|_|\_\
+# |___/|_|
+#
+
+background {
+ monitor =
+ #path = $HOME/dotfiles/.settings/lockscreen.png # only png supported for now
+ color = rgba(25, 20, 20, 1.0)
+
+ # all these options are taken from hyprland, see https://wiki.hyprland.org/Configuring/Variables/#blur for explanations
+ blur_passes = 4 # 0 disables blurring
+ blur_size = 2
+ noise = 0.0117
+ contrast = 0.8916
+ brightness = 0.8172
+ vibrancy = 0.1696
+ vibrancy_darkness = 0.0
+}
+
+input-field {
+ monitor =
+ size = 200, 50
+ outline_thickness = 1
+ dots_size = 0.2 # Scale of input-field height, 0.2 - 0.8
+ dots_spacing = 0.15 # Scale of dots' absolute size, 0.0 - 1.0
+ dots_center = true
+ outer_color = rgb(000000)
+ inner_color = rgb(200, 200, 200)
+ font_color = rgb(10, 10, 10)
+ fade_on_empty = true
+ placeholder_text = Input Password... # Text rendered in the input box when it's empty.
+ hide_input = false
+ position = 0, -20
+ halign = center
+ valign = center
+}
+
+label {
+ monitor =
+ text = Enter your password to unlock
+ color = rgba(200, 200, 200, 1.0)
+ font_size = 25
+ font_family = Noto Sans
+
+ position = 0, 200
+ halign = center
+ valign = center
+}
diff --git a/hypr/scripts/start-swaync.sh b/hypr/scripts/start-swaync.sh
new file mode 100644
index 0000000..e90446d
--- /dev/null
+++ b/hypr/scripts/start-swaync.sh
@@ -0,0 +1,11 @@
+#!/bin/bash
+
+CONFIG_FILES="$HOME/.config/swaync/ $HOME/.cache/wal/"
+
+trap "killall swaync" EXIT
+swaync &
+
+while true; do
+ inotifywait -e create,modify -r $CONFIG_FILES
+ swaync-client -R & swaync-client -rs
+done
diff --git a/hypr/scripts/start-waybar.sh b/hypr/scripts/start-waybar.sh
new file mode 100644
index 0000000..b93d47a
--- /dev/null
+++ b/hypr/scripts/start-waybar.sh
@@ -0,0 +1,12 @@
+#!/bin/bash
+
+CONFIG_FILES="$HOME/.config/waybar/ $HOME/.cache/wal/"
+
+trap "killall waybar" EXIT
+
+while true; do
+ sleep 1.6
+ waybar &
+ inotifywait -e create,modify -r $CONFIG_FILES
+ killall waybar
+done
diff --git a/nvim/.gitignore b/nvim/.gitignore
new file mode 100644
index 0000000..cc5457a
--- /dev/null
+++ b/nvim/.gitignore
@@ -0,0 +1,8 @@
+tt.*
+.tests
+doc/tags
+debug
+.repro
+foo.*
+*.log
+data
diff --git a/nvim/.neoconf.json b/nvim/.neoconf.json
new file mode 100644
index 0000000..7c48087
--- /dev/null
+++ b/nvim/.neoconf.json
@@ -0,0 +1,15 @@
+{
+ "neodev": {
+ "library": {
+ "enabled": true,
+ "plugins": true
+ }
+ },
+ "neoconf": {
+ "plugins": {
+ "lua_ls": {
+ "enabled": true
+ }
+ }
+ }
+}
diff --git a/nvim/LICENSE b/nvim/LICENSE
new file mode 100644
index 0000000..261eeb9
--- /dev/null
+++ b/nvim/LICENSE
@@ -0,0 +1,201 @@
+ Apache License
+ Version 2.0, January 2004
+ http://www.apache.org/licenses/
+
+ TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
+
+ 1. Definitions.
+
+ "License" shall mean the terms and conditions for use, reproduction,
+ and distribution as defined by Sections 1 through 9 of this document.
+
+ "Licensor" shall mean the copyright owner or entity authorized by
+ the copyright owner that is granting the License.
+
+ "Legal Entity" shall mean the union of the acting entity and all
+ other entities that control, are controlled by, or are under common
+ control with that entity. For the purposes of this definition,
+ "control" means (i) the power, direct or indirect, to cause the
+ direction or management of such entity, whether by contract or
+ otherwise, or (ii) ownership of fifty percent (50%) or more of the
+ outstanding shares, or (iii) beneficial ownership of such entity.
+
+ "You" (or "Your") shall mean an individual or Legal Entity
+ exercising permissions granted by this License.
+
+ "Source" form shall mean the preferred form for making modifications,
+ including but not limited to software source code, documentation
+ source, and configuration files.
+
+ "Object" form shall mean any form resulting from mechanical
+ transformation or translation of a Source form, including but
+ not limited to compiled object code, generated documentation,
+ and conversions to other media types.
+
+ "Work" shall mean the work of authorship, whether in Source or
+ Object form, made available under the License, as indicated by a
+ copyright notice that is included in or attached to the work
+ (an example is provided in the Appendix below).
+
+ "Derivative Works" shall mean any work, whether in Source or Object
+ form, that is based on (or derived from) the Work and for which the
+ editorial revisions, annotations, elaborations, or other modifications
+ represent, as a whole, an original work of authorship. For the purposes
+ of this License, Derivative Works shall not include works that remain
+ separable from, or merely link (or bind by name) to the interfaces of,
+ the Work and Derivative Works thereof.
+
+ "Contribution" shall mean any work of authorship, including
+ the original version of the Work and any modifications or additions
+ to that Work or Derivative Works thereof, that is intentionally
+ submitted to Licensor for inclusion in the Work by the copyright owner
+ or by an individual or Legal Entity authorized to submit on behalf of
+ the copyright owner. For the purposes of this definition, "submitted"
+ means any form of electronic, verbal, or written communication sent
+ to the Licensor or its representatives, including but not limited to
+ communication on electronic mailing lists, source code control systems,
+ and issue tracking systems that are managed by, or on behalf of, the
+ Licensor for the purpose of discussing and improving the Work, but
+ excluding communication that is conspicuously marked or otherwise
+ designated in writing by the copyright owner as "Not a Contribution."
+
+ "Contributor" shall mean Licensor and any individual or Legal Entity
+ on behalf of whom a Contribution has been received by Licensor and
+ subsequently incorporated within the Work.
+
+ 2. Grant of Copyright License. Subject to the terms and conditions of
+ this License, each Contributor hereby grants to You a perpetual,
+ worldwide, non-exclusive, no-charge, royalty-free, irrevocable
+ copyright license to reproduce, prepare Derivative Works of,
+ publicly display, publicly perform, sublicense, and distribute the
+ Work and such Derivative Works in Source or Object form.
+
+ 3. Grant of Patent License. Subject to the terms and conditions of
+ this License, each Contributor hereby grants to You a perpetual,
+ worldwide, non-exclusive, no-charge, royalty-free, irrevocable
+ (except as stated in this section) patent license to make, have made,
+ use, offer to sell, sell, import, and otherwise transfer the Work,
+ where such license applies only to those patent claims licensable
+ by such Contributor that are necessarily infringed by their
+ Contribution(s) alone or by combination of their Contribution(s)
+ with the Work to which such Contribution(s) was submitted. If You
+ institute patent litigation against any entity (including a
+ cross-claim or counterclaim in a lawsuit) alleging that the Work
+ or a Contribution incorporated within the Work constitutes direct
+ or contributory patent infringement, then any patent licenses
+ granted to You under this License for that Work shall terminate
+ as of the date such litigation is filed.
+
+ 4. Redistribution. You may reproduce and distribute copies of the
+ Work or Derivative Works thereof in any medium, with or without
+ modifications, and in Source or Object form, provided that You
+ meet the following conditions:
+
+ (a) You must give any other recipients of the Work or
+ Derivative Works a copy of this License; and
+
+ (b) You must cause any modified files to carry prominent notices
+ stating that You changed the files; and
+
+ (c) You must retain, in the Source form of any Derivative Works
+ that You distribute, all copyright, patent, trademark, and
+ attribution notices from the Source form of the Work,
+ excluding those notices that do not pertain to any part of
+ the Derivative Works; and
+
+ (d) If the Work includes a "NOTICE" text file as part of its
+ distribution, then any Derivative Works that You distribute must
+ include a readable copy of the attribution notices contained
+ within such NOTICE file, excluding those notices that do not
+ pertain to any part of the Derivative Works, in at least one
+ of the following places: within a NOTICE text file distributed
+ as part of the Derivative Works; within the Source form or
+ documentation, if provided along with the Derivative Works; or,
+ within a display generated by the Derivative Works, if and
+ wherever such third-party notices normally appear. The contents
+ of the NOTICE file are for informational purposes only and
+ do not modify the License. You may add Your own attribution
+ notices within Derivative Works that You distribute, alongside
+ or as an addendum to the NOTICE text from the Work, provided
+ that such additional attribution notices cannot be construed
+ as modifying the License.
+
+ You may add Your own copyright statement to Your modifications and
+ may provide additional or different license terms and conditions
+ for use, reproduction, or distribution of Your modifications, or
+ for any such Derivative Works as a whole, provided Your use,
+ reproduction, and distribution of the Work otherwise complies with
+ the conditions stated in this License.
+
+ 5. Submission of Contributions. Unless You explicitly state otherwise,
+ any Contribution intentionally submitted for inclusion in the Work
+ by You to the Licensor shall be under the terms and conditions of
+ this License, without any additional terms or conditions.
+ Notwithstanding the above, nothing herein shall supersede or modify
+ the terms of any separate license agreement you may have executed
+ with Licensor regarding such Contributions.
+
+ 6. Trademarks. This License does not grant permission to use the trade
+ names, trademarks, service marks, or product names of the Licensor,
+ except as required for reasonable and customary use in describing the
+ origin of the Work and reproducing the content of the NOTICE file.
+
+ 7. Disclaimer of Warranty. Unless required by applicable law or
+ agreed to in writing, Licensor provides the Work (and each
+ Contributor provides its Contributions) on an "AS IS" BASIS,
+ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
+ implied, including, without limitation, any warranties or conditions
+ of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
+ PARTICULAR PURPOSE. You are solely responsible for determining the
+ appropriateness of using or redistributing the Work and assume any
+ risks associated with Your exercise of permissions under this License.
+
+ 8. Limitation of Liability. In no event and under no legal theory,
+ whether in tort (including negligence), contract, or otherwise,
+ unless required by applicable law (such as deliberate and grossly
+ negligent acts) or agreed to in writing, shall any Contributor be
+ liable to You for damages, including any direct, indirect, special,
+ incidental, or consequential damages of any character arising as a
+ result of this License or out of the use or inability to use the
+ Work (including but not limited to damages for loss of goodwill,
+ work stoppage, computer failure or malfunction, or any and all
+ other commercial damages or losses), even if such Contributor
+ has been advised of the possibility of such damages.
+
+ 9. Accepting Warranty or Additional Liability. While redistributing
+ the Work or Derivative Works thereof, You may choose to offer,
+ and charge a fee for, acceptance of support, warranty, indemnity,
+ or other liability obligations and/or rights consistent with this
+ License. However, in accepting such obligations, You may act only
+ on Your own behalf and on Your sole responsibility, not on behalf
+ of any other Contributor, and only if You agree to indemnify,
+ defend, and hold each Contributor harmless for any liability
+ incurred by, or claims asserted against, such Contributor by reason
+ of your accepting any such warranty or additional liability.
+
+ END OF TERMS AND CONDITIONS
+
+ APPENDIX: How to apply the Apache License to your work.
+
+ To apply the Apache License to your work, attach the following
+ boilerplate notice, with the fields enclosed by brackets "[]"
+ replaced with your own identifying information. (Don't include
+ the brackets!) The text should be enclosed in the appropriate
+ comment syntax for the file format. We also recommend that a
+ file or class name and description of purpose be included on the
+ same "printed page" as the copyright notice for easier
+ identification within third-party archives.
+
+ Copyright [yyyy] [name of copyright owner]
+
+ Licensed under the Apache License, Version 2.0 (the "License");
+ you may not use this file except in compliance with the License.
+ You may obtain a copy of the License at
+
+ http://www.apache.org/licenses/LICENSE-2.0
+
+ Unless required by applicable law or agreed to in writing, software
+ distributed under the License is distributed on an "AS IS" BASIS,
+ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
+ See the License for the specific language governing permissions and
+ limitations under the License.
diff --git a/nvim/README.md b/nvim/README.md
new file mode 100644
index 0000000..185280b
--- /dev/null
+++ b/nvim/README.md
@@ -0,0 +1,4 @@
+# 💤 LazyVim
+
+A starter template for [LazyVim](https://github.com/LazyVim/LazyVim).
+Refer to the [documentation](https://lazyvim.github.io/installation) to get started.
diff --git a/nvim/init.lua b/nvim/init.lua
new file mode 100644
index 0000000..2514f9e
--- /dev/null
+++ b/nvim/init.lua
@@ -0,0 +1,2 @@
+-- bootstrap lazy.nvim, LazyVim and your plugins
+require("config.lazy")
diff --git a/nvim/lazy-lock.json b/nvim/lazy-lock.json
new file mode 100644
index 0000000..029e502
--- /dev/null
+++ b/nvim/lazy-lock.json
@@ -0,0 +1,73 @@
+{
+ "LazyVim": { "branch": "main", "commit": "bf9887adacc4b37991aefc2b4514d07a6debb3b4" },
+ "LuaSnip": { "branch": "master", "commit": "ce0a05ab4e2839e1c48d072c5236cce846a387bc" },
+ "SchemaStore.nvim": { "branch": "main", "commit": "46b3b7e58d00eea2e7d9dac186ab5379264dee52" },
+ "bufferline.nvim": { "branch": "main", "commit": "aa16dafdc642594c7ade7e88d31a6119feb189d6" },
+ "catppuccin": { "branch": "main", "commit": "47bd419c0cb776cb0a67ebb525891eca44020b59" },
+ "clangd_extensions.nvim": { "branch": "main", "commit": "a8500531c4ed3a207e744a374ea038744a0f93eb" },
+ "cmp-buffer": { "branch": "main", "commit": "3022dbc9166796b644a841a02de8dd1cc1d311fa" },
+ "cmp-git": { "branch": "main", "commit": "8dfbc33fb32c33e5c0be9dcc8176a4f4d395f95e" },
+ "cmp-nvim-lsp": { "branch": "main", "commit": "39e2eda76828d88b773cc27a3f61d2ad782c922d" },
+ "cmp-path": { "branch": "main", "commit": "91ff86cd9c29299a64f968ebb45846c485725f23" },
+ "cmp_luasnip": { "branch": "master", "commit": "05a9ab28b53f71d1aece421ef32fee2cb857a843" },
+ "conform.nvim": { "branch": "master", "commit": "cd75be867f2331b22905f47d28c0c270a69466aa" },
+ "dashboard-nvim": { "branch": "master", "commit": "e6e33b848f0e2fe5c13f6553c568764555c390a3" },
+ "flash.nvim": { "branch": "main", "commit": "ec0bf2842189f65f60fd40bf3557cac1029cc932" },
+ "flit.nvim": { "branch": "main", "commit": "a9be4e76c30a128f1e51af448c8321bf8366bcd4" },
+ "friendly-snippets": { "branch": "main", "commit": "45a1b96e46efe5fce8af325d4bed45feb9d29d0f" },
+ "fzf-lua": { "branch": "main", "commit": "975534f4861e2575396716225c1202572645583d" },
+ "gitsigns.nvim": { "branch": "main", "commit": "375c44bdfdde25585466a966f00c2e291db74f2d" },
+ "harpoon": { "branch": "harpoon2", "commit": "0378a6c428a0bed6a2781d459d7943843f374bce" },
+ "headlines.nvim": { "branch": "master", "commit": "618ef1b2502c565c82254ef7d5b04402194d9ce3" },
+ "indent-blankline.nvim": { "branch": "master", "commit": "65e20ab94a26d0e14acac5049b8641336819dfc7" },
+ "lazy.nvim": { "branch": "main", "commit": "f918318d21956b0874a65ab35ce3d94d9057aabf" },
+ "lazydev.nvim": { "branch": "main", "commit": "cea5d0fb556cdc35122d9cae772e7e0ed65b4505" },
+ "leap.nvim": { "branch": "main", "commit": "c099aecaf858574909bd38cbadb8543c4dd16611" },
+ "lualine.nvim": { "branch": "master", "commit": "6a40b530539d2209f7dc0492f3681c8c126647ad" },
+ "luvit-meta": { "branch": "main", "commit": "ce76f6f6cdc9201523a5875a4471dcfe0186eb60" },
+ "markdown-preview.nvim": { "branch": "master", "commit": "a923f5fc5ba36a3b17e289dc35dc17f66d0548ee" },
+ "mason-lspconfig.nvim": { "branch": "main", "commit": "37a336b653f8594df75c827ed589f1c91d91ff6c" },
+ "mason-nvim-dap.nvim": { "branch": "main", "commit": "4ba55f9755ebe8297d92c419b90a946123292ae6" },
+ "mason.nvim": { "branch": "main", "commit": "f96a31855fa8aea55599cea412fe611b85a874ed" },
+ "mini.ai": { "branch": "main", "commit": "45587078f323eaf41b9f701bbc04f8d1ab008979" },
+ "mini.animate": { "branch": "main", "commit": "320fb35460238c436407cd779f63abad98e84870" },
+ "mini.comment": { "branch": "main", "commit": "080f00bb91fea4bab799820bd2ce835a88d0703a" },
+ "mini.diff": { "branch": "main", "commit": "d052bf31cc01bb1dde0afd129d8dcdd9f36b9d35" },
+ "mini.hipatterns": { "branch": "main", "commit": "aa68eb143ce77a57b6416fb4bd71ee0adba5a517" },
+ "mini.icons": { "branch": "main", "commit": "45cca14d0b7028040f413e2f6c6ebeb91b3c7b23" },
+ "mini.pairs": { "branch": "main", "commit": "927d19cbdd0e752ab1c7eed87072e71d2cd6ff51" },
+ "mini.surround": { "branch": "main", "commit": "28e2821bcccf4a1891d0ad2e49a056602ca03929" },
+ "neo-tree.nvim": { "branch": "main", "commit": "206241e451c12f78969ff5ae53af45616ffc9b72" },
+ "neodev.nvim": { "branch": "main", "commit": "46aa467dca16cf3dfe27098042402066d2ae242d" },
+ "neotest": { "branch": "master", "commit": "26ed90509c377d10dbdebd25b7094a886323b32b" },
+ "neotest-dotnet": { "branch": "main", "commit": "caeb52b602fa8a5855c5839c338fb65b50a40ab3" },
+ "noice.nvim": { "branch": "main", "commit": "04ff1defa257db569a687ec16051a27fbaeb0e2f" },
+ "none-ls.nvim": { "branch": "main", "commit": "0d1b3fa2ad0b371b94cb4b9a27ba6e5a1a915c91" },
+ "nui.nvim": { "branch": "main", "commit": "61574ce6e60c815b0a0c4b5655b8486ba58089a1" },
+ "nvim-cmp": { "branch": "main", "commit": "a110e12d0b58eefcf5b771f533fc2cf3050680ac" },
+ "nvim-dap": { "branch": "master", "commit": "6f79b822997f2e8a789c6034e147d42bc6706770" },
+ "nvim-dap-ui": { "branch": "master", "commit": "b7267003ba4dd860350be86f75b9d9ea287cedca" },
+ "nvim-dap-virtual-text": { "branch": "master", "commit": "484995d573c0f0563f6a66ebdd6c67b649489615" },
+ "nvim-lint": { "branch": "master", "commit": "efc6fc83f0772283e064c53a8f9fb5645bde0bc0" },
+ "nvim-lspconfig": { "branch": "master", "commit": "cf97d2485fc3f6d4df1b79a3ea183e24c272215e" },
+ "nvim-nio": { "branch": "master", "commit": "7969e0a8ffabdf210edd7978ec954a47a737bbcc" },
+ "nvim-notify": { "branch": "master", "commit": "d333b6f167900f6d9d42a59005d82919830626bf" },
+ "nvim-spectre": { "branch": "master", "commit": "9a28f926d3371b7ef02243cbbb653a0478d06e31" },
+ "nvim-treesitter": { "branch": "master", "commit": "4068e1c0966eee10bc8937b54f8cf8f68b76961f" },
+ "nvim-treesitter-textobjects": { "branch": "master", "commit": "34867c69838078df7d6919b130c0541c0b400c47" },
+ "nvim-ts-autotag": { "branch": "main", "commit": "323a3e16ed603e2e17b26b1c836d1e86c279f726" },
+ "nvim-ts-context-commentstring": { "branch": "main", "commit": "6b5f95aa4d24f2c629a74f2c935c702b08dbde62" },
+ "omnisharp-extended-lsp.nvim": { "branch": "main", "commit": "aad7bf06b4ca0de816b919d475a75b30f5f62b61" },
+ "one-small-step-for-vimkind": { "branch": "main", "commit": "730189c92c6fd80eb92bb6c1886392a142dba273" },
+ "overseer.nvim": { "branch": "master", "commit": "15b6249eaf71ebbc8bf0ed279e045f2bc1f28007" },
+ "persistence.nvim": { "branch": "main", "commit": "c45ff862b53ce07a853a753fb0b33e148dbb99d2" },
+ "plenary.nvim": { "branch": "master", "commit": "a3e3bc82a3f95c5ed0d7201546d5d2c19b20d683" },
+ "refactoring.nvim": { "branch": "master", "commit": "d07218748c48e756c27aa6859bfa6e62a3d271af" },
+ "tailwindcss-colorizer-cmp.nvim": { "branch": "main", "commit": "3d3cd95e4a4135c250faf83dd5ed61b8e5502b86" },
+ "todo-comments.nvim": { "branch": "main", "commit": "313b04e5b02d29ab9275c9295ff5e2b73921b0eb" },
+ "tokyonight.nvim": { "branch": "main", "commit": "66a272ba6cf93bf303c4b7a91b100ca0dd3ec7bd" },
+ "trouble.nvim": { "branch": "main", "commit": "4453fea6bb597830fbd58d2c484612f37b97bd8c" },
+ "vim-repeat": { "branch": "master", "commit": "65846025c15494983dafe5e3b46c8f88ab2e9635" },
+ "which-key.nvim": { "branch": "main", "commit": "af4ded85542d40e190014c732fa051bdbf88be3d" },
+ "yanky.nvim": { "branch": "main", "commit": "73215b77d22ebb179cef98e7e1235825431d10e4" }
+}
\ No newline at end of file
diff --git a/nvim/lazyvim.json b/nvim/lazyvim.json
new file mode 100644
index 0000000..b3b1974
--- /dev/null
+++ b/nvim/lazyvim.json
@@ -0,0 +1,35 @@
+{
+ "extras": [
+ "lazyvim.plugins.extras.coding.mini-surround",
+ "lazyvim.plugins.extras.coding.yanky",
+ "lazyvim.plugins.extras.dap.core",
+ "lazyvim.plugins.extras.dap.nlua",
+ "lazyvim.plugins.extras.editor.fzf",
+ "lazyvim.plugins.extras.editor.harpoon2",
+ "lazyvim.plugins.extras.editor.leap",
+ "lazyvim.plugins.extras.editor.mini-diff",
+ "lazyvim.plugins.extras.editor.overseer",
+ "lazyvim.plugins.extras.editor.refactoring",
+ "lazyvim.plugins.extras.formatting.prettier",
+ "lazyvim.plugins.extras.lang.clangd",
+ "lazyvim.plugins.extras.lang.git",
+ "lazyvim.plugins.extras.lang.json",
+ "lazyvim.plugins.extras.lang.markdown",
+ "lazyvim.plugins.extras.lang.nix",
+ "lazyvim.plugins.extras.lang.omnisharp",
+ "lazyvim.plugins.extras.lang.tailwind",
+ "lazyvim.plugins.extras.lang.toml",
+ "lazyvim.plugins.extras.lang.typescript",
+ "lazyvim.plugins.extras.lang.yaml",
+ "lazyvim.plugins.extras.linting.eslint",
+ "lazyvim.plugins.extras.lsp.none-ls",
+ "lazyvim.plugins.extras.test.core",
+ "lazyvim.plugins.extras.ui.mini-animate",
+ "lazyvim.plugins.extras.util.dot",
+ "lazyvim.plugins.extras.util.mini-hipatterns"
+ ],
+ "news": {
+ "NEWS.md": "6077"
+ },
+ "version": 6
+}
\ No newline at end of file
diff --git a/nvim/lua/config/autocmds.lua b/nvim/lua/config/autocmds.lua
new file mode 100644
index 0000000..27e9e06
--- /dev/null
+++ b/nvim/lua/config/autocmds.lua
@@ -0,0 +1,3 @@
+-- Autocmds are automatically loaded on the VeryLazy event
+-- Default autocmds that are always set: https://github.com/LazyVim/LazyVim/blob/main/lua/lazyvim/config/autocmds.lua
+-- Add any additional autocmds here
diff --git a/nvim/lua/config/keymaps.lua b/nvim/lua/config/keymaps.lua
new file mode 100644
index 0000000..2c134f7
--- /dev/null
+++ b/nvim/lua/config/keymaps.lua
@@ -0,0 +1,3 @@
+-- Keymaps are automatically loaded on the VeryLazy event
+-- Default keymaps that are always set: https://github.com/LazyVim/LazyVim/blob/main/lua/lazyvim/config/keymaps.lua
+-- Add any additional keymaps here
diff --git a/nvim/lua/config/lazy.lua b/nvim/lua/config/lazy.lua
new file mode 100644
index 0000000..732f55a
--- /dev/null
+++ b/nvim/lua/config/lazy.lua
@@ -0,0 +1,50 @@
+local lazypath = vim.fn.stdpath("data") .. "/lazy/lazy.nvim"
+if not (vim.uv or vim.loop).fs_stat(lazypath) then
+ local lazyrepo = "https://github.com/folke/lazy.nvim.git"
+ local out = vim.fn.system({ "git", "clone", "--filter=blob:none", "--branch=stable", lazyrepo, lazypath })
+ if vim.v.shell_error ~= 0 then
+ vim.api.nvim_echo({
+ { "Failed to clone lazy.nvim:\n", "ErrorMsg" },
+ { out, "WarningMsg" },
+ { "\nPress any key to exit..." },
+ }, true, {})
+ vim.fn.getchar()
+ os.exit(1)
+ end
+end
+vim.opt.rtp:prepend(lazypath)
+
+require("lazy").setup({
+ spec = {
+ -- add LazyVim and import its plugins
+ { "LazyVim/LazyVim", import = "lazyvim.plugins" },
+ -- import/override with your plugins
+ { import = "plugins" },
+ },
+ defaults = {
+ -- By default, only LazyVim plugins will be lazy-loaded. Your custom plugins will load during startup.
+ -- If you know what you're doing, you can set this to `true` to have all your custom plugins lazy-loaded by default.
+ lazy = false,
+ -- It's recommended to leave version=false for now, since a lot the plugin that support versioning,
+ -- have outdated releases, which may break your Neovim install.
+ version = false, -- always use the latest git commit
+ -- version = "*", -- try installing the latest stable version for plugins that support semver
+ },
+ install = { colorscheme = { "tokyonight", "habamax" } },
+ checker = { enabled = true }, -- automatically check for plugin updates
+ performance = {
+ rtp = {
+ -- disable some rtp plugins
+ disabled_plugins = {
+ "gzip",
+ -- "matchit",
+ -- "matchparen",
+ -- "netrwPlugin",
+ "tarPlugin",
+ "tohtml",
+ "tutor",
+ "zipPlugin",
+ },
+ },
+ },
+})
diff --git a/nvim/lua/config/options.lua b/nvim/lua/config/options.lua
new file mode 100644
index 0000000..3ea1454
--- /dev/null
+++ b/nvim/lua/config/options.lua
@@ -0,0 +1,3 @@
+-- Options are automatically loaded before lazy.nvim startup
+-- Default options that are always set: https://github.com/LazyVim/LazyVim/blob/main/lua/lazyvim/config/options.lua
+-- Add any additional options here
diff --git a/nvim/lua/plugins/example.lua b/nvim/lua/plugins/example.lua
new file mode 100644
index 0000000..4ad9825
--- /dev/null
+++ b/nvim/lua/plugins/example.lua
@@ -0,0 +1,193 @@
+-- since this is just an example spec, don't actually load anything here and return an empty spec
+-- stylua: ignore
+if true then return {} end
+
+-- every spec file under the "plugins" directory will be loaded automatically by lazy.nvim
+--
+-- In your plugin files, you can:
+-- * add extra plugins
+-- * disable/enabled LazyVim plugins
+-- * override the configuration of LazyVim plugins
+return {
+ -- add gruvbox
+ { "ellisonleao/gruvbox.nvim" },
+
+ -- Configure LazyVim to load gruvbox
+ {
+ "LazyVim/LazyVim",
+ opts = {
+ colorscheme = "gruvbox",
+ },
+ },
+
+ -- change trouble config
+ {
+ "folke/trouble.nvim",
+ -- opts will be merged with the parent spec
+ opts = { use_diagnostic_signs = true },
+ },
+
+ -- disable trouble
+ { "folke/trouble.nvim", enabled = false },
+
+ -- override nvim-cmp and add cmp-emoji
+ {
+ "hrsh7th/nvim-cmp",
+ dependencies = { "hrsh7th/cmp-emoji" },
+ ---@param opts cmp.ConfigSchema
+ opts = function(_, opts)
+ table.insert(opts.sources, { name = "emoji" })
+ end,
+ },
+
+ -- change some telescope options and a keymap to browse plugin files
+ {
+ "nvim-telescope/telescope.nvim",
+ keys = {
+ -- add a keymap to browse plugin files
+ -- stylua: ignore
+ {
+ "fp",
+ function() require("telescope.builtin").find_files({ cwd = require("lazy.core.config").options.root }) end,
+ desc = "Find Plugin File",
+ },
+ },
+ -- change some options
+ opts = {
+ defaults = {
+ layout_strategy = "horizontal",
+ layout_config = { prompt_position = "top" },
+ sorting_strategy = "ascending",
+ winblend = 0,
+ },
+ },
+ },
+
+ -- add pyright to lspconfig
+ {
+ "neovim/nvim-lspconfig",
+ ---@class PluginLspOpts
+ opts = {
+ ---@type lspconfig.options
+ servers = {
+ -- pyright will be automatically installed with mason and loaded with lspconfig
+ pyright = {},
+ },
+ },
+ },
+
+ -- add tsserver and setup with typescript.nvim instead of lspconfig
+ {
+ "neovim/nvim-lspconfig",
+ dependencies = {
+ "jose-elias-alvarez/typescript.nvim",
+ init = function()
+ require("lazyvim.util").lsp.on_attach(function(_, buffer)
+ -- stylua: ignore
+ vim.keymap.set( "n", "co", "TypescriptOrganizeImports", { buffer = buffer, desc = "Organize Imports" })
+ vim.keymap.set("n", "cR", "TypescriptRenameFile", { desc = "Rename File", buffer = buffer })
+ end)
+ end,
+ },
+ ---@class PluginLspOpts
+ opts = {
+ ---@type lspconfig.options
+ servers = {
+ -- tsserver will be automatically installed with mason and loaded with lspconfig
+ tsserver = {},
+ },
+ -- you can do any additional lsp server setup here
+ -- return true if you don't want this server to be setup with lspconfig
+ ---@type table
+ setup = {
+ -- example to setup with typescript.nvim
+ tsserver = function(_, opts)
+ require("typescript").setup({ server = opts })
+ return true
+ end,
+ -- Specify * to use this function as a fallback for any server
+ -- ["*"] = function(server, opts) end,
+ },
+ },
+ },
+
+ -- for typescript, LazyVim also includes extra specs to properly setup lspconfig,
+ -- treesitter, mason and typescript.nvim. So instead of the above, you can use:
+ { import = "lazyvim.plugins.extras.lang.typescript" },
+
+ -- add more treesitter parsers
+ {
+ "nvim-treesitter/nvim-treesitter",
+ opts = {
+ ensure_installed = {
+ "bash",
+ "html",
+ "javascript",
+ "json",
+ "lua",
+ "markdown",
+ "markdown_inline",
+ "python",
+ "query",
+ "regex",
+ "tsx",
+ "typescript",
+ "vim",
+ "yaml",
+ },
+ },
+ },
+
+ -- since `vim.tbl_deep_extend`, can only merge tables and not lists, the code above
+ -- would overwrite `ensure_installed` with the new value.
+ -- If you'd rather extend the default config, use the code below instead:
+ {
+ "nvim-treesitter/nvim-treesitter",
+ opts = function(_, opts)
+ -- add tsx and treesitter
+ vim.list_extend(opts.ensure_installed, {
+ "tsx",
+ "typescript",
+ })
+ end,
+ },
+
+ -- the opts function can also be used to change the default opts:
+ {
+ "nvim-lualine/lualine.nvim",
+ event = "VeryLazy",
+ opts = function(_, opts)
+ table.insert(opts.sections.lualine_x, "😄")
+ end,
+ },
+
+ -- or you can return new options to override all the defaults
+ {
+ "nvim-lualine/lualine.nvim",
+ event = "VeryLazy",
+ opts = function()
+ return {
+ --[[add your custom lualine config here]]
+ }
+ end,
+ },
+
+ -- use mini.starter instead of alpha
+ { import = "lazyvim.plugins.extras.ui.mini-starter" },
+
+ -- add jsonls and schemastore packages, and setup treesitter for json, json5 and jsonc
+ { import = "lazyvim.plugins.extras.lang.json" },
+
+ -- add any tools you want to have installed below
+ {
+ "williamboman/mason.nvim",
+ opts = {
+ ensure_installed = {
+ "stylua",
+ "shellcheck",
+ "shfmt",
+ "flake8",
+ },
+ },
+ },
+}
diff --git a/nvim/stylua.toml b/nvim/stylua.toml
new file mode 100644
index 0000000..5d6c50d
--- /dev/null
+++ b/nvim/stylua.toml
@@ -0,0 +1,3 @@
+indent_type = "Spaces"
+indent_width = 2
+column_width = 120
\ No newline at end of file
diff --git a/rofi/config.rasi b/rofi/config.rasi
new file mode 100644
index 0000000..54509f1
--- /dev/null
+++ b/rofi/config.rasi
@@ -0,0 +1,245 @@
+
+
+/* ---- Configuration ---- */
+configuration {
+ modi: "drun,run";
+ font: "JetBrains Mono";
+ show-icons: true;
+ icon-theme: "kora";
+ display-drun: "APPS";
+ display-run: "RUN";
+ display-filebrowser: "FILES";
+ display-window: "WINDOW";
+ drun-display-format: "{name}";
+ hover-select: true;
+ me-select-entry: "";
+ me-accept-entry: "MousePrimary";
+ window-format: "{w} · {c} · {t}";
+
+}
+/* ---- Load pywal colors (custom wal template) ---- */
+@import "~/.cache/wal/colors-rofi-pywal"
+
+* { border-width: 3px; }
+
+/* ---- Window ---- */
+window {
+ width: 900px;
+ x-offset: 0px;
+ y-offset: 0px;
+ spacing: 0px;
+ padding: 0px;
+ margin: 0px;
+ color: #FFFFFF;
+ border: @border-width;
+ cursor: "default";
+ transparency: "real";
+ location: center;
+ anchor: center;
+ fullscreen: false;
+ enabled: true;
+ border-radius: 10px;
+ background-color: transparent;
+}
+
+/* ---- Mainbox ---- */
+mainbox {
+ enabled: true;
+ orientation: horizontal;
+ spacing: 0px;
+ margin: 0px;
+ background-color: transparent;
+ background-image: @current-image;
+ children: ["imagebox","listbox"];
+}
+
+/* ---- Imagebox ---- */
+imagebox {
+ padding: 18px;
+ background-color: transparent;
+ orientation: vertical;
+ children: [ "inputbar", "dummy", "mode-switcher" ];
+}
+
+/* ---- Listbox ---- */
+listbox {
+ spacing: 20px;
+ background-color: transparent;
+ orientation: vertical;
+ children: [ "message", "listview" ];
+}
+
+/* ---- Dummy ---- */
+dummy {
+ background-color: transparent;
+}
+
+/* ---- Inputbar ---- */
+inputbar {
+ enabled: true;
+ text-color: @foreground;
+ spacing: 10px;
+ padding: 15px;
+ border-radius: 10px;
+ border-color: @foreground;
+ background-color: transparent;
+ children: [ "textbox-prompt-colon", "entry" ];
+}
+
+textbox-prompt-colon {
+ enabled: true;
+ expand: false;
+ str: "";
+ padding: 0px 5px 0px 0px;
+ background-color: transparent;
+ text-color: inherit;
+}
+
+entry {
+ enabled: true;
+ background-color: transparent;
+ text-color: inherit;
+ cursor: text;
+ placeholder: "Search";
+ placeholder-color: inherit;
+}
+
+/* ---- Mode Switcher ---- */
+mode-switcher{
+ enabled: true;
+ spacing: 20px;
+ background-color: transparent;
+ text-color: @foreground;
+}
+
+button {
+ padding: 10px;
+ border-radius: 10px;
+ background-color: transparent;
+ text-color: inherit;
+ cursor: pointer;
+ border: 0px;
+}
+
+button selected {
+ background-color: @color11;
+ text-color: @foreground;
+}
+
+/* ---- Listview ---- */
+listview {
+ enabled: true;
+ columns: 1;
+ lines: 8;
+ cycle: true;
+ dynamic: true;
+ scrollbar: false;
+ layout: vertical;
+ reverse: false;
+ fixed-height: true;
+ fixed-columns: true;
+ spacing: 0px;
+ padding: 10px;
+ margin: 0px;
+ background-color: transparent;
+ border:0px;
+}
+
+/* ---- Element ---- */
+element {
+ enabled: true;
+ padding: 10px;
+ margin: 5px;
+ cursor: pointer;
+ background-color: @background;
+ border-radius: 10px;
+ border: @border-width;
+}
+
+element normal.normal {
+ background-color: inherit;
+ text-color: @foreground;
+}
+
+element normal.urgent {
+ background-color: inherit;
+ text-color: @foreground;
+}
+
+element normal.active {
+ background-color: inherit;
+ text-color: @foreground;
+}
+
+element selected.normal {
+ background-color: @color11;
+ text-color: @foreground;
+}
+
+element selected.urgent {
+ background-color: inherit;
+ text-color: @foreground;
+}
+
+element selected.active {
+ background-color: inherit;
+ text-color: @foreground;
+}
+
+element alternate.normal {
+ background-color: inherit;
+ text-color: @foreground;
+}
+
+element alternate.urgent {
+ background-color: inherit;
+ text-color: @foreground;
+}
+
+element alternate.active {
+ background-color: inherit;
+ text-color: @foreground;
+}
+
+element-icon {
+ background-color: transparent;
+ text-color: inherit;
+ size: 32px;
+ cursor: inherit;
+}
+
+element-text {
+ background-color: transparent;
+ text-color: inherit;
+ cursor: inherit;
+ vertical-align: 0.5;
+ horizontal-align: 0.0;
+}
+
+/*****----- Message -----*****/
+message {
+ background-color: transparent;
+ border:0px;
+ margin:20px 0px 0px 0px;
+ padding:0px;
+ spacing:0px;
+ border-radius: 10px;
+}
+
+textbox {
+ padding: 15px;
+ margin: 0px;
+ border-radius: 0px;
+ background-color: @background;
+ text-color: @foreground;
+ vertical-align: 0.5;
+ horizontal-align: 0.0;
+}
+
+error-message {
+ padding: 15px;
+ border-radius: 20px;
+ background-color: @background;
+ text-color: @foreground;
+}
+
diff --git a/swappy/config b/swappy/config
new file mode 100644
index 0000000..eb95905
--- /dev/null
+++ b/swappy/config
@@ -0,0 +1,11 @@
+[Default]
+save_dir=$HOME/Pictures/screenshots
+save_filename_format=screenshot-%Y%m%d-%H%M%S.png
+show_panel=false
+line_size=5
+text_size=20
+text_font=sans-serif
+paint_mode=brush
+early_exit=false
+fill_shape=false
+
diff --git a/swaync/config.json b/swaync/config.json
new file mode 100644
index 0000000..2b8354c
--- /dev/null
+++ b/swaync/config.json
@@ -0,0 +1,100 @@
+{
+ "$schema": "/etc/xdg/swaync/configSchema.json",
+ "positionX": "right",
+ "positionY": "top",
+ "layer": "overlay",
+ "control-center-layer": "right",
+ "layer-shell": true,
+ "cssPriority": "application",
+ "control-center-margin-top": 5,
+ "control-center-margin-bottom": 0,
+ "control-center-margin-right": 0,
+ "control-center-margin-left": 0,
+ "notification-2fa-action": true,
+ "notification-inline-replies": false,
+ "notification-icon-size": 24,
+ "notification-body-image-height": 100,
+ "notification-body-image-width": 200,
+ "timeout": 6,
+ "timeout-low": 3,
+ "timeout-critical": 0,
+ "fit-to-screen": false,
+ "control-center-width": 350,
+ "control-center-height": 720,
+ "notification-window-width": 400,
+ "keyboard-shortcuts": true,
+ "image-visibility": "when available",
+ "transition-time": 200,
+ "hide-on-clear": false,
+ "hide-on-action": true,
+ "script-fail-notify": true,
+ "widgets": [
+ "dnd",
+ "buttons-grid",
+ "mpris",
+ "volume",
+ "backlight",
+ "title",
+ "notifications"
+ ],
+ "widget-config": {
+ "title": {
+ "text": "Notifications",
+ "clear-all-button": true,
+ "button-text": "Clear"
+ },
+ "dnd": {
+ "text": "Do Not Disturb"
+ },
+ "label": {
+ "max-lines": 1,
+ "text": "Notification"
+ },
+ "mpris": {
+ "image-size": 48,
+ "image-radius": 9999
+ },
+ "volume": {
+ "label": ""
+ },
+ "backlight": {
+ "label": ""
+ },
+ "buttons-grid": {
+ "actions": [
+ {
+ "label": "",
+ "command": "systemctl poweroff"
+ },
+ {
+ "label": "",
+ "command": "systemctl reboot"
+ },
+ {
+ "label": "",
+ "command": "hyprlock"
+ },
+ {
+ "label": "",
+ "command": "hyprctl dispatch exit"
+ },
+ {
+ "label": "",
+ "command": "~/.config/hypr/scripts/AirplaneMode.sh"
+ },
+ {
+ "label": "",
+ "command": "pactl set-sink-mute @DEFAULT_SINK@ toggle"
+ },
+ {
+ "label": "",
+ "command": "pactl set-source-mute @DEFAULT_SOURCE@ toggle"
+ },
+ {
+ "label": "",
+ "command": "blueman-manager"
+ }
+ ]
+ }
+ }
+}
diff --git a/swaync/style.css b/swaync/style.css
new file mode 100644
index 0000000..6e569a5
--- /dev/null
+++ b/swaync/style.css
@@ -0,0 +1,334 @@
+/* ----------- 💫 https://github.com/JaKooLit 💫 -------- */
+
+@import "../../.cache/wal/colors-waybar.css";
+
+@define-color noti-border-color @color4;
+@define-color noti-bg rgba(0, 0, 0, 0.4);
+@define-color noti-bg-alt rgba(0, 0, 0, 0.6);
+@define-color noti-bg-hover @color4;
+@define-color text-color @color4;
+@define-color text-color-alt @color7;
+@define-color text-color-disabled rgba(150, 150, 150, 0.8);
+
+* {
+ font-family: 'JetBrains Mono';
+ font-weight: 500;
+}
+
+.control-center .notification-row:focus,
+.control-center .notification-row:hover {
+}
+
+.notification-row {
+ outline: none;
+ margin: 0px;
+}
+
+.notification-content {
+ color: @text-color;
+ padding: 3px 10px 3px 6px;
+ border-radius: 10px;
+ border: 2px solid @noti-border-color;
+ margin: 0px;
+}
+
+.notification-default-action {
+ margin: 0;
+ padding: 0;
+ border-radius: 10px;
+}
+
+.notification-default-action:hover,
+.notification-action:hover {
+ background: rgba(0, 0, 0, 0.4);
+}
+
+.notification-action {
+ border: 2px solid @noti-border-color;
+ border-top: none;
+ border-radius: 10px;
+}
+
+.notification-default-action {
+ background: transparent;
+ border-radius: 10px;
+ margin: 5px;
+}
+
+.notification-default-action:not(:only-child) {
+ border-bottom-left-radius: 7px;
+ border-bottom-right-radius: 7px;
+}
+
+.notification-action:first-child {
+ border-bottom-left-radius: 10px;
+ background: transparent;
+}
+
+.notification-action:last-child {
+ border-bottom-right-radius: 10px;
+ background: transparent;
+}
+
+.close-button {
+ background: @text-color;
+ color: @noti-bg;
+ text-shadow: none;
+ padding: 0;
+ border-radius: 10px;
+ margin-top: 5px;
+ margin-right: 5px;
+}
+
+.close-button:hover {
+ box-shadow: none;
+ background: @text-color;
+ transition: all 0.15s ease-in-out;
+ border: none;
+}
+
+.inline-reply {
+ margin-top: 8px;
+}
+
+.inline-reply-entry {
+ background: @noti-bg;
+ color: @text-color;
+ caret-color: @text-color;
+ border: 1px solid @noti-border-color;
+ border-radius: 10px;
+}
+
+.inline-reply-button {
+ font-size: 0.5rem;
+ margin-left: 4px;
+ background: @noti-bg;
+ border: 1px solid @noti-border-color;
+ border-radius: 10px;
+ color: @text-color;
+}
+
+.inline-reply-button:disabled {
+ background: initial;
+ color: @text-color-disabled;
+ border: 1px solid transparent;
+}
+
+.inline-reply-button:hover {
+ background: @noti-bg-hover;
+}
+
+.body-image {
+ margin-top: 6px;
+ color: @text-color-alt;
+ border-radius: 10px;
+}
+
+.summary {
+ font-size: 1rem;
+ font-weight: 200;
+ background: transparent;
+ color: @text-color-alt;
+ text-shadow: none;
+}
+
+.time {
+ font-size: 1rem;
+ font-weight: 200;
+ background: transparent;
+ color: @text-color;
+ text-shadow: none;
+ margin-right: 18px;
+}
+
+.body {
+ font-size: 1rem;
+ font-weight: 200;
+ background: transparent;
+ color: @text-color;
+ text-shadow: none;
+}
+
+.control-center {
+ background: @noti-bg;
+ color: @text-color;
+ border-radius: 10px;
+ padding: 8px;
+}
+
+.control-center-list {
+ background: transparent;
+}
+
+.control-center-list-placeholder {
+ opacity: 0.5;
+}
+
+.floating-notifications {
+ background: transparent;
+}
+
+.blank-window {
+ background: alpha(black, 0.1);
+}
+
+.widget-title {
+ color: @noti-border-color;
+ /* background: @noti-bg-alt; */
+ padding: 3px 6px;
+ margin: 5px;
+ font-size: 1.25rem;
+ border-radius: 10px;
+}
+
+.widget-title > button {
+ font-size: 1rem;
+ color: @text-color;
+ border-radius: 10px;
+ background: @noti-bg;
+ border: none;
+ /* border: 0.5px solid @noti-border-color; */
+}
+
+.widget-title > button:hover {
+ background: @text-color-alt;
+ color: @noti-bg-alt;
+}
+
+.widget-dnd {
+ background: @noti-bg-alt;
+ padding: 3px 6px;
+ margin: 5px;
+ border-radius: 10px;
+ font-size: 1rem;
+ color: @noti-border-color;
+}
+
+.widget-dnd > switch {
+ border-radius: 9999px;
+ /* border: 1px solid #7aa2f7; */
+ background: @text-color;
+}
+
+.widget-dnd > switch:checked {
+ background: @text-color-alt;
+ /* border: 1px solid #f7768e; */
+}
+
+.widget-dnd > switch slider {
+ background: @noti-bg;
+ border-radius: 9999px;
+}
+
+.widget-dnd > switch:checked slider {
+ background: @noti-bg;
+ border-radius: 9999px;
+}
+
+.widget-label {
+ margin: 5px;
+}
+
+.widget-label > label {
+ font-size: 1rem;
+ color: @text-color;
+}
+
+.widget-mpris {
+ color: white;
+ background: transparent;
+ border-radius: 10px;
+}
+
+.widget-mpris > box > button {
+ border-radius: 10px;
+}
+
+.widget-mpris-player {
+}
+
+.widget-mpris-title {
+ font-weight: 200;
+ font-size: 1.15rem;
+}
+
+.widget-mpris-subtitle {
+ font-size: 0.9rem;
+}
+
+.widget-buttons-grid {
+ font-size: large;
+ color: @noti-border-color;
+ padding: 4px;
+ margin: 5px;
+ border-radius: 10px;
+ background: @noti-bg-alt;
+}
+
+.widget-buttons-grid > flowbox > flowboxchild > button {
+ margin: 1px;
+ background: @noti-bg;
+ border-radius: 10px;
+ color: @text-color;
+}
+
+.widget-buttons-grid > flowbox > flowboxchild > button:hover {
+ background: rgba(122, 162, 247, 0.1);
+ color: @text-color-alt;
+}
+
+.widget-menubar > box > .menu-button-bar > button {
+ border: none;
+ background: transparent;
+}
+
+.topbar-buttons > button {
+ border: none;
+ background: transparent;
+}
+
+.widget-volume {
+ background: @noti-bg-alt;
+ /* padding: 4px; */
+ /* margin: 10px 10px 5px 10px; */
+ border-radius: 10px;
+ font-size: x-large;
+ color: @text-color;
+}
+
+.widget-volume > box > button {
+ background: #7aa2f7;
+ border: none;
+}
+
+.per-app-volume {
+ background-color: @noti-bg;
+ padding: 4px 8px 8px;
+ margin: 0 8px 8px;
+ border-radius: 10px;
+ color: @text-color;
+}
+
+.widget-backlight {
+ background: @noti-bg-alt;
+ padding: 5px;
+ margin: 10px 10px 5px 10px;
+ border-radius: 10px;
+ font-size: x-large;
+ color: @text-color;
+}
+
+.low {
+ padding: 0px;
+ border-radius: 10px;
+}
+
+.normal {
+ padding: 0px;
+ border-radius: 10px;
+}
+
+.critical {
+ padding: 0px;
+ border-radius: 10px;
+}
diff --git a/wal/templates/cava-config b/wal/templates/cava-config
new file mode 100644
index 0000000..4d84e76
--- /dev/null
+++ b/wal/templates/cava-config
@@ -0,0 +1,280 @@
+## Configuration file for CAVA.
+# Remove the ; to change parameters.
+
+
+[general]
+
+# Smoothing mode. Can be 'normal', 'scientific' or 'waves'. DEPRECATED as of 0.6.0
+; mode = normal
+
+# Accepts only non-negative values.
+; framerate = 60
+
+# 'autosens' will attempt to decrease sensitivity if the bars peak. 1 = on, 0 = off
+# new as of 0.6.0 autosens of low values (dynamic range)
+# 'overshoot' allows bars to overshoot (in % of terminal height) without initiating autosens. DEPRECATED as of 0.6.0
+; autosens = 1
+; overshoot = 20
+
+# Manual sensitivity in %. If autosens is enabled, this will only be the initial value.
+# 200 means double height. Accepts only non-negative values.
+; sensitivity = 100
+
+# The number of bars (0-512). 0 sets it to auto (fill up console).
+# Bars' width and space between bars in number of characters.
+; bars = 0
+; bar_width = 2
+; bar_spacing = 1
+# bar_height is only used for output in "noritake" format
+; bar_height = 32
+
+# For SDL width and space between bars is in pixels, defaults are:
+; bar_width = 20
+; bar_spacing = 5
+
+# sdl_glsl have these default values, they are only used to calulate max number of bars.
+; bar_width = 1
+; bar_spacing = 0
+
+
+# Lower and higher cutoff frequencies for lowest and highest bars
+# the bandwidth of the visualizer.
+# Note: there is a minimum total bandwidth of 43Mhz x number of bars.
+# Cava will automatically increase the higher cutoff if a too low band is specified.
+; lower_cutoff_freq = 50
+; higher_cutoff_freq = 10000
+
+
+# Seconds with no input before cava goes to sleep mode. Cava will not perform FFT or drawing and
+# only check for input once per second. Cava will wake up once input is detected. 0 = disable.
+; sleep_timer = 0
+
+
+[input]
+
+# Audio capturing method. Possible methods are: 'fifo', 'portaudio', 'pipewire', 'alsa', 'pulse', 'sndio', 'oss', 'jack' or 'shmem'
+# Defaults to 'oss', 'pipewire', 'sndio', 'jack', 'pulse', 'alsa', 'portaudio' or 'fifo', in that order, dependent on what support cava was built with.
+# On Mac it defaults to 'portaudio' or 'fifo'
+# On windows this is automatic and no input settings are needed.
+#
+# All input methods uses the same config variable 'source'
+# to define where it should get the audio.
+#
+# For pulseaudio and pipewire 'source' will be the source. Default: 'auto', which uses the monitor source of the default sink
+# (all pulseaudio sinks(outputs) have 'monitor' sources(inputs) associated with them).
+#
+# For pipewire 'source' will be the object name or object.serial of the device to capture from.
+# Both input and output devices are supported.
+#
+# For alsa 'source' will be the capture device.
+# For fifo 'source' will be the path to fifo-file.
+# For shmem 'source' will be /squeezelite-AA:BB:CC:DD:EE:FF where 'AA:BB:CC:DD:EE:FF' will be squeezelite's MAC address
+#
+# For sndio 'source' will be a raw recording audio descriptor or a monitoring sub-device, e.g. 'rsnd/2' or 'snd/1'. Default: 'default'.
+# README.md contains further information on how to setup CAVA for sndio.
+#
+# For oss 'source' will be the path to a audio device, e.g. '/dev/dsp2'. Default: '/dev/dsp', i.e. the default audio device.
+# README.md contains further information on how to setup CAVA for OSS on FreeBSD.
+#
+# For jack 'source' will be the name of the JACK server to connect to, e.g. 'foobar'. Default: 'default'.
+# README.md contains further information on how to setup CAVA for JACK.
+#
+; method = pulse
+; source = auto
+
+; method = pipewire
+; source = auto
+
+; method = alsa
+; source = hw:Loopback,1
+
+; method = fifo
+; source = /tmp/mpd.fifo
+
+; method = shmem
+; source = /squeezelite-AA:BB:CC:DD:EE:FF
+
+; method = portaudio
+; source = auto
+
+; method = sndio
+; source = default
+
+; method = oss
+; source = /dev/dsp
+
+; method = jack
+; source = default
+
+# The options 'sample_rate', 'sample_bits', 'channels' and 'autoconnect' can be configured for some input methods:
+# sample_rate: fifo, pipewire, sndio, oss
+# sample_bits: fifo, pipewire, sndio, oss
+# channels: sndio, oss, jack
+# autoconnect: jack
+# Other methods ignore these settings.
+#
+# For 'sndio' and 'oss' they are only preferred values, i.e. if the values are not supported
+# by the chosen audio device, the device will use other supported values instead.
+# Example: 48000, 32 and 2, but the device only supports 44100, 16 and 1, then it
+# will use 44100, 16 and 1.
+#
+; sample_rate = 44100
+; sample_bits = 16
+; channels = 2
+; autoconnect = 2
+
+
+[output]
+
+# Output method. Can be 'ncurses', 'noncurses', 'raw', 'noritake', 'sdl'
+# or 'sdl_glsl'.
+# 'noncurses' (default) uses a buffer and cursor movements to only print
+# changes from frame to frame in the terminal. Uses less resources and is less
+# prone to tearing (vsync issues) than 'ncurses'.
+#
+# 'raw' is an 8 or 16 bit (configurable via the 'bit_format' option) data
+# stream of the bar heights that can be used to send to other applications.
+# 'raw' defaults to 200 bars, which can be adjusted in the 'bars' option above.
+#
+# 'noritake' outputs a bitmap in the format expected by a Noritake VFD display
+# in graphic mode. It only support the 3000 series graphical VFDs for now.
+#
+# 'sdl' uses the Simple DirectMedia Layer to render in a graphical context.
+# 'sdl_glsl' uses SDL to create an OpenGL context. Write your own shaders or
+# use one of the predefined ones.
+; method = noncurses
+
+# Orientation of the visualization. Can be 'bottom', 'top', 'left' or 'right'.
+# Default is 'bottom'. Other orientations are only supported on sdl and ncruses
+# output. Note: many fonts have weird glyphs for 'top' and 'right' characters,
+# which can make ncurses not look right.
+; orientation = bottom
+
+# Visual channels. Can be 'stereo' or 'mono'.
+# 'stereo' mirrors both channels with low frequencies in center.
+# 'mono' outputs left to right lowest to highest frequencies.
+# 'mono_option' set mono to either take input from 'left', 'right' or 'average'.
+# set 'reverse' to 1 to display frequencies the other way around.
+; channels = stereo
+; mono_option = average
+; reverse = 0
+
+# Raw output target. A fifo will be created if target does not exist.
+; raw_target = /dev/stdout
+
+# Raw data format. Can be 'binary' or 'ascii'.
+; data_format = binary
+
+# Binary bit format, can be '8bit' (0-255) or '16bit' (0-65530).
+; bit_format = 16bit
+
+# Ascii max value. In 'ascii' mode range will run from 0 to value specified here
+; ascii_max_range = 1000
+
+# Ascii delimiters. In ascii format each bar and frame is separated by a delimiters.
+# Use decimal value in ascii table (i.e. 59 = ';' and 10 = '\n' (line feed)).
+; bar_delimiter = 59
+; frame_delimiter = 10
+
+# sdl window size and position. -1,-1 is centered.
+; sdl_width = 1000
+; sdl_height = 500
+; sdl_x = -1
+; sdl_y= -1
+; sdl_full_screen = 0
+
+# set label on bars on the x-axis. Can be 'frequency' or 'none'. Default: 'none'
+# 'frequency' displays the lower cut off frequency of the bar above.
+# Only supported on ncurses and noncurses output.
+; xaxis = none
+
+# enable alacritty synchronized updates. 1 = on, 0 = off
+# removes flickering in alacritty terminal emulator.
+# defaults to off since the behaviour in other terminal emulators is unknown
+; alacritty_sync = 0
+
+# Shaders for sdl_glsl, located in $HOME/.config/cava/shaders
+; vertex_shader = pass_through.vert
+; fragment_shader = bar_spectrum.frag
+
+; for glsl output mode, keep rendering even if no audio
+; continuous_rendering = 0
+
+# disable console blank (screen saver) in tty
+# (Not supported on FreeBSD)
+; disable_blanking = 0
+
+[color]
+
+# Colors can be one of seven predefined: black, blue, cyan, green, magenta, red, white, yellow.
+# Or defined by hex code '#xxxxxx' (hex code must be within ''). User defined colors requires
+# a terminal that can change color definitions such as Gnome-terminal or rxvt.
+# default is to keep current terminal color
+; background = default
+; foreground = default
+
+# SDL and sdl_glsl only support hex code colors, these are the default:
+; background = '#111111'
+; foreground = '#33ffff'
+
+
+# Gradient mode, only hex defined colors are supported,
+# background must also be defined in hex or remain commented out. 1 = on, 0 = off.
+# You can define as many as 8 different colors. They range from bottom to top of screen
+; gradient = 1
+; gradient_count = 8
+; gradient_color_1 = '#59cc33'
+; gradient_color_2 = '#80cc33'
+; gradient_color_3 = '#a6cc33'
+; gradient_color_4 = '#cccc33'
+; gradient_color_5 = '#cca633'
+; gradient_color_6 = '#cc8033'
+; gradient_color_7 = '#cc5933'
+; gradient_color_8 = '#cc3333'
+
+gradient = 1
+gradient_count = 5
+gradient_color_1 = "{color1}"
+gradient_color_2 = "{color2}"
+gradient_color_3 = "{color3}"
+gradient_color_4 = "{color4}"
+gradient_color_5 = "{color5}"
+
+
+[smoothing]
+
+# Percentage value for integral smoothing. Takes values from 0 - 100.
+# Higher values means smoother, but less precise. 0 to disable.
+# DEPRECATED as of 0.8.0, use noise_reduction instead
+; integral = 77
+
+# Disables or enables the so-called "Monstercat smoothing" with or without "waves". Set to 0 to disable.
+; monstercat = 0
+; waves = 0
+
+# Set gravity percentage for "drop off". Higher values means bars will drop faster.
+# Accepts only non-negative values. 50 means half gravity, 200 means double. Set to 0 to disable "drop off".
+# DEPRECATED as of 0.8.0, use noise_reduction instead
+; gravity = 100
+
+
+# In bar height, bars that would have been lower that this will not be drawn.
+# DEPRECATED as of 0.8.0
+; ignore = 0
+
+# Noise reduction, int 0 - 100. default 77
+# the raw visualization is very noisy, this factor adjusts the integral and gravity filters to keep the signal smooth
+# 100 will be very slow and smooth, 0 will be fast but noisy.
+; noise_reduction = 77
+
+
+[eq]
+
+# This one is tricky. You can have as much keys as you want.
+# Remember to uncomment more than one key! More keys = more precision.
+# Look at readme.md on github for further explanations and examples.
+; 1 = 1 # bass
+; 2 = 1
+; 3 = 1 # midtone
+; 4 = 1
+; 5 = 1 # treble
diff --git a/wal/templates/colors-hyprland.conf b/wal/templates/colors-hyprland.conf
new file mode 100644
index 0000000..3d49783
--- /dev/null
+++ b/wal/templates/colors-hyprland.conf
@@ -0,0 +1,19 @@
+$background = rgb({background.strip})
+$foreground = rgb({foreground.strip})
+$color0 = rgb({color0.strip})
+$color1 = rgb({color1.strip})
+$color2 = rgb({color2.strip})
+$color3 = rgb({color3.strip})
+$color4 = rgb({color4.strip})
+$color5 = rgb({color5.strip})
+$color6 = rgb({color6.strip})
+$color7 = rgb({color7.strip})
+$color8 = rgb({color8.strip})
+$color9 = rgb({color9.strip})
+$color10 = rgb({color10.strip})
+$color11 = rgb({color11.strip})
+$color12 = rgb({color12.strip})
+$color13 = rgb({color13.strip})
+$color14 = rgb({color14.strip})
+$color15 = rgb({color15.strip})
+
diff --git a/wal/templates/colors-rofi-pywal.rasi b/wal/templates/colors-rofi-pywal.rasi
new file mode 100644
index 0000000..0a139ea
--- /dev/null
+++ b/wal/templates/colors-rofi-pywal.rasi
@@ -0,0 +1,22 @@
+* {{
+ current-image: "{wallpaper}";
+ background: {background};
+ foreground: {foreground};
+ color0: {color0};
+ color1: {color1};
+ color2: {color2};
+ color3: {color3};
+ color4: {color4};
+ color5: {color5};
+ color6: {color6};
+ color7: {color7};
+ color8: {color8};
+ color9: {color9};
+ color10: {color10};
+ color11: {color11};
+ color12: {color12};
+ color13: {color13};
+ color14: {color14};
+ color15: {color15};
+}}
+
diff --git a/wal/templates/colors.lua b/wal/templates/colors.lua
new file mode 100644
index 0000000..015f559
--- /dev/null
+++ b/wal/templates/colors.lua
@@ -0,0 +1,23 @@
+
+local M = {{}}
+
+M.background = "{background}"
+M.foreground = "{foreground}"
+M.color0 = "{color0}"
+M.color1 = "{color1}"
+M.color2 = "{color2}"
+M.color3 = "{color3}"
+M.color4 = "{color4}"
+M.color5 = "{color5}"
+M.color6 = "{color6}"
+M.color7 = "{color7}"
+M.color8 = "{color8}"
+M.color9 = "{color9}"
+M.color10 = "{color10}"
+M.color11 = "{color11}"
+M.color12 = "{color12}"
+M.color13 = "{color13}"
+M.color14 = "{color14}"
+M.color15 = "{color15}"
+
+return M
diff --git a/waybar/config.jsonc b/waybar/config.jsonc
new file mode 100644
index 0000000..fd36fb1
--- /dev/null
+++ b/waybar/config.jsonc
@@ -0,0 +1,125 @@
+// -*- mode: jsonc -*-
+{
+ "layer": "top", // Waybar at top layer
+ // "position": "bottom", // Waybar position (top|bottom|left|right)
+ "height": 36, // Waybar height (to be removed for auto height)
+ // "width": 1280, // Waybar width
+ "spacing": 8, // Gaps between modules (4px)
+ // Choose the order of the modules
+ "modules-left": [
+ "hyprland/workspaces",
+ "tray",
+ "hyprland/window"
+ ],
+ "modules-center": [
+ "custom/spotify"
+ ],
+ "modules-right": [
+ "custom/swww",
+ "wireplumber",
+ "network",
+ "cpu",
+ "memory",
+ "temperature",
+ "idle_inhibitor",
+ "clock",
+ "custom/swaync"
+ ],
+ "idle_inhibitor": {
+ "format": "{icon}",
+ "tooltip-format-activated": "On",
+ "tooltip-format-deactivated": "Off",
+ "format-icons": {
+ "activated": "",
+ "deactivated": ""
+ }
+ },
+ "hyprland/workspaces": {
+ "active-only": false,
+ "format": "{icon}",
+ "format-icons": {
+ "default": ""
+ }
+ },
+ "hyprland/window": {
+ "format": "{}",
+ "rewrite": {
+ "(.*) — Mozilla Firefox": " $1",
+ "(.*) - fish": "> [$1]",
+ "nv": " neovim"
+ },
+ "separate-outputs": true,
+ "max-length": "40"
+ },
+ "tray": {
+ "icon-size": 18,
+ "spacing": 10
+ },
+ "clock": {
+ "timezone": "America/New_York",
+ "tooltip-format": "{:%Y %B}\n{calendar}",
+ "format-alt": "{:%Y-%m-%d}",
+ "on-click": ""
+ },
+ "cpu": {
+ "format": " {usage}%",
+ "tooltip": true
+ },
+ "memory": {
+ "format": "{}% "
+ },
+ "temperature": {
+ // "thermal-zone": 2,
+ // "hwmon-path": "/sys/class/hwmon/hwmon2/temp1_input",
+ "critical-threshold": 80,
+ // "format-critical": "{temperatureC}°C {icon}",
+ "format": "{icon} {temperatureC}°C",
+ "format-icons": ["", "", ""]
+ },
+ "wireplumber": {
+ "format": " {volume}%",
+ "format-mute": " {volume}%"
+ },
+ "network": {
+ // "interface": "wlp2*", // (Optional) To force the use of this interface
+ "tooltip-format": "{essid}",
+ "format-wifi": " {signalStrength}%",
+ "format-ethernet": "",
+ "format-linked": "{ifname} (No IP) ",
+ "format-disconnected": ""
+ //"format-alt": "{ifname}: {ipaddr}/{cidr}"
+ },
+ "custom/spotify": {
+ "format": "{}",
+ "on-click": "playerctl --player=spotify play-pause",
+ "exec": "/usr/bin/python3 $HOME/.config/waybar/modules/mediaplayer.py --player spotify",
+ "return-type": "json",
+ "max-length": 40,
+ "format-icons": {
+ "spotify": " ",
+ "default": "🎜 "
+ }
+ },
+ "custom/swaync": {
+ "format": "{icon}",
+ "exec": "swaync-client -swb",
+ "return-type": "json",
+ "on-click": "sleep 0.1 && swaync-client -t -sw",
+ "format-icons": {
+ "notification": "⬤",
+ "none": " ",
+ "dnd-notification": "⬤",
+ "dnd-none": " "
+ }
+ },
+ "custom/swww": {
+ "format": "{icon}",
+ "tooltip": false,
+ "tooltip-format": "Change Wallpaper",
+ "on-click": "bash ~/.config/waybar/modules/switch-wallpaper.sh &",
+ "format-icons": {
+ "default": " "
+ }
+ }
+}
+
diff --git a/waybar/modules/mediaplayer.py b/waybar/modules/mediaplayer.py
new file mode 100644
index 0000000..e473697
--- /dev/null
+++ b/waybar/modules/mediaplayer.py
@@ -0,0 +1,190 @@
+#!/usr/bin/env python3
+import gi
+gi.require_version("Playerctl", "2.0")
+from gi.repository import Playerctl, GLib
+from gi.repository.Playerctl import Player
+import argparse
+import logging
+import sys
+import signal
+import gi
+import json
+import os
+from typing import List
+
+logger = logging.getLogger(__name__)
+
+def signal_handler(sig, frame):
+ logger.info("Received signal to stop, exiting")
+ sys.stdout.write("\n")
+ sys.stdout.flush()
+ # loop.quit()
+ sys.exit(0)
+
+
+class PlayerManager:
+ def __init__(self, selected_player=None, excluded_player=[]):
+ self.manager = Playerctl.PlayerManager()
+ self.loop = GLib.MainLoop()
+ self.manager.connect(
+ "name-appeared", lambda *args: self.on_player_appeared(*args))
+ self.manager.connect(
+ "player-vanished", lambda *args: self.on_player_vanished(*args))
+
+ signal.signal(signal.SIGINT, signal_handler)
+ signal.signal(signal.SIGTERM, signal_handler)
+ signal.signal(signal.SIGPIPE, signal.SIG_DFL)
+ self.selected_player = selected_player
+ self.excluded_player = excluded_player.split(',') if excluded_player else []
+
+ self.init_players()
+
+ def init_players(self):
+ for player in self.manager.props.player_names:
+ if player.name in self.excluded_player:
+ continue
+ if self.selected_player is not None and self.selected_player != player.name:
+ logger.debug(f"{player.name} is not the filtered player, skipping it")
+ continue
+ self.init_player(player)
+
+ def run(self):
+ logger.info("Starting main loop")
+ self.loop.run()
+
+ def init_player(self, player):
+ logger.info(f"Initialize new player: {player.name}")
+ player = Playerctl.Player.new_from_name(player)
+ player.connect("playback-status",
+ self.on_playback_status_changed, None)
+ player.connect("metadata", self.on_metadata_changed, None)
+ self.manager.manage_player(player)
+ self.on_metadata_changed(player, player.props.metadata)
+
+ def get_players(self) -> List[Player]:
+ return self.manager.props.players
+
+ def write_output(self, text, player):
+ logger.debug(f"Writing output: {text}")
+
+ output = {"text": text,
+ "class": "custom-" + player.props.player_name,
+ "alt": player.props.player_name}
+
+ sys.stdout.write(json.dumps(output) + "\n")
+ sys.stdout.flush()
+
+ def clear_output(self):
+ sys.stdout.write("\n")
+ sys.stdout.flush()
+
+ def on_playback_status_changed(self, player, status, _=None):
+ logger.debug(f"Playback status changed for player {player.props.player_name}: {status}")
+ self.on_metadata_changed(player, player.props.metadata)
+
+ def get_first_playing_player(self):
+ players = self.get_players()
+ logger.debug(f"Getting first playing player from {len(players)} players")
+ if len(players) > 0:
+ # if any are playing, show the first one that is playing
+ # reverse order, so that the most recently added ones are preferred
+ for player in players[::-1]:
+ if player.props.status == "Playing":
+ return player
+ # if none are playing, show the first one
+ return players[0]
+ else:
+ logger.debug("No players found")
+ return None
+
+ def show_most_important_player(self):
+ logger.debug("Showing most important player")
+ # show the currently playing player
+ # or else show the first paused player
+ # or else show nothing
+ current_player = self.get_first_playing_player()
+ if current_player is not None:
+ self.on_metadata_changed(current_player, current_player.props.metadata)
+ else:
+ self.clear_output()
+
+ def on_metadata_changed(self, player, metadata, _=None):
+ logger.debug(f"Metadata changed for player {player.props.player_name}")
+ player_name = player.props.player_name
+ artist = player.get_artist()
+ title = player.get_title()
+
+ track_info = ""
+ if player_name == "spotify" and "mpris:trackid" in metadata.keys() and ":ad:" in player.props.metadata["mpris:trackid"]:
+ track_info = "Advertisement"
+ elif artist is not None and title is not None:
+ track_info = f"{artist} - {title}"
+ else:
+ track_info = title
+
+ if track_info:
+ if player.props.status == "Playing":
+ track_info = " " + track_info
+ else:
+ track_info = " " + track_info
+ # only print output if no other player is playing
+ current_playing = self.get_first_playing_player()
+ if current_playing is None or current_playing.props.player_name == player.props.player_name:
+ self.write_output(track_info, player)
+ else:
+ logger.debug(f"Other player {current_playing.props.player_name} is playing, skipping")
+
+ def on_player_appeared(self, _, player):
+ logger.info(f"Player has appeared: {player.name}")
+ if player is not None and (self.selected_player is None or player.name == self.selected_player):
+ self.init_player(player)
+ else:
+ logger.debug(
+ "New player appeared, but it's not the selected player, skipping")
+
+ def on_player_vanished(self, _, player):
+ logger.info(f"Player {player.props.player_name} has vanished")
+ self.show_most_important_player()
+
+def parse_arguments():
+ parser = argparse.ArgumentParser()
+
+ # Increase verbosity with every occurrence of -v
+ parser.add_argument("-v", "--verbose", action="count", default=0)
+
+ parser.add_argument("-x", "--exclude", "- Comma-separated list of excluded player")
+
+ # Define for which player we"re listening
+ parser.add_argument("--player")
+
+ parser.add_argument("--enable-logging", action="store_true")
+
+ return parser.parse_args()
+
+
+def main():
+ arguments = parse_arguments()
+
+ # Initialize logging
+ if arguments.enable_logging:
+ logfile = os.path.join(os.path.dirname(
+ os.path.realpath(__file__)), "media-player.log")
+ logging.basicConfig(filename=logfile, level=logging.DEBUG,
+ format="%(asctime)s %(name)s %(levelname)s:%(lineno)d %(message)s")
+
+ # Logging is set by default to WARN and higher.
+ # With every occurrence of -v it's lowered by one
+ logger.setLevel(max((3 - arguments.verbose) * 10, 0))
+
+ logger.info("Creating player manager")
+ if arguments.player:
+ logger.info(f"Filtering for player: {arguments.player}")
+ if arguments.exclude:
+ logger.info(f"Exclude player {arguments.exclude}")
+
+ player = PlayerManager(arguments.player, arguments.exclude)
+ player.run()
+
+
+if __name__ == "__main__":
+ main()
diff --git a/waybar/modules/switch-wallpaper.sh b/waybar/modules/switch-wallpaper.sh
new file mode 100644
index 0000000..4e84c73
--- /dev/null
+++ b/waybar/modules/switch-wallpaper.sh
@@ -0,0 +1,11 @@
+# -n tells `wal` to skip setting the wallpaper.
+wal -i ~/Wallpapers/ -n
+
+# Using feh to tile the wallpaper now.
+# We grab the wallpaper location from wal's cache so
+# that this works even when a directory is passed.
+swww img "$(< "${HOME}/.cache/wal/wal")" --transition-type wipe --transition-angle 45 --transition-fps 90
+
+# Copy cava and update config
+cp ~/.cache/wal/cava-config ~/dotfiles/cava/config && pkill -USR2 cava
+
diff --git a/waybar/style.css b/waybar/style.css
new file mode 100644
index 0000000..d0bb862
--- /dev/null
+++ b/waybar/style.css
@@ -0,0 +1,37 @@
+* {
+ /* `otf-font-awesome` is required to be installed for icons */
+ font-family: "JetBrains Mono", "Iosevka Nerd Font", FontAwesome, Roboto, Helvetica, Arial, sans-serif;
+ text-shadow: none;
+ transition: color 0.5s ease-in-out;
+ transition: background-color 0.5s ease-in-out;
+}
+
+/*
+* Color Palette
+*/
+@import url('../../.cache/wal/colors-waybar.css');
+
+/*
+* General
+*/
+@import url('./styles/module-groups.css');
+@import url('./styles/modules.css');
+@import url('./styles/waybar.css');
+
+/*
+* Modules
+*/
+@import url('./styles/modules/clock.css');
+@import url('./styles/modules/cpu.css');
+@import url('./styles/modules/idle.css');
+@import url('./styles/modules/memory.css');
+@import url('./styles/modules/network.css');
+@import url('./styles/modules/spotify.css');
+@import url('./styles/modules/swaync.css');
+@import url('./styles/modules/swww.css');
+@import url('./styles/modules/temperature.css');
+@import url('./styles/modules/tray.css');
+@import url('./styles/modules/window.css');
+@import url('./styles/modules/wireplumber.css');
+@import url('./styles/modules/workspaces.css');
+
diff --git a/waybar/styles/module-groups.css b/waybar/styles/module-groups.css
new file mode 100644
index 0000000..acfc00f
--- /dev/null
+++ b/waybar/styles/module-groups.css
@@ -0,0 +1,14 @@
+.modules-left {
+ padding: 0 3px;
+ margin-left: 10px;
+}
+
+.modules-center {
+ padding: 0 3px;
+}
+
+.modules-right {
+ padding: 0 3px;
+ margin-right: 10px;
+}
+
diff --git a/waybar/styles/modules.css b/waybar/styles/modules.css
new file mode 100644
index 0000000..bc3c39e
--- /dev/null
+++ b/waybar/styles/modules.css
@@ -0,0 +1,13 @@
+.module {
+ border-radius: 9999px;
+ margin: 4px 0;
+}
+
+label.module {
+ padding: 0 10px;
+ /* box-shadow: inset 0 -2px; */
+}
+
+box.module {
+ padding: 0 10px;
+}
diff --git a/waybar/styles/modules/clock.css b/waybar/styles/modules/clock.css
new file mode 100644
index 0000000..4c0ebfd
--- /dev/null
+++ b/waybar/styles/modules/clock.css
@@ -0,0 +1,4 @@
+#clock {
+ background: @color5;
+}
+
diff --git a/waybar/styles/modules/cpu.css b/waybar/styles/modules/cpu.css
new file mode 100644
index 0000000..bbb1f04
--- /dev/null
+++ b/waybar/styles/modules/cpu.css
@@ -0,0 +1,4 @@
+#cpu {
+ color: #bf616a;
+}
+
diff --git a/waybar/styles/modules/idle.css b/waybar/styles/modules/idle.css
new file mode 100644
index 0000000..d3a7f61
--- /dev/null
+++ b/waybar/styles/modules/idle.css
@@ -0,0 +1,9 @@
+#idle_inhibitor {
+ padding: 0 16px 0 12px;
+ background-color: @color5;
+}
+
+#idle_inhibitor.activated {
+ background-color: @color6;
+}
+
diff --git a/waybar/styles/modules/memory.css b/waybar/styles/modules/memory.css
new file mode 100644
index 0000000..6be9e4e
--- /dev/null
+++ b/waybar/styles/modules/memory.css
@@ -0,0 +1,4 @@
+#memory {
+ color: #b48ead;
+}
+
diff --git a/waybar/styles/modules/network.css b/waybar/styles/modules/network.css
new file mode 100644
index 0000000..4869cba
--- /dev/null
+++ b/waybar/styles/modules/network.css
@@ -0,0 +1,8 @@
+#network {
+ color: #5e81ac;
+}
+
+#network.disconnected {
+ background-color: #f53c3c;
+}
+
diff --git a/waybar/styles/modules/spotify.css b/waybar/styles/modules/spotify.css
new file mode 100644
index 0000000..20f67cc
--- /dev/null
+++ b/waybar/styles/modules/spotify.css
@@ -0,0 +1,5 @@
+.custom-spotify {
+ color: #333;
+ background-color: #1db954;
+ font-style: italic;
+}
diff --git a/waybar/styles/modules/swaync.css b/waybar/styles/modules/swaync.css
new file mode 100644
index 0000000..5dfa28a
--- /dev/null
+++ b/waybar/styles/modules/swaync.css
@@ -0,0 +1,4 @@
+.custom-swaync {
+ background-color: white;
+}
+
diff --git a/waybar/styles/modules/swww.css b/waybar/styles/modules/swww.css
new file mode 100644
index 0000000..370db9c
--- /dev/null
+++ b/waybar/styles/modules/swww.css
@@ -0,0 +1,4 @@
+.custom-swww {
+ color: @color9;
+}
+
diff --git a/waybar/styles/modules/temperature.css b/waybar/styles/modules/temperature.css
new file mode 100644
index 0000000..51860da
--- /dev/null
+++ b/waybar/styles/modules/temperature.css
@@ -0,0 +1,8 @@
+#temperature {
+ color: #d08770;
+}
+
+#temperature.critical {
+ color: #bf616a;
+}
+
diff --git a/waybar/styles/modules/tray.css b/waybar/styles/modules/tray.css
new file mode 100644
index 0000000..9389d9d
--- /dev/null
+++ b/waybar/styles/modules/tray.css
@@ -0,0 +1,22 @@
+#tray {
+ padding: 0 10px;
+}
+
+#tray > .passive {
+ -gtk-icon-effect: dim;
+}
+
+#tray > .needs-attention {
+ -gtk-icon-effect: highlight;
+ background-color: #eb4d4b;
+}
+
+#tray button {
+ border-radius: 0px;
+ box-shadow: inset 0 -3px transparent;
+}
+
+#tray button:hover {
+ box-shadow: inset 0 -3px #5e81ac;
+}
+
diff --git a/waybar/styles/modules/window.css b/waybar/styles/modules/window.css
new file mode 100644
index 0000000..3ea826b
--- /dev/null
+++ b/waybar/styles/modules/window.css
@@ -0,0 +1,16 @@
+#window {
+ color: @color6;
+ border-radius: 20px;
+ padding-left: 10px;
+ padding-right: 10px;
+}
+
+window#waybar.kitty {
+ background-color: transparent;
+ color: #ffffff;
+}
+
+/* make window module transparent when no windows present */
+window#waybar.empty #window {
+ background-color: transparent;
+}
diff --git a/waybar/styles/modules/wireplumber.css b/waybar/styles/modules/wireplumber.css
new file mode 100644
index 0000000..935393d
--- /dev/null
+++ b/waybar/styles/modules/wireplumber.css
@@ -0,0 +1,8 @@
+#wireplumber {
+ background: @color4;
+}
+
+#wireplumber.muted {
+ color: #f53c3c;
+}
+
diff --git a/waybar/styles/modules/workspaces.css b/waybar/styles/modules/workspaces.css
new file mode 100644
index 0000000..eaa9f04
--- /dev/null
+++ b/waybar/styles/modules/workspaces.css
@@ -0,0 +1,31 @@
+
+#workspaces {
+ padding: 0;
+ /* border: 2px solid @color4; */
+}
+
+#workspaces button {
+ padding: 0 9px 0 4px;
+ box-shadow: none;
+ border: none;
+ border-radius: 9999px;
+ color: @color2;
+}
+
+#workspaces button.active {
+ color: @color5;
+}
+
+#workspaces button:hover {
+ background: transparent;
+ color: @color5;
+}
+
+#workspaces button.focused {
+ color: @color4;
+}
+
+#workspaces button.urgent {
+ color: #bf616a;
+}
+
diff --git a/waybar/styles/waybar.css b/waybar/styles/waybar.css
new file mode 100644
index 0000000..738597d
--- /dev/null
+++ b/waybar/styles/waybar.css
@@ -0,0 +1,18 @@
+window#waybar {
+ background: linear-gradient(90deg, mix(@color0, transparent, 0.5), mix(@color1, transparent, 0.5), mix(@color0, transparent, 0.5));
+ animation: fadeIn 2.5s;
+}
+
+button {
+ text-shadow: none;
+}
+
+window#waybar.hidden {
+ opacity: 0.2;
+}
+
+@keyframes fadeIn {
+ 0% { opacity: 0; }
+ 100% { opacity: 1; }
+}
+