You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

1894 lines
57 KiB

5 years ago
2 years ago
3 years ago
3 years ago
6 years ago
6 years ago
6 years ago
6 years ago
6 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
2 years ago
6 years ago
6 years ago
6 years ago
6 years ago
6 years ago
6 years ago
  1. #+TITLE: Emacs configuration file
  2. #+AUTHOR: Marc
  3. #+BABEL: :cache yes
  4. #+PROPERTY: header-args :tangle yes
  5. #+OPTIONS: ^:nil
  6. * TODOS
  7. - early-init.el? What to outsource here?
  8. - Paket exec-path-from-shell, um PATH aus Linux auch in emacs zu haben
  9. - Smart mode line?
  10. - Theme
  11. - evil-collection or custom in init file?
  12. - meow instead of evil? Testing
  13. - flymake instead of flycheck?
  14. - eglot instead of lsp?
  15. - project.el instead of projectile
  16. - Hydra
  17. - General
  18. - (defalias 'list-buffers 'ibuffer) ;; change default to ibuffer
  19. - ido?
  20. - treemacs (for linux)
  21. - treemacs-evil?
  22. - treemacs-projectile
  23. windmove?
  24. - tramp (in linux)
  25. - visual-regexp
  26. - org configuration: paths
  27. - org custom agenda
  28. - org-ql (related to org agendas)
  29. - org configuration: everything else
  30. - beancount configuration from config.org
  31. - CONTINUE TODO from config.org at Programming
  32. - all-the-icons?
  33. - lispy? [[https://github.com/abo-abo/lispy]]
  34. * Header
  35. Emacs variables are dynamically scoped. That's unusual for most languages, so disable it here, too
  36. #+begin_src emacs-lisp
  37. ;;; init.el --- -*- lexical-binding: t -*-
  38. #+end_src
  39. * First start
  40. These functions updates config.el whenever changes in config.org are made. The update will be active after saving.
  41. #+BEGIN_SRC emacs-lisp
  42. (defun my/tangle-config ()
  43. "Export code blocks from the literate config file."
  44. (interactive)
  45. ;; prevent emacs from killing until tangle-process finished
  46. (add-to-list 'kill-emacs-query-functions
  47. (lambda ()
  48. (or (not (process-live-p (get-process "tangle-process")))
  49. (y-or-n-p "\"my/tangle-config\" is running; kill it? "))))
  50. (org-babel-tangle-file config-org config-el)
  51. (message "reloading user-init-file")
  52. (load-file config-el))
  53. (add-hook 'org-mode-hook
  54. (lambda ()
  55. (if (equal (buffer-file-name) config-org)
  56. (my--add-local-hook 'after-save-hook 'my/tangle-config))))
  57. (defun my--add-local-hook (hook function)
  58. "Add buffer-local hook."
  59. (add-hook hook function :local t))
  60. (defun my/async-process (command &optional name filter)
  61. "Start an async process by running the COMMAND string with bash. Return the
  62. process object for it.
  63. NAME is name for the process. Default is \"async-process\".
  64. FILTER is function that runs after the process is finished, its args should be
  65. \"(process output)\". Default is just messages the output."
  66. (make-process
  67. :command `("bash" "-c" ,command)
  68. :name (if name name
  69. "async-process")
  70. :filter (if filter filter
  71. (lambda (process output) (message output)))))
  72. #+END_SRC
  73. A small function to measure start up time.
  74. Compare that to
  75. emacs -q --eval='(message "%s" (emacs-init-time))'
  76. (roughly 0.27s)
  77. https://blog.d46.us/advanced-emacs-startup/
  78. #+begin_src emacs-lisp
  79. (add-hook 'emacs-startup-hook
  80. (lambda ()
  81. (message "Emacs ready in %s with %d garbage collections."
  82. (format "%.2f seconds"
  83. (float-time
  84. (time-subtract after-init-time before-init-time)))
  85. gcs-done)))
  86. ;(setq gc-cons-threshold (* 50 1000 1000))
  87. #+end_src
  88. #+BEGIN_SRC emacs-lisp
  89. (require 'package)
  90. (add-to-list 'package-archives '("elpa" . "https://elpa.gnu.org/packages/") t)
  91. (add-to-list 'package-archives '("melpa" . "https://melpa.org/packages/") t)
  92. (add-to-list 'package-archives '("melpa-stable" . "https://stable.melpa.org/packages/") t)
  93. (add-to-list 'package-archives '("nongnu" . "https://elpa.nongnu.org/nongnu/") t)
  94. ; fix for bug 34341
  95. (setq gnutls-algorithm-priority "NORMAL:-VERS-TLS1.3")
  96. (when (< emacs-major-version 27)
  97. (package-initialize))
  98. #+END_SRC
  99. #+BEGIN_SRC emacs-lisp
  100. (unless (package-installed-p 'use-package)
  101. (package-refresh-contents)
  102. (package-install 'use-package))
  103. (eval-when-compile
  104. (setq use-package-enable-imenu-support t)
  105. (require 'use-package))
  106. (require 'bind-key)
  107. (setq use-package-verbose t)
  108. (use-package diminish
  109. :ensure t)
  110. #+END_SRC
  111. cl is deprecated in favor for cl-lib, some packages like emmet still depend on cl.
  112. Shut off the compiler warning about it.
  113. Maybe turn it on again at some point before the next major emacs upgrade
  114. #+begin_src emacs-lisp
  115. (setq byte-compile-warnings '(cl-functions))
  116. #+end_src
  117. * Performance Optimization
  118. ** Garbage Collection
  119. Make startup faster by reducing the frequency of garbage collection.
  120. Set gc-cons-threshold (default is 800kb) to maximum value available, to prevent any garbage collection from happening during load time.
  121. #+BEGIN_SRC emacs-lisp :tangle early-init.el
  122. (setq gc-cons-threshold most-positive-fixnum)
  123. #+END_SRC
  124. Restore it to reasonable value after init. Also stop garbage collection during minibuffer interaction (helm etc.)
  125. #+begin_src emacs-lisp
  126. (defconst 1mb 1048576)
  127. (defconst 20mb 20971520)
  128. (defconst 30mb 31457280)
  129. (defconst 50mb 52428800)
  130. (defun my--defer-garbage-collection ()
  131. (setq gc-cons-threshold most-positive-fixnum))
  132. (defun my--restore-garbage-collection ()
  133. (run-at-time 1 nil (lambda () (setq gc-cons-threshold 30mb))))
  134. (add-hook 'emacs-startup-hook 'my--restore-garbage-collection 100)
  135. (add-hook 'minibuffer-setup-hook 'my--defer-garbage-collection)
  136. (add-hook 'minibuffer-exit-hook 'my--restore-garbage-collection)
  137. (setq read-process-output-max 1mb) ;; lsp-mode's performance suggest
  138. #+end_src
  139. ** File Handler
  140. #+begin_src emacs-lisp :tangle early-init.el
  141. (defvar default-file-name-handler-alist file-name-handler-alist)
  142. (setq file-name-handler-alist nil)
  143. (add-hook 'emacs-startup-hook
  144. (lambda ()
  145. (setq file-name-handler-alist default-file-name-handler-alist)) 100)
  146. #+end_src
  147. ** Others
  148. #+begin_src emacs-lisp :tangle early-init.el
  149. ;; Resizing the emacs frame can be a terriblu expensive part of changing the font.
  150. ;; By inhibiting this, we easily hale startup times with fonts that are larger
  151. ;; than the system default.
  152. (setq frame-inhibit-implied-resize t)
  153. #+end_src
  154. * Default settings
  155. ** paths
  156. #+BEGIN_SRC emacs-lisp
  157. (defconst *sys/gui*
  158. (display-graphic-p)
  159. "Is emacs running in a gui?")
  160. (defconst *sys/linux*
  161. (string-equal system-type 'gnu/linux)
  162. "Is the system running Linux?")
  163. (defconst *sys/windows*
  164. (string-equal system-type 'windows-nt)
  165. "Is the system running Windows?")
  166. (defconst *home_desktop*
  167. (string-equal (system-name) "marc")
  168. "Is emacs running on my desktop?")
  169. (defconst *home_laptop*
  170. (string-equal (system-name) "laptop")
  171. "Is emacs running on my laptop?")
  172. (defconst *work_local*
  173. (string-equal (system-name) "PMPCNEU08")
  174. "Is emacs running at work on the local system?")
  175. (defconst *work_remote*
  176. (or (string-equal (system-name) "PMTS01")
  177. (string-equal (system-name) "PMTSNEU01"))
  178. "Is emacs running at work on the remote system?")
  179. #+END_SRC
  180. #+BEGIN_SRC emacs-lisp
  181. (defvar MY--PATH_USER_LOCAL (concat user-emacs-directory "user-local/"))
  182. (defvar MY--PATH_USER_GLOBAL (concat user-emacs-directory "user-global/"))
  183. (add-to-list 'custom-theme-load-path (concat MY--PATH_USER_GLOBAL "themes"))
  184. (when *sys/linux*
  185. (defconst MY--PATH_ORG_FILES (expand-file-name "~/Archiv/Organisieren/"))
  186. (defconst MY--PATH_ORG_FILES_MOBILE (expand-file-name "~/Archiv/Organisieren/mobile/"))
  187. (defconst MY--PATH_ORG_JOURNAl (expand-file-name "~/Archiv/Organisieren/Journal/"))
  188. (defconst MY--PATH_ORG_ROAM (file-truename "~/Archiv/Organisieren/")))
  189. (when *work_remote*
  190. (defconst MY--PATH_ORG_FILES "p:/Eigene Dateien/Notizen/")
  191. (defconst MY--PATH_ORG_FILES_MOBILE nil) ;; hacky way to prevent "free variable" compiler error
  192. (defconst MY--PATH_ORG_JOURNAL nil) ;; hacky way to prevent "free variable" compiler error
  193. (defconst MY--PATH_START "p:/Eigene Dateien/Notizen/")
  194. (defconst MY--PATH_ORG_ROAM (expand-file-name "p:/Eigene Dateien/Notizen/")))
  195. (setq custom-file (concat MY--PATH_USER_LOCAL "custom.el")) ;; don't spam init.e with saved customization settings
  196. (setq backup-directory-alist `((".*" . ,temporary-file-directory)))
  197. (setq auto-save-file-name-transforms `((".*" ,temporary-file-directory)))
  198. (customize-set-variable 'auth-sources (list (concat MY--PATH_USER_LOCAL "authinfo")
  199. (concat MY--PATH_USER_LOCAL "authinfo.gpg")
  200. (concat MY--PATH_USER_LOCAL "netrc")))
  201. #+end_src
  202. ** sane defaults
  203. #+begin_src emacs-lisp
  204. (setq-default create-lockfiles nil) ;; disable lock files, can cause trouble in e.g. lsp-mode
  205. (defalias 'yes-or-no-p 'y-or-n-p) ;; answer with y and n
  206. (setq custom-safe-themes t) ;; don't ask me if I want to load a theme
  207. (setq sentence-end-double-space nil) ;; don't coun two spaces after a period as the end of a sentence.
  208. (delete-selection-mode t) ;; delete selected region when typing
  209. (use-package saveplace
  210. :config
  211. (save-place-mode 1) ;; saves position in file when it's closed
  212. :custom
  213. (save-place-file (concat MY--PATH_USER_LOCAL "places")))
  214. (setq save-place-forget-unreadable-files nil) ;; checks if file is readable before saving position
  215. (global-set-key (kbd "RET") 'newline-and-indent) ;; indent after newline
  216. (setq save-interprogram-paste-before-kill t) ;; put replaced text into killring
  217. #+END_SRC
  218. ** Browser
  219. #+begin_src emacs-lisp
  220. (setq browse-url-function 'browse-url-generic
  221. browse-url-generic-program "firefox")
  222. #+end_src
  223. * Appearance
  224. ** Defaults
  225. #+begin_src emacs-lisp
  226. (set-charset-priority 'unicode)
  227. (setq-default locale-coding-system 'utf-8
  228. default-process-coding-system '(utf-8-unix . utf-8-unix))
  229. (set-terminal-coding-system 'utf-8)
  230. (set-keyboard-coding-system 'utf-8)
  231. (set-selection-coding-system 'utf-8)
  232. (if *sys/windows*
  233. (prefer-coding-system 'utf-8-dos)
  234. (prefer-coding-system 'utf-8))
  235. (setq-default bidi-paragraph-direction 'left-to-right
  236. bidi-inhibit-bpa t ;; both settings reduce line rescans
  237. uniquify-buffer-name-style 'forward
  238. indent-tabs-mode nil ;; avoid tabs in place of multiple spaces (they look bad in tex)
  239. indicate-empty-lines t ;; show empty lines
  240. scroll-margin 5 ;; smooth scrolling
  241. scroll-conservatively 10000
  242. scroll-preserve-screen-position 1
  243. scroll-step 1
  244. ring-bell-function 'ignore ;; disable pc speaker bell
  245. visible-bell t)
  246. (global-hl-line-mode t) ;; highlight current line
  247. (blink-cursor-mode -1) ;; turn off blinking cursor
  248. (column-number-mode t)
  249. #+end_src
  250. ** Remove redundant UI
  251. #+begin_src emacs-lisp :tangle early-init.el
  252. (menu-bar-mode -1) ;; disable menu bar
  253. (tool-bar-mode -1) ;; disable tool bar
  254. (scroll-bar-mode -1) ;; disable scroll bar
  255. #+end_src
  256. ** Font
  257. #+BEGIN_SRC emacs-lisp
  258. (when *sys/linux*
  259. (set-face-font 'default "Hack-10"))
  260. (when *work_remote*
  261. (set-face-font 'default "Lucida Sans Typewriter-11"))
  262. #+END_SRC
  263. ** Themes
  264. #+BEGIN_SRC emacs-lisp
  265. (defun my/toggle-theme ()
  266. (interactive)
  267. (when (or *sys/windows* *sys/linux*)
  268. (if (eq (car custom-enabled-themes) 'tango-dark)
  269. (progn (disable-theme 'tango-dark)
  270. (load-theme 'tango))
  271. (progn
  272. (disable-theme 'tango)
  273. (load-theme 'tango-dark)))))
  274. (bind-key "C-c t" 'my/toggle-theme)
  275. #+END_SRC
  276. Windows Theme:
  277. #+BEGIN_SRC emacs-lisp
  278. (when *sys/windows*
  279. (load-theme 'tango))
  280. (when *sys/linux*
  281. (load-theme 'plastic))
  282. #+END_SRC
  283. ** line wrappings
  284. #+BEGIN_SRC emacs-lisp
  285. (global-visual-line-mode)
  286. (diminish 'visual-line-mode)
  287. (use-package adaptive-wrap
  288. :ensure t
  289. :hook
  290. (visual-line-mode . adaptive-wrap-prefix-mode))
  291. ; :init
  292. ; (when (fboundp 'adaptive-wrap-prefix-mode)
  293. ; (defun me/activate-adaptive-wrap-prefix-mode ()
  294. ; "Toggle `visual-line-mode' and `adaptive-wrap-prefix-mode' simultaneously."
  295. ; (adaptive-wrap-prefix-mode (if visual-line-mode 1 -1)))
  296. ; (add-hook 'visual-line-mode-hook 'me/activate-adaptive-wrap-prefix-mode)))
  297. #+END_SRC
  298. ** line numbers
  299. #+BEGIN_SRC emacs-lisp
  300. (use-package display-line-numbers
  301. :init
  302. :hook
  303. ((prog-mode
  304. org-src-mode) . display-line-numbers-mode)
  305. :config
  306. (setq-default display-line-numbers-type 'visual
  307. display-line-numbers-current-absolute t
  308. display-line-numbers-with 4
  309. display-line-numbers-widen t))
  310. #+END_SRC
  311. ** misc
  312. Delight can replace mode names with custom names ,
  313. e.g. python-mode with just "π ".
  314. #+BEGIN_SRC emacs-lisp
  315. (use-package rainbow-mode
  316. :ensure t
  317. :diminish
  318. :hook
  319. ((org-mode
  320. emacs-lisp-mode) . rainbow-mode))
  321. (use-package delight
  322. :if *sys/linux*
  323. :ensure t)
  324. (show-paren-mode t) ;; show other part of brackets
  325. (setq blink-matching-paren nil) ;; not necessary with show-paren-mode, bugs out on C-s counsel-line
  326. (use-package rainbow-delimiters
  327. :ensure t
  328. :hook
  329. (prog-mode . rainbow-delimiters-mode))
  330. #+END_SRC
  331. * General (key mapper)
  332. Needs to be loaded before any other package which uses the :general keyword
  333. #+BEGIN_SRC emacs-lisp
  334. (use-package general
  335. :ensure t)
  336. #+END_SRC
  337. * Bookmarks
  338. Usage:
  339. - C-x r m (bookmark-set): add bookmark
  340. - C-x r l (list-bookmark): list bookmarks
  341. - C-x r b (bookmark-jump): open bookmark
  342. Edit bookmarks (while in bookmark file):
  343. - d: mark current item
  344. - x: delete marked items
  345. - r: rename current item
  346. - s: save changes
  347. #+begin_src emacs-lisp
  348. (use-package bookmark
  349. :custom
  350. (bookmark-default-file (concat MY--PATH_USER_LOCAL "bookmarks")))
  351. #+end_src
  352. Some windows specific stuff
  353. #+BEGIN_SRC emacs-lisp
  354. (when *sys/windows*
  355. (remove-hook 'find-file-hook 'vc-refresh-state)
  356. ; (progn
  357. ; (setq gc-cons-threshold (* 511 1024 1024)
  358. ; gc-cons-percentage 0.5
  359. ; garbage-collection-messages t
  360. ; (run-with-idle-timer 5 t #'garbage-collect))
  361. (when (boundp 'w32-pipe-read-delay)
  362. (setq w32-pipe-read-delay 0))
  363. (when (boundp 'w32-get-true-file-attributes)
  364. (setq w32-get-true-file-attributes nil)))
  365. #+END_SRC
  366. * recentf
  367. Exclude some dirs from spamming recentf
  368. #+begin_src emacs-lisp
  369. (use-package recentf
  370. ; :defer 1
  371. :config
  372. (recentf-mode)
  373. :custom
  374. (recentf-exclude '(".*-autoloads\\.el\\'"
  375. "[/\\]\\elpa/"
  376. "COMMIT_EDITMSG\\'"))
  377. (recentf-save-file (concat MY--PATH_USER_LOCAL "recentf"))
  378. (recentf-max-menu-items 600)
  379. (recentf-max-saved-items 600))
  380. #+end_src
  381. * savehist
  382. #+begin_src emacs-lisp
  383. (use-package savehist
  384. :config
  385. (savehist-mode)
  386. :custom
  387. (savehist-file (concat MY--PATH_USER_LOCAL "history")))
  388. #+end_src
  389. * undo
  390. #+BEGIN_SRC emacs-lisp
  391. (use-package undo-tree
  392. :ensure t
  393. :diminish undo-tree-mode
  394. :init
  395. (global-undo-tree-mode 1)
  396. :custom
  397. (undo-tree-auto-save-history nil))
  398. #+END_SRC
  399. * COMMENT ace-window (now avy)
  400. #+begin_src emacs-lisp
  401. (use-package ace-window
  402. :ensure t
  403. :bind
  404. (:map global-map
  405. ("C-x o" . ace-window)))
  406. #+end_src
  407. * which-key
  408. #+BEGIN_SRC emacs-lisp
  409. (use-package which-key
  410. :ensure t
  411. :diminish which-key-mode
  412. :defer t
  413. :hook
  414. (after-init . which-key-mode)
  415. :config
  416. (which-key-setup-side-window-bottom)
  417. (setq which-key-idle-delay 0.5))
  418. #+END_SRC
  419. * abbrev
  420. #+begin_src emacs-lisp
  421. (use-package abbrev
  422. :diminish abbrev-mode
  423. :hook
  424. ((text-mode org-mode) . abbrev-mode)
  425. :init
  426. (setq abbrev-file-name (concat MY--PATH_USER_GLOBAL "abbrev_tables.el"))
  427. :config
  428. (if (file-exists-p abbrev-file-name)
  429. (quietly-read-abbrev-file))
  430. (setq save-abbrevs 'silently)) ;; don't bother me with asking for abbrev saving
  431. #+end_src
  432. * imenu-list
  433. A minor mode to show imenu in a sidebar.
  434. Call imenu-list-smart-toggle.
  435. [[https://github.com/bmag/imenu-list][Source]]
  436. #+BEGIN_SRC emacs-lisp
  437. (use-package imenu-list
  438. :ensure t
  439. :demand t ; otherwise mode loads too late and won't work on first file it's being activated on
  440. :config
  441. (setq imenu-list-focus-after-activation t
  442. imenu-list-auto-resize t
  443. imenu-list-position 'right)
  444. :general
  445. ([f9] 'imenu-list-smart-toggle)
  446. (:states '(normal insert)
  447. :keymaps 'imenu-list-major-mode-map
  448. "RET" '(imenu-list-goto-entry :which-key "goto")
  449. "TAB" '(hs-toggle-hiding :which-key "collapse")
  450. "v" '(imenu-list-display-entry :which-key "show") ; also prevents visual mode
  451. "q" '(imenu-list-quit-window :which-key "quit"))
  452. :custom
  453. (org-imenu-depth 4))
  454. #+END_SRC
  455. * Evil
  456. See also
  457. https://github.com/noctuid/evil-guide
  458. Use C-z (evil-toggle-key) to switch between evil and emacs keybindings,
  459. in case evil is messing something up.
  460. #+BEGIN_SRC emacs-lisp
  461. (use-package evil
  462. :ensure t
  463. :defer .1
  464. :custom
  465. (evil-want-C-i-jump nil) ;; prevent evil from blocking TAB in org tree expanding
  466. (evil-want-integration t)
  467. (evil-want-keybinding nil)
  468. :config
  469. ;; example for using emacs default key map in a certain mode
  470. ;; (evil-set-initial-state 'dired-mode 'emacs)
  471. (evil-mode 1))
  472. #+END_SRC
  473. * COMMENT Meow
  474. #+begin_src emacs-lisp
  475. (use-package meow
  476. :ensure t
  477. :config
  478. (setq meow-cheatsheet-layout meow-cheatsheet-layout-qwerty)
  479. (meow-motion-overwrite-define-key
  480. '("j" . meow-next)
  481. '("k" . meow-prev)
  482. '("<escape>" . ignore))
  483. (meow-leader-define-key
  484. ;; SPC j/k will run the original command in MOTION state.
  485. '("j" . "H-j")
  486. '("k" . "H-k")
  487. ;; Use SPC (0-9) for digit arguments.
  488. '("1" . meow-digit-argument)
  489. '("2" . meow-digit-argument)
  490. '("3" . meow-digit-argument)
  491. '("4" . meow-digit-argument)
  492. '("5" . meow-digit-argument)
  493. '("6" . meow-digit-argument)
  494. '("7" . meow-digit-argument)
  495. '("8" . meow-digit-argument)
  496. '("9" . meow-digit-argument)
  497. '("0" . meow-digit-argument)
  498. '("/" . meow-keypad-describe-key)
  499. '("?" . meow-cheatsheet))
  500. (meow-normal-define-key
  501. '("0" . meow-expand-0)
  502. '("9" . meow-expand-9)
  503. '("8" . meow-expand-8)
  504. '("7" . meow-expand-7)
  505. '("6" . meow-expand-6)
  506. '("5" . meow-expand-5)
  507. '("4" . meow-expand-4)
  508. '("3" . meow-expand-3)
  509. '("2" . meow-expand-2)
  510. '("1" . meow-expand-1)
  511. '("-" . negative-argument)
  512. '(";" . meow-reverse)
  513. '("," . meow-inner-of-thing)
  514. '("." . meow-bounds-of-thing)
  515. '("[" . meow-beginning-of-thing)
  516. '("]" . meow-end-of-thing)
  517. '("a" . meow-append)
  518. '("A" . meow-open-below)
  519. '("b" . meow-back-word)
  520. '("B" . meow-back-symbol)
  521. '("c" . meow-change)
  522. '("d" . meow-delete)
  523. '("D" . meow-backward-delete)
  524. '("e" . meow-next-word)
  525. '("E" . meow-next-symbol)
  526. '("f" . meow-find)
  527. '("g" . meow-cancel-selection)
  528. '("G" . meow-grab)
  529. '("h" . meow-left)
  530. '("H" . meow-left-expand)
  531. '("i" . meow-insert)
  532. '("I" . meow-open-above)
  533. '("j" . meow-next)
  534. '("J" . meow-next-expand)
  535. '("k" . meow-prev)
  536. '("K" . meow-prev-expand)
  537. '("l" . meow-right)
  538. '("L" . meow-right-expand)
  539. '("m" . meow-join)
  540. '("n" . meow-search)
  541. '("o" . meow-block)
  542. '("O" . meow-to-block)
  543. '("p" . meow-yank)
  544. '("q" . meow-quit)
  545. '("Q" . meow-goto-line)
  546. '("r" . meow-replace)
  547. '("R" . meow-swap-grab)
  548. '("s" . meow-kill)
  549. '("t" . meow-till)
  550. '("u" . meow-undo)
  551. '("U" . meow-undo-in-selection)
  552. '("v" . meow-visit)
  553. '("w" . meow-mark-word)
  554. '("W" . meow-mark-symbol)
  555. '("x" . meow-line)
  556. '("X" . meow-goto-line)
  557. '("y" . meow-save)
  558. '("Y" . meow-sync-grab)
  559. '("z" . meow-pop-selection)
  560. '("'" . repeat)
  561. '("<escape>" . ignore))
  562. ; :config
  563. (meow-global-mode t))
  564. #+end_src
  565. * avy
  566. Search, move, copy, delete text within all visible buffers.
  567. Also replaces ace-window for buffer switching.
  568. [[https://github.com/abo-abo/avy]]
  569. #+BEGIN_SRC emacs-lisp
  570. (use-package avy
  571. :ensure t
  572. :general
  573. (:prefix "M-s"
  574. "" '(:ignore t :which-key "avy")
  575. "w" '(avy-goto-char-2 :which-key "avy-jump")
  576. "c" '(:ignore t :which-key "avy copy")
  577. "c l" '(avy-copy-line :which-key "avy copy line")
  578. "c r" '(avy-copy-region :which-key "avy copy region")))
  579. #+END_SRC
  580. * Vertico & Orderless
  581. Vertico is a completion ui.
  582. Orderless orders the suggestions by recency. The package prescient orders by frequency.
  583. [[https://github.com/minad/vertico][Vertico Github]]
  584. [[https://github.com/oantolin/orderless][Orderless Github]]
  585. #+begin_src emacs-lisp
  586. ;; completion ui
  587. (use-package vertico
  588. :ensure t
  589. :init
  590. (vertico-mode))
  591. (use-package orderless
  592. :ensure t
  593. :init
  594. (setq completion-styles '(orderless basic)
  595. completion-category-defaults nil
  596. completion-category-overrides '((file (styles partial-completion)))))
  597. #+end_src
  598. * Consult
  599. [[https://github.com/minad/consult][Github]]
  600. #+begin_src emacs-lisp
  601. (use-package consult
  602. :ensure t
  603. :bind
  604. (("C-x C-r" . consult-recent-file)
  605. ("C-x b" . consult-buffer)
  606. ("C-s" . consult-line))
  607. :config
  608. ;; disable preview for some commands and buffers
  609. ;; and enable it by M-.
  610. ;; see https://github.com/minad/consult#use-package-example
  611. (consult-customize
  612. consult-theme
  613. :preview-key '(debounce 0.2 any)
  614. consult-ripgrep consult-git-grep consult-grep
  615. consult-bookmark consult-recent-file consult-xref
  616. consult--source-bookmark consult--source-file-register
  617. consult--source-recent-file consult--source-project-recent-file
  618. :preview-key (kbd "M-.")))
  619. #+end_src
  620. * Marginalia
  621. [[https://github.com/minad/marginalia/][Github]]
  622. Adds additional information to the minibuffer
  623. #+begin_src emacs-lisp
  624. (use-package marginalia
  625. :ensure t
  626. :init
  627. (marginalia-mode)
  628. :bind
  629. (:map minibuffer-local-map
  630. ("M-A" . marginalia-cycle))
  631. :custom
  632. ;; switch by 'marginalia-cycle
  633. (marginalia-annotators '(marginalia-annotators-heavy
  634. marginalia-annotators-light
  635. nil)))
  636. #+end_src
  637. * Embark
  638. Does stuff in the minibuffer results
  639. #+begin_src emacs-lisp
  640. (use-package embark
  641. :ensure t
  642. :bind
  643. (("C-S-a" . embark-act)
  644. ("C-h B" . embark-bindings))
  645. :init
  646. (setq prefix-help-command #'embark-prefix-help-command)
  647. :config
  648. ;; hide modeline of the embark live/completions buffers
  649. (add-to-list 'display-buffer-alist
  650. '("\\`\\*Embark Collect \\(Live\\|Completions\\)\\*"
  651. nil
  652. (window-parameters (mode-line-format . none)))))
  653. (use-package embark-consult
  654. :ensure t
  655. :after (embark consult)
  656. :demand t
  657. :hook
  658. (embark-collect-mode . embark-consult-preview-minor-mode))
  659. #+end_src
  660. * COMMENT Helm
  661. As an alternative if I'm not happy with selectrum & co
  662. #+begin_src emacs-lisp
  663. (use-package helm
  664. :ensure t
  665. :hook
  666. (helm-mode . helm-autoresize-mode)
  667. ;; :bind
  668. ;; (("M-x" . helm-M-x)
  669. ;; ("C-s" . helm-occur)
  670. ;; ("C-x C-f" . helm-find-files)
  671. ;; ("C-x C-b" . helm-buffers-list)
  672. ;; ("C-x b" . helm-buffers-list)
  673. ;; ("C-x C-r" . helm-recentf)
  674. ;; ("C-x C-i" . helm-imenu))
  675. :config
  676. (helm-mode)
  677. :custom
  678. (helm-split-window-inside-p t) ;; open helm buffer inside current window
  679. (helm-move-to-line-cycle-in-source t)
  680. (helm-echo-input-in-header-line t)
  681. (helm-autoresize-max-height 20)
  682. (helm-autoresize-min-height 5)
  683. )
  684. #+end_src
  685. * COMMENT ivy / counsel / swiper
  686. #+BEGIN_SRC emacs-lisp
  687. ; (require 'ivy)
  688. (use-package ivy
  689. :ensure t
  690. :diminish
  691. (ivy-mode . "")
  692. :defer t
  693. :init
  694. (ivy-mode 1)
  695. :bind
  696. ("C-r" . ivy-resume) ;; overrides isearch-backwards binding
  697. :config
  698. (setq ivy-use-virtual-buffers t ;; recent files and bookmarks in ivy-switch-buffer
  699. ivy-height 20 ;; height of ivy window
  700. ivy-count-format "%d/%d" ;; current and total number
  701. ivy-re-builders-alist ;; regex replaces spaces with *
  702. '((t . ivy--regex-plus))))
  703. ; make counsel-M-x more descriptive
  704. (use-package ivy-rich
  705. :ensure t
  706. :defer t
  707. :init
  708. (ivy-rich-mode 1))
  709. (use-package counsel
  710. :ensure t
  711. :defer t
  712. :bind
  713. (("M-x" . counsel-M-x)
  714. ("C-x C-f" . counsel-find-file)
  715. ("C-x C-r" . counsel-recentf)
  716. ("C-x b" . counsel-switch-buffer)
  717. ("C-c C-f" . counsel-git)
  718. ("C-c h f" . counsel-describe-function)
  719. ("C-c h v" . counsel-describe-variable)
  720. ("M-i" . counsel-imenu)))
  721. ; :map minibuffer-local-map ;;currently mapped to evil-redo
  722. ; ("C-r" . 'counsel-minibuffer-history)))
  723. (use-package swiper
  724. :ensure t
  725. :bind
  726. ("C-s" . swiper))
  727. (use-package ivy-hydra
  728. :ensure t)
  729. #+END_SRC
  730. * outlook
  731. In outlook a macro is necessary, also a reference to FM20.DLL
  732. (Microsoft Forms 2.0 Object Library, in c:\windows\syswow64\fm20.dll)
  733. The macro copies the GUID of the email to the clipboard
  734. Attention: the GUID changes when the email is moved to another folder!
  735. The macro:
  736. #+BEGIN_SRC
  737. Sub AddLinkToMessageInClipboard()
  738. 'Adds a link to the currently selected message to the clipboard
  739. Dim objMail As Outlook.MailItem
  740. Dim doClipboard As New DataObject
  741. 'One and ONLY one message muse be selected
  742. If Application.ActiveExplorer.Selection.Count <> 1 Then
  743. MsgBox ("Select one and ONLY one message.")
  744. Exit Sub
  745. End If
  746. Set objMail = Application.ActiveExplorer.Selection.Item(1)
  747. doClipboard.SetText "[[outlook:" + objMail.EntryID + "][MESSAGE: " + objMail.Subject + " (" + objMail.SenderName + ")]]"
  748. doClipboard.PutInClipboard
  749. End Sub
  750. #+END_SRC
  751. #+BEGIN_SRC emacs-lisp
  752. (use-package org
  753. :config
  754. (org-add-link-type "outlook" 'my--org-outlook-open))
  755. (defun my--org-outlook-open (id)
  756. (w32-shell-execute "open" "outlook" (concat " /select outlook:" id)))
  757. (defun my/org-outlook-open-test ()
  758. (interactive)
  759. (w32-shell-execute "open" "outlook" " /select outlook:000000008A209C397CEF2C4FBA9E54AEB5B1F97F0700846D043B407C5B43A0C05AFC46DC5C630587BE5E020900006E48FF8F6027694BA6593777F542C19E0002A6434D000000"))'
  760. #+END_SRC
  761. * misc
  762. #+begin_src emacs-lisp
  763. (use-package autorevert
  764. :diminish auto-revert-mode)
  765. #+end_src
  766. * company
  767. #+BEGIN_SRC emacs-lisp
  768. (use-package company
  769. :defer 1
  770. :diminish
  771. :defer t
  772. :bind
  773. (("C-<tab>" . company-complete)
  774. :map company-active-map
  775. ("RET" . nil)
  776. ([return] . nil)
  777. ("TAB" . company-complete-selection)
  778. ([tab] . company-complete-selection)
  779. ("<right>" . company-complete-common)
  780. ("<escape>" . company-abort))
  781. :hook
  782. (after-init . global-company-mode)
  783. (emacs-lisp-mode . my--company-elisp)
  784. (org-mode . my--company-org)
  785. :config
  786. (defun my--company-elisp ()
  787. (message "set up company for elisp")
  788. (set (make-local-variable 'company-backends)
  789. '(company-capf ;; capf needs to be before yasnippet, or lsp fucks up completion for elisp
  790. company-yasnippet
  791. company-dabbrev-code
  792. company-files)))
  793. (defun my--company-org ()
  794. (set (make-local-variable 'company-backends)
  795. '(company-capf company-files))
  796. ;; (add-hook 'completion-at-point-functions 'pcomplete-completions-at-point nil t)
  797. (message "setup company for org"))
  798. (setq company-idle-delay .2
  799. company-minimum-prefix-length 1
  800. company-require-match nil
  801. company-show-numbers t
  802. company-tooltip-align-annotations t))
  803. (use-package company-statistics
  804. :ensure t
  805. :after company
  806. :defer t
  807. :init
  808. (setq company-statistics-file (concat MY--PATH_USER_LOCAL "company-statistics-cache.el"));~/.emacs.d/user-dir/company-statistics-cache.el")
  809. :config
  810. (company-statistics-mode 1))
  811. (use-package company-dabbrev
  812. :ensure nil
  813. :after company
  814. :defer t
  815. :config
  816. (setq-default company-dabbrev-downcase nil))
  817. ;; adds a info box right of the cursor with doc of the function
  818. (use-package company-box
  819. :ensure t
  820. :diminish
  821. :defer t
  822. :hook
  823. (company-mode . company-box-mode))
  824. ; :init
  825. ; (add-hook 'company-mode-hook 'company-box-mode))
  826. #+END_SRC
  827. * orgmode
  828. ** some notes
  829. *** copy file path within emacs
  830. Enter dired-other-window
  831. place cursor on the file
  832. M-0 w (copy absolute path)
  833. C-u w (copy relative path)
  834. *** Archiving
  835. C-c C-x C-a
  836. To keep the subheading structure when archiving, set the properties of the superheading.
  837. #+begin_src org :tangle no
  838. ,* FOO
  839. :PROPERTIES:
  840. :ARCHIVE: %s_archive::* FOO
  841. ,** DONE BAR
  842. ,** TODO BAZ
  843. #+end_src
  844. When moving BAR to archive, it will go to FILENAME.org_archive below the heading FOO.
  845. [[http://doc.endlessparentheses.com/Var/org-archive-location.html][Other examples]]
  846. ** org
  847. #+BEGIN_SRC emacs-lisp
  848. (defun my--buffer-prop-set (name value)
  849. "Set a file property called NAME to VALUE in buffer file.
  850. If the property is already set, replace its value."
  851. (setq name (downcase name))
  852. (org-with-point-at 1
  853. (let ((case-fold-search t))
  854. (if (re-search-forward (concat "^#\\+" name ":\\(.*\\)")
  855. (point-max) t)
  856. (replace-match (concat "#+" name ": " value) 'fixedcase)
  857. (while (and (not (eobp))
  858. (looking-at "^[#:]"))
  859. (if (save-excursion (end-of-line) (eobp))
  860. (progn
  861. (end-of-line)
  862. (insert "\n"))
  863. (forward-line)
  864. (beginning-of-line)))
  865. (insert "#+" name ": " value "\n")))))
  866. (defun my--buffer-prop-remove (name)
  867. "Remove a buffer property called NAME."
  868. (org-with-point-at 1
  869. (when (re-search-forward (concat "\\(^#\\+" name ":.*\n?\\)")
  870. (point-max) t)
  871. (replace-match ""))))
  872. (use-package org
  873. :ensure t
  874. :mode (("\.org$" . org-mode))
  875. :diminish org-indent-mode
  876. :defer 1
  877. :hook
  878. (org-mode . org-indent-mode)
  879. (org-source-mode . smartparens-mode)
  880. :bind (("C-c l" . org-store-link)
  881. ("C-c c" . org-capture)
  882. ("C-c a" . org-agenda)
  883. :map org-mode-map ("S-<right>" . org-shiftright)
  884. ("S-<left>" . org-shiftleft))
  885. :init
  886. (defun my--org-company ()
  887. (set (make-local-variable 'company-backends)
  888. '(company-capf company-files))
  889. (add-hook 'completion-at-point-functions 'pcomplete-completions-at-point nil t))
  890. (defun my--org-agenda-files-set ()
  891. "Sets default agenda files.
  892. Necessary when updating roam agenda todos."
  893. (setq org-agenda-files (list (concat MY--PATH_ORG_FILES "notes.org")
  894. (concat MY--PATH_ORG_FILES "projects.org")
  895. (concat MY--PATH_ORG_FILES "tasks.org")))
  896. (when *sys/linux*
  897. (nconc org-agenda-files
  898. (directory-files-recursively MY--PATH_ORG_FILES_MOBILE "\\.org$"))))
  899. (my--org-agenda-files-set)
  900. :config
  901. :custom
  902. (when *sys/linux*
  903. (org-pretty-entities t))
  904. (org-startup-truncated t)
  905. (org-startup-align-all-tables t)
  906. (org-src-fontify-natively t) ;; use syntax highlighting in code blocks
  907. (org-src-preserve-indentation t) ;; no extra indentation
  908. (org-src-window-setup 'current-window) ;; C-c ' opens in current window
  909. (org-modules (quote (org-id
  910. org-habit
  911. org-tempo))) ;; easy templates
  912. (org-default-notes-file (concat MY--PATH_ORG_FILES "notes.org"))
  913. (org-id-locations-file (concat MY--PATH_USER_LOCAL ".org-id-locations"))
  914. (org-log-into-drawer "LOGBOOK")
  915. (org-log-done 'time) ;; create timestamp when task is done
  916. (org-blank-before-new-entry '((heading) (plain-list-item))) ;; prevent new line before new item
  917. (org-src-tab-acts-natively t))
  918. #+END_SRC
  919. Custom keywords, depending on environment
  920. #+BEGIN_SRC emacs-lisp
  921. (use-package org
  922. :if *work_remote*
  923. :custom
  924. (org-todo-keywords
  925. '((sequence "OPEN" "TODO" "UNCLEAR" "|" "DONE" "IMPOSSIBLE" "CANCELLED"))))
  926. #+END_SRC
  927. ** org-agenda
  928. Sort agenda by deadline and priority
  929. #+BEGIN_SRC emacs-lisp
  930. (use-package org
  931. :ensure t
  932. :custom
  933. (org-agenda-sorting-strategy
  934. (quote
  935. ((agenda deadline-up priority-down)
  936. (todo priority-down category-keep)
  937. (tags priority-down category-keep)
  938. (search category-keep)))))
  939. #+END_SRC
  940. Customize the org agenda
  941. #+BEGIN_SRC emacs-lisp
  942. (defun my--org-skip-subtree-if-priority (priority)
  943. "Skip an agenda subtree if it has a priority of PRIORITY.
  944. PRIORITY may be one of the characters ?A, ?B, or ?C."
  945. (let ((subtree-end (save-excursion (org-end-of-subtree t)))
  946. (pri-value (* 1000 (- org-lowest-priority priority)))
  947. (pri-current (org-get-priority (thing-at-point 'line t))))
  948. (if (= pri-value pri-current)
  949. subtree-end
  950. nil)))
  951. (use-package org
  952. :ensure t
  953. :custom
  954. (org-agenda-custom-commands
  955. '(("c" "Simple agenda view"
  956. ((tags "PRIORITY=\"A\""
  957. ((org-agenda-skip-function '(org-agenda-skip-entry-if 'todo 'done))
  958. (org-agenda-overriding-header "Hohe Priorität:")))
  959. (agenda ""
  960. ((org-agenda-skip-function '(org-agenda-skip-entry-if 'todo 'done))
  961. (org-agenda-span 7)
  962. (org-agenda-start-on-weekday nil)
  963. (org-agenda-overriding-header "Nächste 7 Tage:")))
  964. (alltodo ""
  965. ((org-agenda-skip-function '(or (my--org-skip-subtree-if-priority ?A)
  966. (org-agenda-skip-if nil '(scheduled deadline))))
  967. (org-agenda-overriding-header "Sonstige Aufgaben:"))))))))
  968. #+END_SRC
  969. ** languages
  970. Set some languages and disable confirmation for evaluating code blocks C-c C-c
  971. #+begin_src emacs-lisp
  972. (use-package ob-org
  973. :defer t
  974. :ensure org-contrib
  975. :commands
  976. (org-babel-execute:org
  977. org-babel-expand-body:org))
  978. (use-package ob-python
  979. :defer t
  980. :ensure org-contrib
  981. :commands (org-babel-execute:python))
  982. (use-package ob-js
  983. :defer t
  984. :ensure org-contrib
  985. :commands (org-babel-execute:js))
  986. (use-package ob-shell
  987. :defer t
  988. :ensure org-contrib
  989. :commands
  990. (org-babel-execute:sh
  991. org-babel-expand-body:sh
  992. org-babel-execute:bash
  993. org-babel-expand-body:bash))
  994. (use-package ob-emacs-lisp
  995. :defer t
  996. :ensure org-contrib
  997. :commands
  998. (org-babel-execute:emacs-lisp
  999. org-babel-expand-body:emacs-lisp))
  1000. (use-package ob-lisp
  1001. :defer t
  1002. :ensure org-contrib
  1003. :commands
  1004. (org-babel-execute:lisp
  1005. org-babel-expand-body:lisp))
  1006. (use-package ob-gnuplot
  1007. :defer t
  1008. :ensure org-contrib
  1009. :commands
  1010. (org-babel-execute:gnuplot
  1011. org-babel-expand-body:gnuplot))
  1012. (use-package ob-sqlite
  1013. :defer t
  1014. :ensure org-contrib
  1015. :commands
  1016. (org-babel-execute:sqlite
  1017. org-babel-expand-body:sqlite))
  1018. (use-package ob-latex
  1019. :defer t
  1020. :ensure org-contrib
  1021. :commands
  1022. (org-babel-execute:latex
  1023. org-babel-expand-body:latex))
  1024. (use-package ob-R
  1025. :defer t
  1026. :ensure org-contrib
  1027. :commands
  1028. (org-babel-execute:R
  1029. org-babel-expand-body:R))
  1030. (use-package ob-scheme
  1031. :defer t
  1032. :ensure org-contrib
  1033. :commands
  1034. (org-babel-execute:scheme
  1035. org-babel-expand-body:scheme))
  1036. #+end_src
  1037. ** habits
  1038. #+BEGIN_SRC emacs-lisp
  1039. (require 'org-habit) ;;TODO Lösung ohne require finden, scheint mir nicht ideal zu sein, nur um ein org-modul zu aktivieren
  1040. ;; (add-to-list 'org-modules "org-habit")
  1041. (setq org-habit-graph-column 80
  1042. org-habit-preceding-days 30
  1043. org-habit-following-days 7
  1044. org-habit-show-habits-only-for-today nil)
  1045. #+END_SRC
  1046. ** *TODO*
  1047. [[https://github.com/alphapapa/org-ql][org-ql]]
  1048. [[https://github.com/nobiot/org-transclusion][org-transclusion]]?
  1049. ** org-caldav
  1050. Vorerst deaktiviert, Nutzen evtl. nicht vorhanden
  1051. #+BEGIN_SRC emacs-lisp
  1052. ;;(use-package org-caldav
  1053. ;; :ensure t
  1054. ;; :config
  1055. ;; (setq org-caldav-url "https://nextcloud.cloudsphere.duckdns.org/remote.php/dav/calendars/marc"
  1056. ;; org-caldav-calendar-id "orgmode"
  1057. ;; org-caldav-inbox (expand-file-name "~/Archiv/Organisieren/caldav-inbox")
  1058. ;; org-caldav-files (concat MY--PATH_ORG_FILES "tasks")))
  1059. #+END_SRC
  1060. ** journal
  1061. [[https://github.com/bastibe/org-journal][Source]]
  1062. Ggf. durch org-roam-journal ersetzen
  1063. #+BEGIN_SRC emacs-lisp
  1064. (use-package org-journal
  1065. :if *sys/linux*
  1066. :ensure t
  1067. :defer t
  1068. :config
  1069. ;; feels hacky, but this way compiler error "assignment to free variable" disappears
  1070. (when (and (boundp 'org-journal-dir)
  1071. (boundp 'org-journal-enable-agenda-integration))
  1072. (setq org-journal-dir MY--PATH_ORG_JOURNAl
  1073. org-journal-enable-agenda-integration t)))
  1074. #+END_SRC
  1075. ** org-roam
  1076. [[https://github.com/org-roam/org-roam][Github]]
  1077. Um Headings innerhalb einer Datei zu verlinken:
  1078. - org-id-get-create im Heading,
  1079. - org-roam-node-insert in der verweisenden Datei
  1080. Bei Problemen wie unique constraint
  1081. org-roam-db-clear-all
  1082. org-roam-db-sync
  1083. #+BEGIN_SRC emacs-lisp
  1084. (use-package org-roam
  1085. :ensure t
  1086. :defer 2
  1087. :after org
  1088. :init
  1089. (setq org-roam-v2-ack t)
  1090. (defun my--roamtodo-p ()
  1091. "Return non-nil if current buffer has any todo entry.
  1092. TODO entries marked as done are ignored, meaning this function
  1093. returns nil if current buffer contains only completed tasks."
  1094. (seq-find
  1095. (lambda (type)
  1096. (eq type 'todo))
  1097. (org-element-map
  1098. (org-element-parse-buffer 'headline)
  1099. 'headline
  1100. (lambda (h)
  1101. (org-element-property :todo-type h)))))
  1102. (defun my--roamtodo-update-tag ()
  1103. "Update ROAMTODO tag in the current buffer."
  1104. (when (and (not (active-minibuffer-window))
  1105. (my--buffer-roam-note-p))
  1106. (save-excursion
  1107. (goto-char (point-min))
  1108. (let* ((tags (my--buffer-tags-get))
  1109. (original-tags tags))
  1110. (if (my--roamtodo-p)
  1111. (setq tags (cons "roamtodo" tags))
  1112. (setq tags (remove "roamtodo" tags)))
  1113. ;;cleanup duplicates
  1114. (when (or (seq-difference tags original-tags)
  1115. (seq-difference original-tags tags))
  1116. (apply #'my--buffer-tags-set tags))))))
  1117. (defun my--buffer-tags-get ()
  1118. "Return filetags value in current buffer."
  1119. (my--buffer-prop-get-list "filetags" "[ :]"))
  1120. (defun my--buffer-tags-set (&rest tags)
  1121. "Set TAGS in current buffer.
  1122. If filetags value is already set, replace it."
  1123. (if tags
  1124. (my--buffer-prop-set
  1125. "filetags" (concat ":" (string-join tags ":") ":"))
  1126. (my--buffer-prop-remove "filetags")))
  1127. (defun my--buffer-tags-add (tag)
  1128. "Add a TAG to filetags in current buffer."
  1129. (let* ((tags (my--buffer-tags-get))
  1130. (tags (append tags (list tag))))
  1131. (apply #'my--buffer-tags-set tags)))
  1132. (defun my--buffer-tags-remove (tag)
  1133. "Remove a TAG from filetags in current buffer."
  1134. (let* ((tags (my--buffer-tags-get))
  1135. (tags (delete tag tags)))
  1136. (apply #'my--buffer-tags-set tags)))
  1137. (defun my--buffer-prop-set (name value)
  1138. "Set a file property called NAME to VALUE in buffer file.
  1139. If the property is already set, replace its value."
  1140. (setq name (downcase name))
  1141. (org-with-point-at 1
  1142. (let ((case-fold-search t))
  1143. (if (re-search-forward (concat "^#\\+" name ":\\(.*\\)")
  1144. (point-max) t)
  1145. (replace-match (concat "#+" name ": " value) 'fixedcase)
  1146. (while (and (not (eobp))
  1147. (looking-at "^[#:]"))
  1148. (if (save-excursion (end-of-line) (eobp))
  1149. (progn
  1150. (end-of-line)
  1151. (insert "\n"))
  1152. (forward-line)
  1153. (beginning-of-line)))
  1154. (insert "#+" name ": " value "\n")))))
  1155. (defun my--buffer-prop-set-list (name values &optional separators)
  1156. "Set a file property called NAME to VALUES in current buffer.
  1157. VALUES are quoted and combined into single string using
  1158. `combine-and-quote-strings'.
  1159. If SEPARATORS is non-nil, it should be a regular expression
  1160. matching text that separates, but is not part of, the substrings.
  1161. If nil it defaults to `split-string-and-unquote', normally
  1162. \"[ \f\t\n\r\v]+\", and OMIT-NULLS is forced to t.
  1163. If the property is already set, replace its value."
  1164. (my--buffer-prop-set
  1165. name (combine-and-quote-strings values separators)))
  1166. (defun my--buffer-prop-get (name)
  1167. "Get a buffer property called NAME as a string."
  1168. (org-with-point-at 1
  1169. (when (re-search-forward (concat "^#\\+" name ": \\(.*\\)")
  1170. (point-max) t)
  1171. (buffer-substring-no-properties
  1172. (match-beginning 1)
  1173. (match-end 1)))))
  1174. (defun my--buffer-prop-get-list (name &optional separators)
  1175. "Get a buffer property NAME as a list using SEPARATORS.
  1176. If SEPARATORS is non-nil, it should be a regular expression
  1177. matching text that separates, but is not part of, the substrings.
  1178. If nil it defaults to `split-string-default-separators', normally
  1179. \"[ \f\t\n\r\v]+\", and OMIT-NULLS is forced to t."
  1180. (let ((value (my--buffer-prop-get name)))
  1181. (when (and value (not (string-empty-p value)))
  1182. (split-string-and-unquote value separators))))
  1183. (defun my--buffer-prop-remove (name)
  1184. "Remove a buffer property called NAME."
  1185. (org-with-point-at 1
  1186. (when (re-search-forward (concat "\\(^#\\+" name ":.*\n?\\)")
  1187. (point-max) t)
  1188. (replace-match ""))))
  1189. (defun my--buffer-roam-note-p ()
  1190. "Return non-nil if the currently visited buffer is a note."
  1191. (and buffer-file-name
  1192. (string-prefix-p
  1193. (expand-file-name (file-name-as-directory MY--PATH_ORG_ROAM))
  1194. (file-name-directory buffer-file-name))))
  1195. (defun my--org-roam-filter-by-tag (tag-name)
  1196. (lambda (node)
  1197. (member tag-name (org-roam-node-tags node))))
  1198. (defun my--org-roam-list-notes-by-tag (tag-name)
  1199. (mapcar #'org-roam-node-file
  1200. (seq-filter
  1201. (my--org-roam-filter-by-tag tag-name)
  1202. (org-roam-node-list))))
  1203. (defun my/org-roam-refresh-agenda-list ()
  1204. "Add all org roam files with #+filetags: roamtodo"
  1205. (interactive)
  1206. (my--org-agenda-files-set)
  1207. (nconc org-agenda-files
  1208. (my--org-roam-list-notes-by-tag "roamtodo"))
  1209. (setq org-agenda-files (delete-dups org-agenda-files)))
  1210. (add-hook 'find-file-hook #'my--roamtodo-update-tag)
  1211. (add-hook 'before-save-hook #'my--roamtodo-update-tag)
  1212. (advice-add 'org-agenda :before #'my/org-roam-refresh-agenda-list)
  1213. (advice-add 'org-todo-list :before #'my/org-roam-refresh-agenda-list)
  1214. (add-to-list 'org-tags-exclude-from-inheritance "roamtodo")
  1215. :config
  1216. (require 'org-roam-dailies) ;; ensure the keymap is available
  1217. (org-roam-db-autosync-mode)
  1218. ;; build the agenda list the first ime for the session
  1219. (my/org-roam-refresh-agenda-list)
  1220. :custom
  1221. (org-roam-directory MY--PATH_ORG_ROAM)
  1222. (org-roam-completion-everywhere t)
  1223. (org-roam-capture-templates
  1224. '(("n" "note" plain
  1225. "%?"
  1226. :if-new (file+head "notes/%<%Y%m%d%H%M%S>-${slug}.org" "#+title: ${title}\n")
  1227. :unnarrowed t)
  1228. ("i" "idea" plain
  1229. "%?"
  1230. :if-new (file+head "ideas/%<%Y%m%d%H%M%S>-${slug}.org" "#+title: ${title}\n")
  1231. :unnarrowed t)
  1232. ))
  1233. :bind (("C-c n l" . org-roam-buffer-toggle)
  1234. ("C-c n f" . org-roam-node-find)
  1235. ("C-c n i" . org-roam-node-insert)
  1236. :map org-mode-map
  1237. ("C-M-i" . completion-at-point)
  1238. :map org-roam-dailies-map
  1239. ("Y" . org-roam-dailies-capture-yesterday)
  1240. ("T" . org-roam-dailies-capture-tomorrow))
  1241. :bind-keymap
  1242. ("C-c n d" . org-roam-dailies-map))
  1243. (when *sys/windows*
  1244. (use-package emacsql-sqlite3
  1245. :ensure t
  1246. :init
  1247. (setq emacsql-sqlite3-binary "P:/Tools/sqlite/sqlite3.exe")
  1248. exec-path (append exec-path '("P:/Tools/sqlite")))
  1249. (use-package org-roam
  1250. :requires emacsql-sqlite3
  1251. :init
  1252. :custom
  1253. (add-to-list 'org-roam-capture-templates
  1254. '("t" "telephone call" plain
  1255. "%?"
  1256. :if-new (file+head "telephone/%<%Y%m%d%H%M%S>-${plug}.org" "#+title: CALL %<%Y-%m-%d %H:%M> ${title}\n")
  1257. :unnarrowed t) t)
  1258. (add-to-list 'org-roam-capture-templates
  1259. '("p" "project" plain
  1260. "%?"
  1261. :if-new (file+head "projects/${slug}.org" "#+title: ${title}\n#+filetags: :project:\n")
  1262. :unnarrowed t) t)
  1263. (add-to-list 'org-roam-capture-templates
  1264. '("s" "Sicherheitenmeldung" plain
  1265. "*** TODO [#A] Sicherheitenmeldung ${title}\n :PROPERTIES:\n :ID: %(org-id-uuid)\n:END:\n%u\n"
  1266. :target (file+olp "tasks.org" ("Todos" "Sicherheitenmeldungen"))) t)
  1267. (add-to-list 'org-roam-capture-templates
  1268. '("m" "Monatsbericht" plain'
  1269. "*** TODO [#A] Monatsbericht ${title}\n :PROPERTIES:\n :ID: %(org-id-uuid)\n:END:\n%u\n"
  1270. :target (file+olp "tasks.org" ("Todos" "Monatsberichte"))) t)
  1271. (org-roam-database-connector 'sqlite3)))
  1272. #+END_SRC
  1273. *** TODO Verzeichnis außerhalb roam zum Archivieren (u.a. für erledigte Monatsmeldungen etc.)
  1274. * Programming
  1275. ** misc
  1276. #+begin_src emacs-lisp
  1277. (use-package eldoc
  1278. :diminish eldoc-mode
  1279. :defer t)
  1280. #+end_src
  1281. ** Magit / Git
  1282. Little crash course in magit:
  1283. - magit-init to init a git project
  1284. - magit-status (C-x g) to call the status window
  1285. In status buffer:
  1286. - s stage files
  1287. - u unstage files
  1288. - U unstage all files
  1289. - a apply changes to staging
  1290. - c c commit (type commit message, then C-c C-c to commit)
  1291. - b b switch to another branch
  1292. - P u git push
  1293. - F u git pull
  1294. #+BEGIN_SRC emacs-lisp
  1295. (use-package magit
  1296. :ensure t
  1297. ; :pin melpa-stable
  1298. :defer t
  1299. :init
  1300. ; set git-path in work environment
  1301. (if (string-equal user-login-name "POH")
  1302. (setq magit-git-executable "P:/Tools/Git/bin/git.exe")
  1303. )
  1304. :bind (("C-x g" . magit-status)))
  1305. #+END_SRC
  1306. ** COMMENT Eglot (can't do dap-mode)
  1307. for python pyls (in env: pip install python-language-server) seems to work better than pyright (npm install -g pyright),
  1308. at least pandas couldnt be resolved in pyright
  1309. #+begin_src emacs-lisp
  1310. (use-package eglot
  1311. :ensure t
  1312. :init
  1313. (setq completion-category-overrides '((eglot (styles orderless)))))
  1314. #+end_src
  1315. ** LSP
  1316. Configuration for the language server protocol
  1317. *ACHTUNG* Dateipfad muss absolut sein, symlink im Pfad führt zumindest beim ersten Start zu Fehlern beim lsp
  1318. Sobald der lsp einmal lief, kann zukünftig der symlink-Pfad genommen werden.
  1319. Getestet wurde die funktionierende Datei selbst und neu erstellte Dateien im selben Pfad.
  1320. TODO Unterverzeichnisse wurden noch nicht getestet
  1321. #+BEGIN_SRC emacs-lisp
  1322. (setq read-process-output-max (* 1024 1024)) ;; support reading large blobs of data for LSP's sake
  1323. (use-package lsp-mode
  1324. :defer t
  1325. :commands (lsp lsp-execute-code-action)
  1326. :custom
  1327. (lsp-auto-guess-root nil)
  1328. (lsp-prefer-flymake nil) ; use flycheck instead
  1329. (lsp-prefer-capf t)
  1330. (lsp-file-watch-threshold 5000)
  1331. (lsp-print-performance t)
  1332. (lsp-log-io nil) ; enable log only for debug
  1333. (lsp-enable-folding t) ; default, maybe evil-matchit instead for performance?
  1334. (lsp-diagnostics-modeline-scope :project)
  1335. (lsp-enable-file-watchers nil)
  1336. (lsp-keymap-prefix "C-c l")
  1337. (lsp-session-file (concat MY--PATH_USER_LOCAL "lsp-session"))
  1338. (lsp-eslint-library-choices-file (concat MY--PATH_USER_LOCAL "lsp-eslint-choices"))
  1339. :bind (:map lsp-mode-map ("C-c C-f" . lsp-format-buffer))
  1340. :hook
  1341. (lsp-mode . lsp-enable-which-key-integration)
  1342. (lsp-mode . lsp-diagnostics-modeline-mode)
  1343. (web-mode . #'lsp-flycheck-enable) ;; enable flycheck-lsp for web-mode locally
  1344. :config
  1345. (setq lsp-diagnostic-package :none)) ; disable flycheck-lsp for most modes
  1346. (use-package lsp-ui
  1347. :after lsp-mode
  1348. :ensure t
  1349. :defer t
  1350. :diminish
  1351. :commands lsp-ui-mode
  1352. :config
  1353. (setq lsp-ui-doc-enable t
  1354. lsp-ui-doc-header t
  1355. lsp-ui-doc-include-signature t
  1356. lsp-ui-doc-position 'top
  1357. lsp-ui-doc-border (face-foreground 'default)
  1358. lsp-ui-sideline-enable t
  1359. lsp-ui-sideline-ignore-duplicate t
  1360. lsp-ui-sideline-show-code-actions nil)
  1361. (when *sys/gui*
  1362. (setq lsp-ui-doc-use-webkit t))
  1363. ;; workaround hide mode-line of lsp-ui-imenu buffer
  1364. (defadvice lsp-ui-imenu (after hide-lsp-ui-imenu-mode-line activate)
  1365. (setq mode-line-format nil)))
  1366. #+END_SRC
  1367. ** yasnippet
  1368. For useful snippet either install yasnippet-snippets or get them from here
  1369. [[https://github.com/AndreaCrotti/yasnippet-snippets][Github]]
  1370. #+begin_src emacs-lisp
  1371. (use-package yasnippet
  1372. :ensure t
  1373. :defer t
  1374. :diminish yas-minor-mode
  1375. :config
  1376. (setq yas-snippet-dirs (list (concat MY--PATH_USER_GLOBAL "snippets")))
  1377. (yas-global-mode t)
  1378. (yas-reload-all)
  1379. (unbind-key "TAB" yas-minor-mode-map)
  1380. (unbind-key "<tab>" yas-minor-mode-map))
  1381. #+end_src
  1382. ** hippie expand
  1383. With hippie expand I am able to use yasnippet and emmet at the same time with the same key.
  1384. #+begin_src emacs-lisp
  1385. (use-package hippie-exp
  1386. :defer t
  1387. :bind
  1388. ("C-<return>" . hippie-expand)
  1389. :config
  1390. (setq hippie-expand-try-functions-list
  1391. '(yas-hippie-try-expand emmet-expand-line)))
  1392. #+end_src
  1393. ** flycheck
  1394. #+BEGIN_SRC emacs-lisp
  1395. (use-package flycheck
  1396. :ensure t
  1397. :hook
  1398. ((css-mode . flycheck-mode)
  1399. (emacs-lisp-mode . flycheck-mode)
  1400. (python-mode . flycheck-mode))
  1401. :defer 1.0
  1402. :init
  1403. (setq flycheck-emacs-lisp-load-path 'inherit)
  1404. :config
  1405. (setq-default
  1406. flycheck-check-synta-automatically '(save mode-enabled)
  1407. flycheck-disable-checkers '(emacs-lisp-checkdoc)
  1408. eldoc-idle-delay .1 ;; let eldoc echo faster than flycheck
  1409. flycheck-display-errors-delay .3)) ;; this way any errors will override eldoc messages
  1410. #+END_SRC
  1411. ** COMMENT Projectile (now project.el, if any)
  1412. Manage projects and jump quickly between its files
  1413. #+BEGIN_SRC emacs-lisp
  1414. (use-package projectile
  1415. :ensure t
  1416. ; :defer 1.0
  1417. :diminish
  1418. :bind
  1419. (("C-c p" . projectile-command-map))
  1420. ;:preface
  1421. :init
  1422. (setq-default projectile-cache-file (concat MY--PATH_USER_LOCAL "projectile-cache")
  1423. projectile-known-projects-file (concat MY--PATH_USER_LOCAL "projectile-bookmarks"))
  1424. :config
  1425. (projectile-mode)
  1426. ; (add-hook 'projectile-after-switch-project-hook #'set-workon_home)
  1427. (setq-default projectile-completion-system 'ivy
  1428. projectile-enable-caching t
  1429. projectile-mode-line '(:eval (projectile-project-name))))
  1430. ;; requires ripgrep on system for rg functions
  1431. ;(use-package counsel-projectile
  1432. ; :ensure t
  1433. ; :config (counsel-projectile-mode) (setq ivy-use-virtual-buffers t ;; recent files and bookmarks in ivy-switch-buffer)
  1434. ;(use-package helm-projectile
  1435. ; :ensure t
  1436. ; :hook
  1437. ; (projectile-mode . helm-projectile))
  1438. #+END_SRC
  1439. ** smartparens
  1440. #+BEGIN_SRC emacs-lisp
  1441. (use-package smartparens
  1442. :ensure t
  1443. :diminish smartparens-mode
  1444. :bind
  1445. (:map smartparens-mode-map
  1446. ("C-M-f" . sp-forward-sexp)
  1447. ("C-M-b" . sp-backward-sexp)
  1448. ("C-M-a" . sp-backward-down-sexp)
  1449. ("C-M-e" . sp-up-sexp)
  1450. ("C-M-w" . sp-copy-sexp)
  1451. ("M-k" . sp-kill-sexp)
  1452. ("C-M-<backspace>" . sp-slice-sexp-killing-backward)
  1453. ("C-S-<backspace>" . sp-slice-sexp-killing-around)
  1454. ("C-]" . sp-select-next-thing-exchange))
  1455. :config
  1456. (setq sp-show-pair-from-inside nil
  1457. sp-escape-quotes-after-insert nil)
  1458. (require 'smartparens-config))
  1459. #+END_SRC
  1460. ** lisp
  1461. #+BEGIN_SRC emacs-lisp
  1462. (use-package elisp-mode
  1463. :defer t)
  1464. #+END_SRC
  1465. ** web
  1466. apt install npm
  1467. sudo npm install -g vscode-html-languageserver-bin
  1468. evtl alternativ typescript-language-server?
  1469. Unter Windows:
  1470. Hier runterladen: https://nodejs.org/dist/latest/
  1471. und in ein Verzeichnis entpacken.
  1472. Optional: PATH erweitern unter Windows (so kann exec-path-from-shell den Pfad ermitteln):
  1473. PATH=P:\path\to\node;%path%
  1474. #+BEGIN_SRC emacs-lisp
  1475. (use-package web-mode
  1476. :ensure t
  1477. :defer t
  1478. :mode
  1479. ("\\.phtml\\'"
  1480. "\\.tpl\\.php\\'"
  1481. "\\.djhtml\\'"
  1482. "\\.[t]?html?\\'")
  1483. :hook
  1484. (web-mode . smartparens-mode)
  1485. :init
  1486. (if *work_remote*
  1487. (setq exec-path (append exec-path '("P:/Tools/node"))))
  1488. :config
  1489. (setq web-mode-enable-auto-closing t
  1490. web-mode-enable-auto-pairing t))
  1491. #+END_SRC
  1492. Emmet offers snippets, similar to yasnippet.
  1493. Default completion is C-j
  1494. [[https://github.com/smihica/emmet-mode#usage][Github]]
  1495. #+begin_src emacs-lisp
  1496. (use-package emmet-mode
  1497. :ensure t
  1498. :defer t
  1499. :hook
  1500. ((web-mode . emmet-mode)
  1501. (css-mode . emmet-mode))
  1502. :config
  1503. (unbind-key "C-<return>" emmet-mode-keymap))
  1504. #+end_src
  1505. *** JavaScript
  1506. npm install -g typescript-language-server typescript
  1507. maybe only typescript?
  1508. npm install -g prettier
  1509. #+begin_src emacs-lisp
  1510. (use-package rjsx-mode
  1511. :ensure t
  1512. :mode ("\\.js\\'"
  1513. "\\.jsx'"))
  1514. ; :config
  1515. ; (setq js2-mode-show-parse-errors nil
  1516. ; js2-mode-show-strict-warnings nil
  1517. ; js2-basic-offset 2
  1518. ; js-indent-level 2)
  1519. ; (setq-local flycheck-disabled-checkers (cl-union flycheck-disable-checkers
  1520. ; '(javascript-jshint)))) ; jshint doesn"t work for JSX
  1521. (use-package tide
  1522. :ensure t
  1523. :after (rjsx-mode company flycheck)
  1524. ; :hook (rjsx-mode . setup-tide-mode)
  1525. :config
  1526. (defun setup-tide-mode ()
  1527. "Setup function for tide."
  1528. (interactive)
  1529. (tide-setup)
  1530. (flycheck-mode t)
  1531. (setq flycheck-check-synta-automatically '(save mode-enabled))
  1532. (tide-hl-identifier-mode t)))
  1533. ;; needs npm install -g prettier
  1534. (use-package prettier-js
  1535. :ensure t
  1536. :after (rjsx-mode)
  1537. :defer t
  1538. :diminish prettier-js-mode
  1539. :hook ((js2-mode rsjx-mode) . prettier-js-mode))
  1540. #+end_src
  1541. ** YAML
  1542. #+begin_src emacs-lisp
  1543. (use-package yaml-mode
  1544. :if *sys/linux*
  1545. :ensure t
  1546. :defer t
  1547. :mode ("\\.yml$" . yaml-mode))
  1548. #+end_src
  1549. ** R
  1550. #+BEGIN_SRC emacs-lisp
  1551. (use-package ess
  1552. :ensure t
  1553. :defer t
  1554. :init
  1555. (if *work_remote*
  1556. (setq exec-path (append exec-path '("P:/Tools/R/bin/x64"))
  1557. org-babel-R-command "P:/Tools/R/bin/x64/R --slave --no-save")))
  1558. #+END_SRC
  1559. ** Python
  1560. Systemseitig muss python-language-server installiert sein:
  1561. apt install python3-pip python3-setuptools python3-wheel
  1562. apt install build-essential python3-dev
  1563. pip3 install 'python-language-server[all]'
  1564. Statt obiges: npm install -g pyright
  1565. für andere language servers
  1566. https://github.com/emacs-lsp/lsp-mode#install-language-server
  1567. #+BEGIN_SRC emacs-lisp
  1568. ;(use-package lsp-python-ms
  1569. ; :if *sys/linux*
  1570. ; :ensure t
  1571. ; :defer t
  1572. ; :custom (lsp-python-ms-auto-install-server t))
  1573. (use-package lsp-pyright
  1574. :ensure t
  1575. :after lsp-mode
  1576. :defer t
  1577. :hook
  1578. (python-mode . (lambda ()
  1579. (require 'lsp-pyright)
  1580. (lsp-deferred)))
  1581. ; :custom
  1582. ; (lsp-pyright-auto-import-completions nil)
  1583. ; (lsp-pyright-typechecking-mode "off")
  1584. )
  1585. (use-package python
  1586. :if *sys/linux*
  1587. :delight "π "
  1588. :defer t
  1589. :bind (("M-[" . python-nav-backward-block)
  1590. ("M-]" . python-nav-forward-block)))
  1591. (use-package pyvenv
  1592. :if *sys/linux*
  1593. :ensure t
  1594. :defer t
  1595. :after python
  1596. :hook ((python-mode . pyvenv-mode)
  1597. (python-mode . (lambda ()
  1598. (if-let ((pyvenv-directory (find-pyvenv-directory (buffer-file-name))))
  1599. (pyvenv-activate pyvenv-directory))
  1600. (lsp))))
  1601. :custom
  1602. (pyvenv-default-virtual-env-name "env")
  1603. (pyvenv-mode-line-indicator '(pyvenv-virtual-env-name ("[venv:" pyvenv-virtual-env-name "]")))
  1604. :preface
  1605. (defun find-pyvenv-directory (path)
  1606. "Check if a pyvenv directory exists."
  1607. (cond
  1608. ((not path) nil)
  1609. ((file-regular-p path) (find-pyvenv-directory (file-name-directory path)))
  1610. ((file-directory-p path)
  1611. (or
  1612. (seq-find
  1613. (lambda (path) (file-regular-p (expand-file-name "pyvenv.cfg" path)))
  1614. (directory-files path t))
  1615. (let ((parent (file-name-directory (directory-file-name path))))
  1616. (unless (equal parent path) (find-pyvenv-directory parent))))))))
  1617. ;; manage multiple python version
  1618. ;; needs to be installed on system
  1619. ; (use-package pyenv-mode
  1620. ; :ensure t
  1621. ; :after python
  1622. ; :hook ((python-mode . pyenv-mode)
  1623. ; (projectile-switch-project . projectile-pyenv-mode-set))
  1624. ; :custom (pyenv-mode-set "3.8.5")
  1625. ; :preface
  1626. ; (defun projectile-pyenv-mode-set ()
  1627. ; "Set pyenv version matching project name."
  1628. ; (let ((project (projectile-project-name)))
  1629. ; (if (member project (pyenv-mode-versions))
  1630. ; (pyenv-mode-set project)
  1631. ; (pyenv-mode-unset)))))
  1632. ;)
  1633. #+END_SRC
  1634. * beancount
  1635. ** Installation
  1636. #+BEGIN_SRC shell :tangle no
  1637. sudo su
  1638. cd /opt
  1639. python3 -m venv beancount
  1640. source ./beancount/bin/activate
  1641. pip3 install wheel
  1642. pip3 install beancount
  1643. sleep 100
  1644. echo "shell running!"
  1645. deactivate
  1646. #+END_SRC
  1647. #+BEGIN_SRC emacs-lisp
  1648. (use-package beancount
  1649. :if *sys/linux*
  1650. :load-path "user-global/elisp"
  1651. ; :ensure t
  1652. :defer t
  1653. :mode
  1654. ("\\.beancount$" . beancount-mode)
  1655. :hook
  1656. (beancount-mode . my--beancount-company)
  1657. :init
  1658. (add-hook 'beancount-mode-hook 'company/beancount-mode-hook)
  1659. :config
  1660. (defun my--beancount-company ()
  1661. (set (make-local-variable 'company-backends)
  1662. '(company-beancount)))
  1663. (setq beancount-filename-main "/home/marc/Archiv/Finanzen/Transaktionen/transactions.beancount"))
  1664. #+END_SRC
  1665. To support org-babel, check if it can find the symlink to ob-beancount.el
  1666. #+BEGIN_SRC shell :tangle no
  1667. orgpath=`find /home/marc/.emacs.d/elpa/ -type d -name "org-plus*" -print`
  1668. beansym="$orgpath/ob-beancount.el
  1669. bean="/home/marc/Archiv/Programmierprojekte/Lisp/beancount-mode/ob-beancount.el"
  1670. if [ -h "$beansym" ]
  1671. then
  1672. echo "$beansym found"
  1673. elif [ -e "$bean" ]
  1674. then
  1675. echo "creating symlink"
  1676. ln -s "$bean" "$beansym"
  1677. else
  1678. echo "$bean not found, symlink creation aborted"
  1679. fi
  1680. #+END_SRC
  1681. Fava is strongly recommended.
  1682. #+BEGIN_SRC shell :tangle no
  1683. cd /opt
  1684. python3 -m venv fava
  1685. source ./fava/bin/activate
  1686. pip3 install wheel
  1687. pip3 install fava
  1688. deactivate
  1689. #+END_SRC
  1690. Start fava with fava my_file.beancount
  1691. It is accessable on this URL: [[http://127.0.0.1:5000][Fava]]
  1692. Beancount-mode can start fava and open the URL right away.
  1693. * Stuff after everything else
  1694. Set garbage collector to a smaller value to let it kick in faster.
  1695. Maybe a problem on Windows?
  1696. #+begin_src emacs-lisp
  1697. ;(setq gc-cons-threshold (* 2 1000 1000))
  1698. #+end_src