Table of contents
Emacs: comfortable macro recording
A couple of weeks ago I discovered elmacro mode, which is exactly what I was searching for: it turns unreadable recorded emacs macros into editable emacs lisp code. I LOVE it.
However, both the default emacs macro interface as well as the elmacro interface were not comfortable enough to me. So, I came up with this rather long solution for my macro management:
If I want to record a macro, I press F6
. Then I do whatever I'd like to record and when I'm done, I press F6
again. That's it. The code below takes care of all the horrible details: while recording a macro a red indicator will be shown in my mode line. The macro will be saved to disk. Another function with the same name with -repeat
appended will be saved as well. Both will be evaluated so that I can use them immediately. The -repeat
version allows me to run the macro repeatedly with an interactive menu. When I press a
it will be repeated til EOF, when I press ENTER
it will be executed once (which can be repeated, hence the name), when I press e
I can enter another macro name (with completion) and when I press q
the menu will be quit. The same function will be called when I press CTRL-F6
, it will present the mentioned menu, so that I can also just execute the last recorded macro.
;; always enable emacro mode
(require 'elmacro) (elmacro-mode);; var must be global so it can be shared across functions
(setq my-macro-name “last-macro”);; ignore some certain events
(add-to-list ’elmacro-unwanted-commands-regexps "^(mouse.*)$") (add-to-list ’elmacro-unwanted-commands-regexps "^(my-start-or-stop-macro)$");; called when saving a macro
(defun my-get-macro-name() “Ask for a macro name, check for duplicates. If the given name is already
defined, ask again (and again until unique). If a buffer with the given name
exists, kill it (that is, the buffer is there but has not been saved or evaluated
yet). Return the name as string." (interactive) (let ((done nil) (name nil) (mbuf nil) (err ”")) (while (not done) (setq name (read-string (format "%s - enter macro name (last-macro): “ err) nil nil “last-macro”)) (if (fboundp (intern name)) (setq err (format “macro ‘%s is already defined” name)) (setq mbuf (format ”* elmacro - %s *" name)) (if (get-buffer mbuf) (with-current-buffer mbuf (kill-buffer mbuf))) (setq done t))) name));; interactive macro prompt with completion
(defun my-get-exec-macro-name() “Ask for a macro name to be executed” (interactive) (let ((macros ()) (N 1) (S nil) (T "")) (dolist (entry (cdr (assoc my-macro-file load-history ))) (setq S (cdr entry)) (setq T (symbol-name S)) (push (list T N) macros) (setq N (1+ N))) (completing-read “enter macro name: “ macros nil t nil)));; the heart of my elmacro stuff: starts macro recording or
;; stops it if emacs is already recording. This way I can
;; use 1 keybinding for start+stop
(defun my-start-or-stop-macro() “start macro or stop if started” (interactive) (if (eq defining-kbd-macro nil) (progn (elmacro-clear-command-history) (start-kbd-macro nil) (message “Recording macro. Finish with <shift-F6> …")) (progn (call-interactively ’end-kbd-macro) (setq my-macro-name (my-get-macro-name)) (elmacro-show-last-macro my-macro-name) (message “Recording done. Execute with <C-F6>, save or <C-x C-e> buffer…"))));; better than the default function
(defun my-exec-last-macro(&optional ARG) “execute last macro (or ARG, if given) repeatedly after every <ret>, abort with
C-g or q, and repeat until EOF after pressing a. If macro defun is known
(i.e. because you evaluated the elmacro buffer containing the generated
defun), it will be executed. Otherwise the last kbd-macro will be executed." (interactive) (let ((melm-count 0) (melm-all nil) (melm-abort nil) (melm-beg (eobp)) (melm-code (or ARG my-macro-name)))
(if (eobp)
(if (yes-or-no-p "(point) is at end of buffer. Jump to top?") (goto-char (point-min)))) (while (and (not melm-abort) (not (eobp))) (when (not melm-all) (message (concat (format “Executing last macro ‘%s (%d). Keys:\n” melm-code melm-count) "<enter> repeat once\n” “a repeat until EOF\n” “e enter macro name to execute\n” "<C-g> or q abort ..\n “)) (setq K (read-event)) (cond ((or (eq K ‘return) (eq K ‘C-f6)) t) ((equal (char-to-string K) “q”) (setq melm-abort t)) ((equal (char-to-string K) “a”) (message “Repeating until EOF”)(setq melm-all t)) ((equal (char-to-string K) “e”) (setq my-macro-name (my-get-exec-macro-name))) (t (setq melm-abort t)))) (if (not melm-abort) (progn (if (fboundp (intern melm-code)) (call-interactively (intern melm-code)) (call-interactively ‘call-last-kbd-macro)) (setq melm-count (1+ melm-count))))) (if (and (eq melm-count 0) (eq (point) (point-max))) (message "(point) is at end of buffer, aborted”) (message (format “executed ‘%s %d times” melm-code melm-count)))));; I use my own macro file, my-lisp is defined somewhere else
(setq my-macro-file (concat my-lisp "/macros.el”));; load if it exists
(if (file-exists-p my-macro-file) (load-file my-macro-file));; store the macro defun generated by elmacro-mode to disk
(defun my-macro-store() “store current macro to emacs config” (interactive) (copy-region-as-kill (point-min) (point-max)) (if (not (get-buffer “macros.el”)) (find-file my-macro-file)) (with-current-buffer “macros.el” (goto-char (point-max)) (newline) (insert ”;;") (newline) (insert (format ”;; elmacro added on %s” (current-time-string))) (newline) (yank) (newline) (save-buffer)) (switch-to-buffer nil) (delete-window));; add a repeating variant of the generated function,
;; evaluate and store both of them to disk
(defun my-macro-gen-repeater-and-save() “generate repeater and save the defun’s Runs when (point)
is at 0,0 of generated defun." (next-line) (goto-char (point-max)) (newline) (insert (format "(defun %s-repeat()\n” my-macro-name)) (insert " (interactive)\n") (insert (format " (my-exec-last-macro "%s"))\n" my-macro-name)) (newline) (eval-buffer) (my-macro-store));; so, always evaluate generated macro code, store it to disk and
;; close the temp buffer
(advice-add ’elmacro-show-defun :after ‘(lambda (&rest args) (my-macro-gen-repeater-and-save)));; workflow: shift-F6 … do things … shift-F6, enter a name, new
;; buffer with macro defun appears. C-x C-e evals it. C-F6 (repeatedly)
;; executes it.
(global-set-key (kbd "<f6>") ‘my-start-or-stop-macro) (global-set-key (kbd "<C-f6>") ‘my-exec-last-macro);; face used to indicate ongoing macro recording on the mode line
(defface rec-face ‘((t (:background “red” :foreground “white” :weight bold))) “Flag macro recording in mode-line” :group ‘my-mode-line-faces);; custom modeline including recording marker
(setq-default mode-line-format (list "%e" mode-line-front-space mode-line-mule-info mode-line-modified mode-line-remote " “ mode-line-buffer-identification ” “ mode-line-position ” (%m) “'(<span style="color: #8a2be2;">:eval</span> (propertize (<span style="color: #0000ff;">if</span> (eq defining-kbd-macro t) <span style="color: #ff0000;">"[REC]"</span>) 'face 'rec-face)) mode-line-end-spaces))</pre>
Perl Moo Throwable Example
While working on a project with Moo (the first time for me) I discovered Try::Tiny. It's a great little helper and I highly recommend it. However, on my quest to make better error handling in Perl I thought it would be a good idea to have some kind of exception system.
Turns out, this already exists. In fact it is quite simple: die() accepts a reference as parameter, which could very well be an object. A couple of modules on CPAN make use of this, one of the simplest with the fewest dependencies is Throwable.
Since I could not find a good example of how to use it correctly (which I understood), I'm going to post such an example here for anyone who might be interested.
So, you need to have Moo and Throwable installed first. I'm doing these kind of experiments with perbrew, which I recommend as well! Here's my "Exception" class. It's a Moo role with two attributes (type and msg) and a class method e().
package Ex; use Moo; with 'Throwable';has type => (is=>‘ro’); has msg => (is=>‘ro’);
sub e { if (ref($) eq ‘Ex’) { return $; } else { chomp; return Ex->new(msg => $_, type=>0); } }
This Exception class will act as our wrapper to throw exceptions or convert old school perl die()'s into exceptions.
Here is a simple Moo class without any attributes which implements two methods X::Nix::tu() and X::Nix::ta(). Both of them just die. The method tu() throws an exception of type Ex - our exception class from above comes into use here. The ta() method on the other hand just dies with a good old croak() call.
package X::Nix; use Carp;
use Ex;
use Moo;sub tu { Ex->throw({type => 1, msg => ‘dont die while root’}); }
sub ta { croak “death by disruptor”; }
Now let's take a look at our main script, which uses the X::Nix class and tries to catch both exceptions:
package main; use Try::Tiny; use X::Nix;my $x = X::Nix->new();
try { $x->tu; } catch { printf “died with %d and said: <%s>\n”, Ex::e->type, Ex::e->msg; };
try { $x->ta; } catch { printf “died with %d and said: <%s>\n”, Ex::e->type, Ex::e->msg; };
It calls both methods and tries to catch them. Note how it calls Ex::e->type, though: Try::Tiny puts the exception object/message into $_. The class method Ex::e() uses $_ directly, therefore we are able to leave it in our catch{} code. This is the same thing as Ex::e($_)->type. Here's the output:
died with 1 and said: <dont die while root> died with 0 and said: <death by disruptor at role.pl line 49.>
So, as you can see, with the help of our Ex::e() class method we can handle real exceptions and old school die()'s the same way, wo don't need to distinguish between the two. This way you can use foreign perl modules which use croak() and die() and catch those errors as if they were exceptions.
Komische Wolken über Fehmarn
↷ 27.09.2016 🠶 #draussengewesen ⤒
Sendgrid, Mailgun et all: SPAM providers
Last month I got an email from OTTO.de asking me to attend a survey about customer satisfaction and the like. Bad for them: I use mutt and therefore it is obvious if an email is fake. So, what did OTTO.de do? They gave my email address (and I suspect those of all other customers) to an external "reasearch" company. This company then sent the email using the mail service of another company. All of this happened without my consent.
Now, the good news is, that OTTO.de responded quickly to my complaint and ordered both companies to delete my email address, however I cannot be sure if they actually DID delete it though. The other good news is that I create always an email address for every shop, forum or any other login site I use. That way, I can just drop "burned" email addresses and stop using the single service for which I created it.
But most peope do not operate their own mail server and create an alias for every site they use. For such peope a "burned" email address is a disaster. By "burned" I mean the email address is out of your control, you don't know who's using it anymore, you start to receive SPAM to this address. But if this is the only email address you possess and if you use it for everything, you're fucked. Changing an all-purpose email address, deposited on dozens or even hundreds of sites, is a nightmare.
I have this problem at work. One of our vendors, an israeli company, sends us notifications by email. At work I only have one email
address, it's associated with my name and I cannot change it. The israeli company sends those notifications by using the services of a company called Sendgrid. Now, sendgrid not only knows my name, my location, my employer, they also know what kind of job I have and that our company uses the services of this israeli company.
I never allowed them to do this. And I cannot change this, it already happened. My work email address is burned and I have to continue using it. This is more than annoying.
Much more annoying is the fact, that people using such services don't even think about it. I complained with the israeli company and they did not understand my problem at all. It was as if I am from mars trying to communicate with people from venus. They even nonchalantly closed the case.
What I tried to say to them was that Sendgrid is a SPAM sending service. And it is a US company, operating in a country with almost no privacy protection laws. They didn't get it. I suspect, young people don't even understand what SPAM is these days, I don't know.
The other day I stumbled upon the story about the operatos of vDOS, a DDoS service. It was a criminal enterprise and they used a mail sending service as well: Mailgun. Mailgun does the same as Sendgrid. It's a SPAM sender company. In order to understand the
nature of their business, look at the numbers:
Sending 5.000.000 emails costs 0.00015 Dollars.
How do they make profit, you ask? Well, look at this, which can be found in a job description:
We have a passion for solving hard problems – our services are
responsible for processing billions of messages each month and have to
not only scale, but be highly reliable.
I don't know who else needs to send such impossible amounts of emails than SPAMmers. And if all of their customers operate like OTTO.de or the mentioned israeli company, almost nobody agreed to this.
An email you receive from a sender you don't know, you don't have any relationship with, you don't do business with - is SPAM. Period.
The only difference to past times is that operating an email sending venture was an illegal operation while today it is perfectly okay for all parties, including their victims.
I've got to admit they are clearly geniuses. Converting a foul smelling "business" into something you get venture capital for, create APIs, get praised by managers AND developers is a coup I need to salute for.
But how much all those hipsters, ruby-on-rail-loosers and java-scriptsters love services like Mailgun or Sendgrid: what they do stinks, it violates peoples privacy without asking (and I didn't even talk about their tracing features!) and in the end burns peoples
productive email addresses.
I can't even imagine how such a company can be a legal business. This is incomprehensible.
Update 2016-10-02:
And yet another one:[..] Received: from m69-130.mailgun.net (m69-130.mailgun.net [166.78.69.130]) From: noreply@shop.drak.de [..]This time, DRAK an aquaristic vendor, uses Mailgun, to send unsolicited SPAM mails to me In this case as well I didn't give my consent. In the case of DRAK, even their TOS claims that they'd not do such things (that is, give customer data to a third party without consent).
Update 2016-09-16:
Here's another example:[..] Received: from mailer212.agnitas.de (mailer212.agnitas.de [87.119.210.180]) From: voelkner - direkt günstigerAgnitas.de, yet another SPAM sending venture, sends mails in the name of Voelkner (also known as fake mails) to me. So, Voelkner gave them my email address without my consent.[..]
What the fuck?!
Hamburger Buns
Ich habe gestern diese Hamburger Brioche Buns hergestellt. Zur Abwechslung habe ich mich präzise an das Rezept gehalten, keine anderen Mehlsorten, kein LM usw. Einzige Änderung: Teig nach Bertinet bearbeitet und nicht geknetet. Und was soll ich sagen: Die Brötchen waren der Hammer und die Hamburger sensationell.
Wir haben gefressen. Alter war das geil.
Bilder:
2016-09-04 - Profi-Patties: Rindsgulasch fein, Rinderfilet und Entrecote grob, 2 Finger dick Schweineschwarte, Salz, Pfeffer, bischen Semmel mit Milch, wenig Ei: Boah ey!:
2016-09-04 - Wie vorhergesagt erfüllen die Brötchen alle Anforderungen an ein Hamburgerbrötchen. Top! Übrigens erkennt man an der nicht ganz so regelmäßigen Porung die andere Teigbearbeitungsmethode.: