UP | HOME

MinasMazar's blog ~ dev stuff

Table of Contents

Web browsing/crawling

Get the DOM of a webpage using chrome via command-line.

chrome --headless --dump-dom https://developer.chrome.com/

Fetch a page via a nodejs app

Inspiration (and code stolen 🤪) from this Medium article (errr… Freedium 😎)

This is useful when you try to download a web page that does not display some contents if the browser agent you're using does not exec any js code (i.e EWW).

  1. setup a new nodejs project mkdir html-fetch && node init --yes
  2. add node-fetch dependency into the package.json and npm install
  3. create the index.js source file with the content as follow:
const fetch = require("node-fetch");
const fs = require("fs");
// you can update this to any website you want to download
const site = "https://www.youtube.com/@BorderNightsOfficial";
// you can update this if you want to save
const filename = "index.html";
// fetch url
fetch(site, {
  headers: {
    // some sites require a user-agent header to return the webpage
    "User-Agent":
    "Mozilla/5.0 (Windows NT 10.0; Win64; x64; rv:97.0) Gecko/20100"},
}).then((res) => {
  // get text from Response stream
  return res.text();
}).then((text) => {
  // write html from response to index.html
  fs.writeFile(filename, text, () => {});
});

Run it via node index.js. This will fetch the page into the index.html file.

Crontab

If you need to write a crontab entry you can use https://crontab.guru/

Docker

Backup and port Postgres databases across images

Bind to

docker run --rm --name postgres --volume ~/postgres-data:/var/lib/postgresql/data postgres:latest

Backup volume with

tar cf postgres-data_$(format-time-string "%N").tar postgres-data

Disable/enable autostart of a docker container.

docker update --restart [no|unless-stopped] <docker-container>

Playing Sound in Docker Containers (here the source article)

docker run --rm -it --privileged=true --device=/dev/snd:/dev/snd audio-container:v1

Rename a docker image

docker tag OldName:tag NewName:tag

Rename a docker container

sudo docker rename oldname_app newname_app

Remove unused images

docker image prune -a

docker system prune will delete all dangling data (containers, networks, and images)

More info in this StackOverflow thread.

Install Docker on Linux (APT)

# Add Docker's official GPG key:
sudo apt-get update
sudo apt-get install ca-certificates curl
sudo install -m 0755 -d /etc/apt/keyrings
sudo curl -fsSL https://download.docker.com/linux/ubuntu/gpg -o /etc/apt/keyrings/docker.asc
sudo chmod a+r /etc/apt/keyrings/docker.asc

# Add the repository to Apt sources:
echo \
  "deb [arch=$(dpkg --print-architecture) signed-by=/etc/apt/keyrings/docker.asc] https://download.docker.com/linux/ubuntu \
  $(. /etc/os-release && echo "${UBUNTU_CODENAME:-$VERSION_CODENAME}") stable" | \
  sudo tee /etc/apt/sources.list.d/docker.list > /dev/null
sudo apt-get update

sudo apt-get install docker-ce docker-ce-cli containerd.io docker-buildx-plugin docker-compose-plugin

Verify that the installation is successful by running the hello-world image:

sudo docker run hello-world

Installing Docker on Raspberry PI

Follow the instructions in the Docker documentation. Before you can install Docker Engine, you need to uninstall any conflicting packages. Distro maintainers provide an unofficial distributions of Docker packages in APT. You must uninstall these packages before you can install the official version of Docker Engine.

#!/bin/bash

# Uninstall unofficial distributions of Docker packages in APT

sudo apt-get purge docker-ce docker-ce-cli containerd.io docker-buildx-plugin docker-compose-plugin docker-ce-rootless-extras

# Remove images, containers, volumes, or custom configuration files 

sudo rm -rf /var/lib/docker
sudo rm -rf /var/lib/containerd

# Add Docker's official GPG key:
sudo apt-get update
sudo apt-get install ca-certificates curl
sudo install -m 0755 -d /etc/apt/keyrings
sudo curl -fsSL https://download.docker.com/linux/raspbian/gpg -o /etc/apt/keyrings/docker.asc
sudo chmod a+r /etc/apt/keyrings/docker.asc

# Set up Docker's APT repository:
echo \
  "deb [arch=$(dpkg --print-architecture) signed-by=/etc/apt/keyrings/docker.asc] https://download.docker.com/linux/raspbian \
  $(. /etc/os-release && echo "$VERSION_CODENAME") stable" | \
  sudo tee /etc/apt/sources.list.d/docker.list > /dev/null
sudo apt-get update

# Install Docker packages
sudo apt-get install docker-ce docker-ce-cli containerd.io docker-buildx-plugin docker-compose-plugin

# Verify that the installation is successful by running the hello-world image:
sudo docker run hello-world

Remember to keep the Build and App images in sync (see here)

When building an image, you can see an error like cannot find the image for the platform…. Consider to add --platform arm64 flag to the docker build command. Here's the official Docker documentation for this flag. Also keep an eye to this file to get a list of platforms. Remember you can detect the platform of the current machine via uname -a.

If you're using Docker to run Elixir, you can face an error like this during the dependencies compilation:

could not compile dependency :ssl_verify_fun, "mix compile" failed. Errors may have been logged above. You can recompile this dependency with "mix deps.compile ssl_verify_fun", update it with "mix deps.update ssl_verify_fun" or clean it with "mix deps.clean ssl_verify_fun"

In this case, install the erlang-public-key package should solve the issue.

The Raspbian issue: another error that can occur while building a docker image on Raspbian that uses apt-get commands is

ERROR: failed to solve: process "/bin/sh -c apt-get update -y &&   apt-get install -y libstdc++6 openssl libncurses5 locales ca-certificates &&   apt-get clean && rm -f /var/lib/apt/lists/*_*" did not complete successfully: exit code: 159

It seems there's a problem with libseccomp; according to this SO thread the solution is to upgrade libseccomp manually on the host system: download here and sudo dpkg -i libseccomp2_2.4.3-1+b1_armhf.deb.

Usefull links for troubleshooting

Play sounds from your containers on MacOS host machine

source: https://stackoverflow.com/questions/40136606/how-to-expose-audio-from-docker-container-to-a-mac

You need to install PulseAudio

brew install pulseaudio

Start the server

pulseaudio --load=module-native-protocol-tcp --exit-idle-time=-1 --daemon

In your Docker container:

  • install PulseAudio, e.g., apt-get install pulseaudio.
  • set the following environment variable: ENV PULSE_SERVER\=host.docker.internal

You can run a test to see if it's working like this:

docker run -it -e PULSE_SERVER=host.docker.internal --mount type=bind,source=/Users/YOURUSERNAME/.config/pulse,target=/home/pulseaudio/.config/pulse --entrypoint speaker-test --rm jess/pulseaudio -c 2 -l 1 -t wav

Digital Ocean

Elixir

Language

Module ~ Compile Callbacks (@before_compile)

defmodule A do
  defmacro __before_compile__(_env) do
    quote do
        def hello, do: "world"
    end
  end
end

defmodule B do
  @before_compile A
end

B.hello()
#=> "world"

Elixir Ecommerce platforms

Follow this link to Elixir forum post.

It will probably faster and for sure will cope a lot more under load, due to the BEAM, that is well exemplified here by @sasajuric.

We already have several projects in Elixir fore ecommerce:

I don’t really know if any of them is being/continued to be used in production. I think Freshcom was being used in prod at some point or was about to launch. The author is here in the forum @rbao.

If you search the forum you have more questions like yours:

  • Resources for building an e-commerce store in Phoenix?
  • Presenting Aviacommerce, open source e-commerce in Elixir

GenServer template

defmodule MyApp.Server do
  use GenServer

  def start_link(args) do
    GenServer.start_link(__MODULE__, args, name: Map.get(args, :name, __MODULE__))
  end

  def init(_) do
    {:ok, %{}}
  end

  def state(overrides) do
    GenServer.call(__MODULE__, :state)
  end

  def alter_state(overrides) do
    GenServer.call(__MODULE__, {:state, overrides})
  end

  def handle_call(:state, _, state), do: {:reply, state, state}
  def handle_cast({:state, overrides}, state), do: {:noreply, Map.merge(state, overrides)}
end

DynamicSupervsior template

defmodule MySupervisor do
  use DynamicSupervisor

  def start_link(init_arg) do
    DynamicSupervisor.start_link(__MODULE__, init_arg, name: __MODULE__)
  end

  def start_child(foo, bar, baz) do
    # If MyWorker is not using the new child specs, we need to pass a map:
    # spec = %{id: MyWorker, start: {MyWorker, :start_link, [foo, bar, baz]}}
    spec = {MyWorker, foo: foo, bar: bar, baz: baz}
    DynamicSupervisor.start_child(__MODULE__, spec)
  end

  @impl true
  def init(init_arg) do
    DynamicSupervisor.init(
      strategy: :one_for_one,
      extra_arguments: [init_arg]
    )
  end
end

example KV server

defmodule Darbula.KV do
  use Agent

  def start_link do
    Agent.start_link(fn -> %{} end, name: __MODULE__)
  end

  def get(key) do
    Agent.get(__MODULE__, fn store -> Map.get(store, key) end)
  end

  def set(key, value) do
    with :ok <- Agent.update(__MODULE__, fn store -> Map.put(store, key, value) end) do
      value
    end
  end

  def get_or_set(key, fun) when is_function(fun) do
    get(key) || set(key, fun.())
  end
end

Persisting layer: :dets

defmodule Mixer.Persist do
  use GenServer

  @table_name :mixer_persist

  def start_link(table_name) do
    GenServer.start_link(__MODULE__, table_name, name: __MODULE__)
  end

  def init(table_name) do
    {:ok, _} = :dets.open_file(table_name || @table_name, [])
  end

  def get(table_name \\ @table_name, key) do
    case :dets.lookup(table_name, key) do
      [{^key, value}] -> value
      [] -> nil
    end
  end

  def set(table_name \\ @table_name, key, value) do
    :dets.insert(table_name, {key, value}) && value
  end

  def get_or_set(table_name \\ @table_name, key, fun) when is_function(fun) do
    get(table_name, key) || set(table_name, key, fun.())
  end
end

Development Tools: Makefile

Example Makefile for a thin elixir app.

app := next

default: s
b:
        mix do deps.get, deps.compile, compile
s:
        iex -S mix
t:
        mix test
tl:
        mix test --listen-on-stdin
u:
        cat Makefile
r:
        MIX_ENV=prod mix release --path=~/${app}/

Example Makefile for an Elixir/Phoenix webapp

port := 4030
prod-env := DATABASE_URL=ecto://postgres:postgres@localhost:5432/my-app MIX_ENV=prod SECRET_KEY_BASE=8X3vyc0qkLs38OFTa4C+ZTx6Q9h0KXyfh8Ug/Yt4IUnSv8WQSzuDDe7OiR5iGwDK PHX_SERVER=true PHX_HOST=localhost PORT=${port}
cmd := $$MAKE_CMD

default: start-prod
cmd:
        echo ${cmd}
# Example usage
#
# MAKE_CMD="mix ecto.create" make -s prod-exec
#

# Start in production env
prod-exec:
        ${prod-env} ${cmd}

start-prod:
        ${prod-env} iex -S mix phx.server

# Development
build:
        mix do deps.get, deps.compile, compile
start: build
        iex -S mix phx.server
assets:
        mix assets.setup
release:
        mix deps.get --only prod
        MIX_ENV=prod mix compile
        MIX_ENV=prod mix assets.deploy
        MIX_ENV=prod PHX_SERVER=true mix release --path ~/my-app --overwrite 
release-start:
        ${prod-env} ~/my-app/bin/my-app start

Phoenix

Installer

mix archive.install hex phx_new

Example of app release generation and setup

Generate a release.

MIX_ENV=prod PHX_SERVER=true mix release --path ~/my-app --overwrite 

Run for localhsot.

SECRET_KEY_BASE='rwgfimMVc8/M6qZww/MCFtIWyP5KeXWrjKGbvMIaWp8BvBjm+st31cgsYy0s9wjL' PHX_SERVER=true PHX_HOST=localhost PORT=4040 ~/my-app/bin/my-app start

Graceful startup and shutdown for Phoenix applications

  • if you started your server with iex -S mix phx.server (which is what I use 95% of the time) then you can run System.stop()
  • use ps aux | grep 'mix phx.server' to find the OS PID for the BEAM, then run kill -s TERM <os_pid>

In GenServers add Process.flag(:trap_exit, true) along with the terminate/2 callback.

Dockerize Phoenix webapp (myapp)

Inspecting data

How to use IO.inspect on a long list without trimming it? See Inspect.Opts for a description of the available options, but in short:

IO.inspect(list, limit: :infinity)

Phoenix Livebooks

Livebook Cluster

I've experimented a bit with Livebook in the last two days. I was thinking it would be good to have livebooks sending messages each other; this way each livebook can live standalone and do something, but can eventually say "hey, I've these new information I like to share" and broadcast some message. Each livebook (and deployed apps) lives in his own node and has its own EPMD implementation. Using libcluster should be enough to make nodes to cluster together by using the LocalEpmd strategy. But it seems PubSub is not able to spot all nodes out (that's because , more info in this thread).

The issue is that livebooks are hidden nodes, PubSub is using pg2 and pg2 don't see hidden nodes.

I've created the livebookcluster package that uses libcluster and EPMD strategy on order to make livebooks to be connected. It seems working well, but I don't know if this implementation messes with deployment strategies or raises some sort of issue. Any feedback will be appreciated ;)

Adding livebook_cluster as dependency in my livebooks I was able to make three livebooks working together:

  • KV is just a key-value store to handle business logic information; it holds data and should act also provide cache and persist features
  • Bifrost expose two HTTP entrypoints (page, event) using Kino.Proxy. Using a custom userscript (the code is present in the livebook) your browser will send sort of "page visits" events (across with the whole HTML body) and also keeps track of all events. The HTTP proxy then broadcast the message an all nodes using Phoenix.PubSub.

    livebook -> PubSub (broadcast in current node)
    

    Remember that this open a wide range of security issues.. uses it with responsibility!

  • Youtube

Dockerize

Example Dockerfile for Elixir app

More info on Docker here.

# Find eligible builder and runner images on Docker Hub. We use Ubuntu/Debian
# instead of Alpine to avoid DNS resolution issues in production.
#
# https://hub.docker.com/r/hexpm/elixir/tags?page=1&name=ubuntu
# https://hub.docker.com/_/ubuntu?tab=tags
#
# This file is based on these images:
#
#   - https://hub.docker.com/r/hexpm/elixir/tags - for the build image
#   - https://hub.docker.com/_/debian?tab=tags&page=1&name=bullseye-20230227-slim - for the release image
#   - https://pkgs.org/ - resource for finding needed packages
#   - Ex: hexpm/elixir:1.15.0-erlang-26.0-debian-bullseye-20230227-slim
#
ARG ELIXIR_VERSION=1.16.2
ARG OTP_VERSION=26.1.2
ARG DEBIAN_VERSION=bullseye-20240423-slim

ARG BUILDER_IMAGE="hexpm/elixir:${ELIXIR_VERSION}-erlang-${OTP_VERSION}-debian-${DEBIAN_VERSION}"
ARG RUNNER_IMAGE="debian:${DEBIAN_VERSION}"

FROM ${BUILDER_IMAGE} as builder

# install build dependencies
RUN apt-get update -y && apt-get install -y build-essential git \
    && apt-get clean && rm -f /var/lib/apt/lists/*_*

# prepare build dir
WORKDIR /app

# install hex + rebar
RUN mix local.hex --force && \
    mix local.rebar --force

# set build ENV
ENV MIX_ENV="prod"

# install mix dependencies
COPY mix.exs mix.lock ./
RUN mix deps.get --only $MIX_ENV
RUN mkdir config

# copy compile-time config files before we compile dependencies
# to ensure any relevant config change will trigger the dependencies
# to be re-compiled.
COPY config/config.exs config/${MIX_ENV}.exs config/
RUN mix deps.compile

COPY priv priv

COPY lib lib

COPY assets assets

# compile assets
RUN mix assets.deploy

# Compile the release
RUN mix compile

# Changes to config/runtime.exs don't require recompiling the code
COPY config/runtime.exs config/

COPY rel rel
RUN mix release

# start a new build stage so that the final image will only contain
# the compiled release and other runtime necessities
FROM ${RUNNER_IMAGE}

RUN apt-get update -y && \
  apt-get install -y libstdc++6 openssl libncurses5 locales ca-certificates \
  && apt-get clean && rm -f /var/lib/apt/lists/*_*

# Set the locale
RUN sed -i '/en_US.UTF-8/s/^# //g' /etc/locale.gen && locale-gen

ENV LANG en_US.UTF-8
ENV LANGUAGE en_US:en
ENV LC_ALL en_US.UTF-8

WORKDIR "/app"
RUN chown nobody /app

# set runner ENV
ENV MIX_ENV="prod"

# Only copy the final release from the build stage
COPY --from=builder --chown=nobody:root /app/_build/${MIX_ENV}/rel/my_app ./

USER nobody

# If using an environment that doesn't automatically reap zombie processes, it is
# advised to add an init process such as tini via `apt-get install`
# above and adding an entrypoint. See https://github.com/krallin/tini for details
# ENTRYPOINT ["/tini", "--"]

CMD ["/app/bin/server"]

Docker compose

# Version of docker-compose.
version: '3'

# Containers we're going to run.
name: my_app

services:
   # Our Phoenix container.
   phoenix:
      # The build parameters for this container.
      build:
         # Here we define that it should build from the current directory.
         context: .
      environment:
         # Variables to connect to our Postgres server.
         DATABASE_URL: ecto://postgres:postgres@db:5432/my_app
         MIX_ENV: prod
         PHX_HOST: my_app.minasmazar.org
         SECRET_KEY_BASE: 50Ek5r7GwQlQCJlFi5y+O5Mmq0z/qHMRirG7IEim7w1B7H0fxnegANr0bRe26bE3
         # MY_APP_SSL_KEY_PATH: /root/my_app/priv/ssl/my_app.minasmazar.org-key.pem
         # MY_APP_SSL_CERT_PATH: /root/my_app/priv/ssl/my_app.minasmazar.org.pem
         PORT: 80
      ports:
         # Mapping the port to make the Phoenix app accessible outside of the container.
         - '80:80'
         - '443:443'
      expose:
        - '80'
        - '443'
      depends_on:
         # The DB container needs to be started before we start this container.
         - db
      networks:
        - outside
        - default
   db:
      # We use the predefined Postgres image.
      image: postgres:9.6
      environment:
         # Set user/password for Postgres.
         POSTGRES_USER: postgres
         POSTGRES_PASSWORD: postgres
         # Set a path where Postgres should store the data.
         PGDATA: /var/lib/postgresql/data/pgdata
      ports:
        - '5432:5432'
      expose:
        - '5432'
      restart: always
      volumes:
         - pgdata:/var/lib/postgresql/data
      networks:
        - default

# Define the volumes.
volumes:
   pgdata:

# Define networks
networks:
  outside:

Scale serverless with FLAME!

FFmpeg

A complete, cross-platform solution to record, convert and stream audio and video.

Extract audio from video

ffmpeg -i infile.mp4 -vn -acodec copy outfile.ogg

Extract frames

Extract a single frame at time 10s (also consider using accurate_seek argument).

ffmpeg -i vid.mp4 -ss 10 -frames:v 1 thumb.png

Extract a frame each minute.

ffmpeg -i vid.mp4 -vf fps=1/60 thumb%03d.png

Extract list of specific frames using ffmpeg. More details in this StackOverflow thread.

ffmpeg -i in.mp4 -vf select='eq(n\,100)+eq(n\,184)+eq(n\,213)' -vsync 0 frames%d.jpg

FFmpeg is primarily a processor of timed video i.e. media with a cycle rate such as framerate or sample rate. It assumes that the output should be at the same rate as the source. If inadequate frames are supplied, it duplicates unless told not to. -vsync 0 is added which, in this case, tells it to suppress duplication.

Using FFMPEG's scene detection to generate a visual shot summary of Television News.

time ./ffmpeg -i ./VIDEO.mp4 -vf "select=gt(scene\,0.4),scale=160:-1,tile=6x80" -frames:v 1 -qscale:v 3 preview.jpg  

Get an image from a webcam using V4L (video for Linux)

ffmpeg -f v4l2 -video_size 1280x720 -i /dev/video0 -frames 1 out.jpg

Cut audio/videos starting from 10s from the beginning for 20s.

ffmpeg -ss 10 -t 20 -i infile.wav outfule.wav

Another example using timing

ffmpeg -ss 00:00:15.00 -i in.mp4 -t 00:00:10.00 -c copy out.mp4

Adjust volume

If we want our volume to be half of the input volume:

ffmpeg -i input.wav -filter:a "volume=0.5" output.wav

150% of current volume:

ffmpeg -i input.wav -filter:a "volume=1.5" output.wav

You can also use decibel measures. To increase the volume by 10dB:

ffmpeg -i input.wav -filter:a "volume=10dB" output.wav

Fade in/out

For more details refer this StackOverlow thread.

Fade in from second 0 to 5.

ffmpeg -i input.mp4 -af afade=in:0:d=5 output.mp4

Speeding up/slowing down video:

The filter works by changing the presentation timestamp (PTS) of each video frame. For example, if there are two succesive frames shown at timestamps 1 and 2, and you want to speed up the video, those timestamps need to become 0.5 and 1, respectively. Thus, we have to multiply them by 0.5.

To double the speed of the video, you can use:

ffmpeg -i input.mkv -filter:v "setpts=0.5*PTS" output.mkv

To slow down your video, you have to use a multiplier greater than 1:

ffmpeg -i input.mkv -filter:v "setpts=2.0*PTS" output.mkv

For audio I found this

ffmpeg -i input.wav -filter:a "atempo=0.75" output.mp3 

Concat audio/videos starting from a list of files

ffmpeg -f concat -i list-of-files.txt -c copy outfile.wav

The list-of-files.txt should be something like this:

file './infile.wav'
file './infile.wav'
file './infile.wav'
file './infile.wav'
file './infile.wav'
file './infile.wav'

N.B. you could see the error 'Unsafe filename..Operation not permitted'; as reported in this SO thread you could solve this issue by using single quotes in the list of filenames, avoiding any ~ or other "strange" chars.

Scene detection

Basic ffmpeg scene detection:

ffmpeg -i input.flv -filter:v "select='gt(scene,0.4)',showinfo" -f null -
# or
ffmpeg -i in.mp4 -vf "select='gte(scene,0.4)',metadata=print:file=scenescores.txt" -an -f null -

scene (video only) value between 0 and 1 to indicate a new scene; a low value reflects a low probability for the current frame to introduce a new scene, while a higher value means the current frame is more likely to be one (see the example below) https://ffmpeg.org/ffmpeg-filters.html#select_002c-aselect. Set the scene change detection threshold as a percentage of maximum change on the luma plane. Good values are in the [8.0, 14.0] range. Scene change detection is only relevant in case combmatch=sc. The range for scthresh is [0.0, 100.0]. https://ffmpeg.org/ffmpeg-filters.html

Change sample rate

Converts a.wav to MPEG audio at 22050 Hz sample rate.

ffmpeg -i /tmp/a.wav -ar 22050 /tmp/a.mp2

Edit ID3 Tags

You can follow this gist.

ffmpeg -i file.mp3 -metadata title="Track Title" -metadata artist="The artist" -metadata album="Album name" out.mp3

Capture audio

Taken from FFMPEG doc

  • Linux

    Use the x11grab device:

    ffmpeg -video_size 1024x768 -framerate 25 -f x11grab -i :0.0+100,200 output.mp4
    

    This will grab the image from desktop, starting with the upper-left corner at x=100, y=200 with a width and height of 1024⨉768.

    If you need audio too, you can use ALSA (see Capture/ALSA for more info):

    ffmpeg -video_size 1024x768 -framerate 25 -f x11grab -i :0.0+100,200 -f alsa -ac 2 -i hw:0 output.mkv
    

    Or the pulse input device (see Capture/PulseAudio for more info):

    ffmpeg -video_size 1024x768 -framerate 25 -f x11grab -i :0.0+100,200 -f pulse -ac 2 -i default output.mkv
    
    • macOS

      Use the avfoundation device:

      ffmpeg -f avfoundation -list_devices true -i ""
      

      This will enumerate all the available input devices including screens ready to be captured.

      Once you've figured out the device index corresponding to the screen to be captured, use:

      ffmpeg -f avfoundation -i "<screen device index>:<audio device index>" output.mkv
      

      This will capture the screen from <screen device index> and audio from <audio device index> into the output file output.mkv.

      To capture only audio, something like this:

      ffmpeg -f avfoundation -i ":default" output.wav
      

Git

How do I change the author and committer name/email for multiple commits?

git rebase -r a5bf6c2 --exec 'git commit --amend --no-edit --reset-author'

Generate a patch

git diff > my_custom_patch_file.patch

Apply the patch

git apply patch_file.patch 

How to add chmod permissions to file in Git (official doc)

git update-index --chmod=+x path/to/file

Use git bundle to backup a repo with all branches; repo.bundle is the file what you need (full back up) in the same directory.

git bundle create repo.bundle --all

To restore the bundle

git clone repo.bundle

The git clone repo.bundle can be used to restore repositories in the tarball exported account data in Github (https://github.com/settings/admin -> Account -> Export account data)

Pandoc

Install all packages to manage pdf files

apt install pandoc texlive-latex-base texlive-latex-recommended texlive-latex-extra

Convert a txt file to pdf

pandoc file.txt -o file.pdf

Google Chrome & chromedriver

Download chromedriver version according to the version of Google Chrome installed.

How to get rid of "Choose your search engine" dialog in Chrome v.127 on Selenium test run?

chromedriver --disable-search-engine-choice-screen

GPG and SSH

Generate key

Ref. https://docs.github.com/en/authentication/managing-commit-signature-verification/generating-a-new-gpg-key

Remember to execute in a terminal capable of reading password via ncurses-like input method.

gpg --full-generate-key

List the key

gpg --list-secret-keys --keyid-format=long

Get the armored key text

gpg --armor --export KEYID

Upload to Github

Ref. https://docs.github.com/en/authentication/managing-commit-signature-verification/adding-a-new-gpg-key-to-your-github-account

From the list of GPG keys, copy the long form of the GPG key ID you'd like to use. In this example, the GPG key ID is 3AA5C34371567BD2:

$ gpg --list-secret-keys --keyid-format=long

This will output something like

/Users/hubot/.gnupg/secring.gpg
------------------------------------
sec   4096R/3AA5C34371567BD2 2016-03-10 [expires: 2017-03-10]
uid                          Hubot
ssb   4096R/42B317FD4BA89E7A 2016-03-10

Paste the text below, substituting in the GPG key ID you'd like to use. In this example, the GPG key ID is 3AA5C34371567BD2:

$ gpg --armor --export 3AA5C34371567BD2

Copy your GPG key, beginning with –—BEGIN PGP PUBLIC KEY BLOCK–— and ending with –—END PGP PUBLIC KEY BLOCK–—.

Tell Git to use GPG key

Ref. https://docs.github.com/en/authentication/managing-commit-signature-verification/telling-git-about-your-signing-key

Use the gpg --list-secret-keys --keyid-format=long command to list the long form of the GPG keys for which you have both a public and private key. A private key is required for signing commits or tags (same ID as for Upload to Github). Then:

git config --global user.signingkey 3AA5C34371567BD2

Export key pair

Export Public Key

This command will export an ascii armored version of the public key:

gpg --output public.pgp --armor --export username@email

N.B. when using --armor maybe the file extension name should be .asc.

Export Secret Key

This command will export an ascii armored version of the secret key:

gpg --output private.pgp --armor --export-secret-key username@email

N.B. when using --armor maybe the file extension name should be .asc.

Or if the purpose is to create a backup key, you should use the backup option:

gpg --output backupkeys.pgp --armor --export-secret-keys --export-options export-backup user@email

Security Concerns, Backup, and Storage

A PGP public key contains information about one's email address. This is generally acceptable since the public key is used to encrypt email to your address. However, in some cases, this is undesirable.

For most use cases, the secret key need not be exported and should not be distributed. If the purpose is to create a backup key, you should use the backup option:

gpg --output backupkeys.pgp --armor --export-secret-keys --export-options export-backup user@email

Import a key

gpg --import my-key.asc
gpg --import --allow-secret-key-import private.key

Troubleshooting

Interesting resources if you encounter problems:

If every gpg command goes timeout with a message like gpg: Nota: database_open 134217901 waiting for lock (held by 31477) you could try to solve via:

rm -rf ~/.gnupg/*.lock
rm -rf ~/.gnupg/public-keys.d/*.lock

Generate SSH keys

From GitHub docs:

ssh-keygen -t ed25519 -C "your_email@example.com"

GPG Agent: cache and timeouts

  • Keep GnuPG credentials cached for entire user session

    For GnuPG 2.1 and below edit user configuration file at ~/.gnupg/gpg-agent.conf. In the example below the TTL is set to 3h.

    default-cache-ttl 18000
    max-cache-ttl 18000
    

    Then restart the agent

    gpgconf --kill gpg-agent
    gpg-agent --daemon --use-standard-socket
    
  • Cache SSH keys

    If you want to use SSH but tired of insert SSH key on every (for instance) git operation

    eval `ssh-agent -s`
    ssh-add
    

    SSH needs two things in order to use ssh-agent: an ssh-agent instance running in the background, and an environment variable set that tells SSH which socket it should use to connect to the agent (SSHAUTHSOCK IIRC). If you just run ssh-agent then the agent will start, but SSH will have no idea where to find it.

    More info in this SO thread.

How to set environment variables from .env file

set -a # automatically export all variables
source .env
set +a

HTML & CSS

Imagemagick

Compare two images

magick compare -metric NCC -subimage-search logo.png hat.png similarity.png

Resize image

convert dragon_sm.gif -resize 64x64 resize_dragon.gif

Annotating image

Most of info taken from this page.

If you want to add a text stripe under the image

convert original-image.jpg -background Khaki -font Arial -pointsize 27 label:'Sfilatini Buitoni' -gravity Center -append out-image.jpg 

Set an image as wallpaper

You can also use a remote image, like 1080.jpg

display -size 1920x1080 -window root /path/to/image.jpg

OpenVoiceOS   foss AI

Linux desktop

Brief list of useful commands, examples, snippets

  • lsb_release -a show info about distro
  • lsblk -f show partitions informations
  • pacman -Qq / apt list --installed / dnf list install show installed packages (Arch, Debian, Fedora)
  • sudo update-alternatives --config x-session-manager and stat /etc/alternatives/x-session-manager
  • ls -1 | wc -l determine how many files there are in a directory
  • echo $XDG_SESSION_TYPE show if you're using the X session manager is use (X11 or Wayland)

Show preferred applications (alternatives)   debian

update-alternatives --get-selections

Change the ownership of a input device, like a usb mouse

Retrive information of device through

udevadm info --attribute-walk --name /dev/input/mouse0

Then add a rule in etc/udev/rules.d

SUBSYSTEM=="input", KERNEL=="mouse0", OWNER="myusername"

Opena a remote desktop session on a PCDuino

Configuring The VNC Server

As it turns out, the pcDuino comes with the x11vnc server already installed and all that’s necessary is to configure SSH on the pcDuino and local machine to support it. (Note: while working on putting together a bootable SD card I found out this is not necessarily the case. If you find the x11vnc server is not installed, you can do so by executing the command from the pcDuino command line.)

sudo apt-get install x11vnc

On the local machine and change to the /etc/ssh directory as root:

sudo su
cd /etc/ssh

Open the file sshconfig file in your editor of choice and find the ForwardX11 option. Uncomment it if necessary, change its value to YES, and save the file.

Now log into the pcDuino via the SSH link and gain root access in the same manner:

sudo su
cd /etc/ssh

Open the file sshdconfig file in your editor of choice, find the X11Forwarding option, change its value to YES, and save the file.

Install and Connect Via a VNC Client

The final step is to install a VNC client on your local computer. There are a number of them to choose from. Of these, I chose xtightvncviewer for no other reason than it was there, installing it as:

sudo apt-get install xtightvncviewer

Putting It All Together

At this point if you SSH into the pcDuino and try to start the VNC server, you’ll get an error indicating you cannot connect to the display (XOpenDisplay failed) along with hints on how to fix it. The cause of this error is that the account used for SSH does not have sufficient permissions to connect to the X display.

To fix this, execute the command ps -fe | grep usr/bin/X | grep -v grep from the pcDuino command line. The returned process will have have an -auth flag. Take note of the associated file. On my machine, it was /var/run/lightdm/root:0.

Exit from the SSH session and reconnect to the pcDuino using the command

ssh -L 5900:localhost:5900 <user>@<pcDuino_ip_address> ‘sudo x11vnc -auth <path_to_authority_file>’ -display :0

where <pathtoauthorityfile> is the file associated with the -auth flag noted above. This will log you into the pcDuino via SSH and start an instance of the X server. You can then start the VNC viewer from the local machine command line with the command:

vncviewer localhost:5900 &

How do I get a list of installed files from a package?

To see all the files the package installed onto your system, do this:

dpkg-query -L <package_name>

To see the files a .deb file will install

dpkg-deb -c <package_name.deb>

Add a custom window manager entry for LightDM

Add a file in /usr/share/xsessions/ with something like this (example for i3)

[Desktop Entry]
Name=i3
Comment=improved dynamic tiling window manager
Exec=i3
TryExec=i3
Type=Application
X-LightDM-DesktopName=i3
DesktopNames=i3
Keywords=tiling;wm;windowmanager;window;manager;

Audio management

Alsamixer

Toggle mute

amixer set Master toggle

Pulseaudio

  • pacmd

    You can refer this interesting SO thread.

    pacmd help list-sinks
    pacmd list-sink-inputs
    pacmd move-sink-input 5 1
    
  • pactl
    • pactl list sinks short get the sink list with some additional info, the first column is the INDEX
    • pactl get-sink-volume <INDEX> get the volume of the given sink

Create a .desktop File

In ~/.local/share/applications/ or ~/.config/autostart to start at login.

[Desktop Entry]
Type=Application
Name=Clock
Exec=/usr/bin/python3 /home/pi/clock.py

Handling screen saver / blank screen

xset s off (turns off the screen saver) xset s noblank (turns off blanking) xset -dpms (disable the power management)

Read battery status from command-line

Here's a StackOverlow thread: from Linux 4.20 cat /sys/class/power_supply/BAT1/status; check the link for old methods.

iptables

Iptables rules used to configure a router on linux

WAN='wlp7s0'
LAN='enp7s0'

iptables -F
iptables -P INPUT DROP
iptables -P OUTPUT ACCEPT
iptables -P FORWARD ACCEPT

iptables -A INPUT -m state --state=RELATED,ESTABLISHED -j ACCEPT
iptables -A INPUT -i $LAN -j ACCEPT

# iptables -A FORWARD -m state --state=RELATED,ESTABLISHED -j ACCEPT

iptables -t nat -F
# iptables -t nat -A POSTROUTING -s 172.16.0.0/20 -o $WAN -j MASQUERADE
iptables -t nat -A POSTROUTING -o $WAN -j MASQUERADE

Screen managing

Here's a good blogpost specific for Raspberry PI.

If you're using the LightDM and you want to set monitor resolutions and layout at the startup, edit the display-setup-script option in /etc/lightdm/lightdm.conf.

X11 / xrandr

Remember to set DISPLAY env in the console before using xrandr (usually export DISPLAY=:0)

I use this command to mirror my desktop with my external VGA:

$ xrandr –output LVDS-1 –mode 1366x768 –scale 1x1 –output VGA-1 –same-as LVDS-1 –mode 1920x1080 –scale 0.711x0.711

LVDS-1 is the laptop screen , natively working in 1366x768.

VGA-1 is my external VGA monitor, with native resolution of 1920x1080, scaled to 0.711 which equals close to 1366x768 (laptop resolution).

Results are good for me. You can experiment with those options.

Similarly, I use this one for extended desktop:

$ xrandr –output VGA-1 –mode 1920x1080 –scale 1x1 –output LVDS-1 –mode 1366x768 –scale 1x1 –left-of VGA-1

You can detect the names of your screens by just running xrandr

Adjust brightness from command line:

xrandr --output monitor-name --brightness level

Remember as mentioned in man xrandr

However, this is a software only modification, if your hardware has support to actually change the brightness, you will probably prefer to use xbacklight.

Wayland / wlr-randr

Remember to set WAYLAND_DISPLAY env var before using wlr-randr (usually export WAYLAND_DISPLAY=wayland-1)

The commands are almost the same as xrandr; keep in mind the way the screens are handled is different and --same-as option is not available.

Set wallpaper

You can use feh

feh --bg-fill ~/path/to/image.png

Or you can use the xsetroot utility (usually packaged into xdotool). Consider xsetroot accepts a particular format of file called bitmap (xsetroot -bitmap bitmap-file.xbm); to convert a file into this format you can use Imagemagick. N.B. the bitmap is not the well-known Windows bitmap format (.bmp) but is the X11 bitmap format (.xbm):

convert wallpaper.png wallpaper.xbm

Set keyboard layout from command-line

setxkbmap -layout us,it

Get and set name/class to an X application (window)

If the app as been built as GTK+ app it accepts --screen, --name, --class options. It can be used, for instance, by i3 rules configuration.

To get the window ID use xdotool (ex. xdotool search -class mpv)

i3 (Window Manager)

A fine tuned i3 configuration file that fits well with an Emacs-centric user experience: in order to access WM specific commands (split directions, window tiling mode, etc) hit $mod+Return to access the i3 mode, and alt+Tab to cycle across windows; all other keybidings will go straight to Emacs.

# This file has been auto-generated by i3-config-wizard(1).
# It will not be overwritten, so edit it as you like.
#
# Should you change your keyboard layout some time, delete
# this file and re-run i3-config-wizard(1).
#

# i3 config file (v4)
#
# Please see https://i3wm.org/docs/userguide.html for a complete reference!

set $mod Mod4
set $alt Mod1
set $wallpaper_file ~/Pictures/wallpaper

# Font for window titles. Will also be used by the bar unless a different font
# is used in the bar {} block below.
font pango:monospace 8

# This font is widely installed, provides lots of unicode glyphs, right-to-left
# text rendering and scalability on retina/hidpi displays (thanks to pango).
#font pango:DejaVu Sans Mono 8

# Start XDG autostart .desktop files using dex. See also
# https://wiki.archlinux.org/index.php/XDG_Autostart
exec --no-startup-id dex --autostart --environment i3
exec --no-startup-id xfsettingsd
exec --no-startup-id compton
exec --no-startup-id feh --bg-max $wallpaper_file
# exec --no-startup-id xmodmap ~/.Xmodmaprc

# The combination of xss-lock, nm-applet and pactl is a popular choice, so
# they are included here as an example. Modify as you see fit.

# xss-lock grabs a logind suspend inhibit lock and will use i3lock to lock the
# screen before suspend. Use loginctl lock-session to lock your screen.
# exec --no-startup-id xss-lock --transfer-sleep-lock -- i3lock --nofork
exec --no-startup-id xss-lock --transfer-sleep-lock -- light-locker --nofork

# NetworkManager is the most popular way to manage wireless networks on Linux,
# and nm-applet is a desktop environment-independent system tray GUI for it.
exec --no-startup-id nm-applet
exec --no-startup-id emacs --daemon && emacsclient -r

# Use pactl to adjust volume in PulseAudio.
set $volume_step 5%
set $refresh_i3status killall -SIGUSR1 i3status
bindsym XF86AudioRaiseVolume exec --no-startup-id pactl set-sink-volume @DEFAULT_SINK@ +$volume_step && $refresh_i3status
bindsym XF86AudioLowerVolume exec --no-startup-id pactl set-sink-volume @DEFAULT_SINK@ -$volume_step && $refresh_i3status
bindsym XF86AudioMute exec --no-startup-id pactl set-sink-mute @DEFAULT_SINK@ toggle && $refresh_i3status
bindsym XF86AudioMicMute exec --no-startup-id pactl set-source-mute @DEFAULT_SOURCE@ toggle && $refresh_i3status

# Use Mouse+$mod to drag floating windows to their wanted position
floating_modifier $mod

# move tiling windows via drag & drop by left-clicking into the title bar,
# or left-clicking anywhere into the window while holding the floating modifier.
tiling_drag modifier titlebar

# start applications via dmenu_run or i3-dmenu-desktop or xfce4-appfinder
set $app_launcher i3-dmenu-desktop
set $terminal_app i3-sensible-terminal
set $take_screenshot import -window root ~/Desktop/screenshot.png
bindsym $mod+space exec --no-startup-id $app_launcher ; mode "default"
bindsym $mod+Shift+space exec --no-startup-id $terminal_app ; mode "default"
# Emacs everywhere
bindsym $mod+Shift+e exec --no-startup-id emacsclient --eval "(emacs-everywhere)" && mode "default"

# kill focused window
bindsym $mod+Shift+q kill

# change focus
bindsym $mod+Tab focus left ; focus up
bindsym $mod+Shift+Tab focus right ; focus down

# Define names for default workspaces for which we configure key bindings later on.
# We use variables to avoid repeating the names in multiple places.

set $ws1 "1"
set $ws2 "2"
set $ws3 "3"

bindsym $mod+1 workspace $ws1
bindsym $mod+2 workspace $ws2
bindsym $mod+3 workspace $ws3
bindsym $mod+Shift+1 move container to workspace $ws1
bindsym $mod+Shift+2 move container to workspace $ws2
bindsym $mod+Shift+3 move container to workspace $ws3

# Window rules
# for_window [class="^firefox$"] move container to workspace $ws2
for_window [class="^mpv$"] move container to workspace $ws3

mode "i3" {
  # start program launcher
  bindsym d exec --no-startup-id $app_launcher ; mode "default"

  # alternatively, you can use the cursor keys:
  bindsym Left focus left
  bindsym Down focus down
  bindsym Up focus up
  bindsym Right focus right

  bindsym Shift+Left move left
  bindsym Shift+Down move down
  bindsym Shift+Up move up
  bindsym Shift+Right move right

  # toggle i3bar mode
  bindsym i bar mode toggle ; mode "default"

  # split in horizontal orientation
  bindsym h split h

  # split in vertical orientation
  bindsym v split v

  # enter fullscreen mode for the focused container
  bindsym Shift+f fullscreen toggle

  # change container layout (stacked, tabbed, toggle split)
  bindsym s layout stacking
  bindsym w layout tabbed
  bindsym e layout toggle split

  # toggle tiling / floating
  bindsym space floating toggle

  # change focus between tiling / floating windows
  bindsym space focus mode_toggle

  # focus the parent container
  bindsym a focus parent

  # focus the child container
  #bindsym $mod+d focus child

  # switch to workspace
  bindsym f workspace next
  bindsym b workspace prev
  bindsym n focus next
  bindsym p focus prev
  bindsym 1 workspace $ws1
  bindsym 2 workspace $ws2
  bindsym 3 workspace $ws3

  # move focused container to workspace
  bindsym Shift+f move container to workspace next
  bindsym Shift+b move container to workspace prev
  bindsym Shift+1 move container to workspace $ws1
  bindsym Shift+2 move container to workspace $ws2
  bindsym Shift+3 move container to workspace $ws3

  # Media
  bindsym XF86AudioRaiseVolume exec --no-startup-id pactl set-sink-volume @DEFAULT_SINK@ +10% && $refresh_i3status
  bindsym XF86AudioLowerVolume exec --no-startup-id pactl set-sink-volume @DEFAULT_SINK@ -10% && $refresh_i3status
  bindsym XF86AudioMute exec --no-startup-id pactl set-sink-mute @DEFAULT_SINK@ toggle && $refresh_i3status
  bindsym XF86AudioMicMute exec --no-startup-id pactl set-source-mute @DEFAULT_SOURCE@ toggle && $refresh_i3status

  # Kill current window
  bindsym Shift+q kill
  # reload the configuration file
  bindsym Shift+c reload
  # restart i3 inplace (preserves your layout/session, can be used to upgrade i3)
  bindsym Shift+r restart
  # exit i3 (logs you out of your X session)
  # bindsym Shift+e exec "i3-nagbar -t warning -m 'You pressed the exit shortcut. Do you really want to exit i3? This will end your X session.' -B 'Yes, exit i3' 'i3-msg exit'"
  bindsym Shift+e exec i3-msg exit

  bindsym Return mode "default"
  bindsym Escape mode "default"
  bindsym r mode "resize"
  bindsym $mod+Return mode "default"
}

# resize window (you can also use the mouse for that)
mode "resize" {
  # These bindings trigger as soon as you enter the resize mode

  # Pressing left will shrink the window’s width.
  # Pressing right will grow the window’s width.
  # Pressing up will shrink the window’s height.
  # Pressing down will grow the window’s height.
  bindsym j resize shrink width 10 px or 10 ppt
  bindsym k resize grow height 10 px or 10 ppt
  bindsym l resize shrink height 10 px or 10 ppt
  bindsym semicolon resize grow width 10 px or 10 ppt

  # same bindings, but for the arrow keys
  bindsym Left resize shrink width 10 px or 10 ppt
  bindsym Down resize grow height 10 px or 10 ppt
  bindsym Up resize shrink height 10 px or 10 ppt
  bindsym Right resize grow width 10 px or 10 ppt

  # back to normal: Enter or Escape or $mod+r
  bindsym Return mode "default"
  bindsym Escape mode "default"
  bindsym r mode "resize"
}

bindsym $mod+Return mode "i3"

# Start i3bar to display a workspace bar (plus the system information i3status
# finds out, if available)
bar {
  mode hide
  hidden_state hide
  modifier $mod

  position top # bottom
  font pango:monospace 14
  status_command i3status

  bindsym --release button1 exec --no-startup-id $app_launcher
  bindsym $mod+button3 exec --no-startup-id $take_screenshot
}

workspace_layout tabbed

Notice that most of GTK apps won't have the settings you've configured, so you have to start a daemon that sets them:

  • xfsettingsd XSettings daemon for Xfce
  • gnome-settings-daemon for GNOME

So remember to start it in the i3 config file (ex. exec gnome-settings-daemon).

And this is a sample configuration of i3status at ~/.config/i3status/config.

# i3status configuration file.
# see "man i3status" for documentation.

# It is important that this file is edited as UTF-8.
# The following line should contain a sharp s:
# ß
# If the above line is not correctly displayed, fix your editor first!

general {
	  colors = true
	  interval = 5
}

order += "ipv6"
order += "wireless _first_"
order += "ethernet _first_"
order += "battery all"
order += "disk /"
order += "load"
order += "memory"
order += "volume master"
order += "tztime local"

wireless _first_ {
	  format_up = "W: (%quality at %essid) %ip"
	  format_down = "W: down"
}

ethernet _first_ {
	  format_up = "E: %ip (%speed)"
	  format_down = "E: down"
}

battery all {
	  format = "%status %percentage %remaining"
}

disk "/" {
	  format = "%avail"
}

load {
	  format = "%1min"
}

memory {
	  format = "%used | %available"
	  threshold_degraded = "1G"
	  format_degraded = "MEMORY < %available"
}

tztime local {
	  format = "%Y-%m-%d %H:%M:%S"
}

volume master {
	  format = "♪: %volume"
	  format_muted = "♪: muted (%volume)"
	  device = "default"
	  mixer = "Master"
	  mixer_idx = 0
}

Suspend the system via command line

Here's a StackOverflow thread: systemctl suspend|hibernate (for newest distros) or pmi action suspend|hibernate (old method).

Front-end technologies

  • tailiwind

CI tehcnologies

  • laminar

Javascript

Get all links from a page and extract only the href attribute. More info on querySelectorAll and iteration in this article.

const links = [...document.querySelectorAll("a")].flatMap(el => el.href); 

Android

MacOS

Install Homebrew

/bin/bash -c "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/HEAD/install.sh)"

Dev environment

brew install tmux curl wget git asdf cmake libtool

Emacs

There are many options.

  • You can use the Emacs for Mac OS X bundle, but it is not always up to date to newer versions.
  • You can install via homebrew
  • You can install the Emacs plus via homebrew
brew tap d12frosted/emacs-plus
brew install emacs-plus
# or
brew install emacs-plus@29 

Reset DNS cache on Macos

Taken from this article.

sudo dscacheutil -flushcache
sudo killall -HUP mDNSResponder

Let QuickPlayer to autoplay on open

Taken from this Osx Daily post. ⚠️ it seems not working on my Mac 🤔

defaults write com.apple.QuickTimePlayerX MGPlayMovieOnOpen 1

Get my IP address

For wireless: Use ipconfig getifaddr en1. For ethernet: Useipconfig ipconfig getifaddr en0. For public IP address: dig -4 TXT +short o-o.myaddr.l.google.com @ns1.google.com.

Installing Linux on MacBook Pro

Bluetooh issues

Installed this seems to fix.

Bluetooth is not still completely relyable and sometimes I have problems to pair and connect. Probably it's better to search for somethig like mackbook13-bluetooth-driver :D

Sound issues

After the install I've noticed the laptop speakers weren't usable. I've googled and and found these repo that seems to fix the issue.

Remap keys with xmodmap

cat .Xmodmap

!
! Swap Caps_Lock and Control_L
!
remove Lock = Caps_Lock
remove Control = Control_L
remove Lock = Control_L
remove Control = Caps_Lock
keysym Control_L = Caps_Lock
keysym Caps_Lock = Control_L
add Lock = Caps_Lock
add Control = Control_L

Set keyboard layout

From https://www.baeldung.com/linux/console-change-keyboard-layout

localectl list-x11-keymap-layouts # get the list setxkbmap us # set the keyboard xmodmap .Xmodmap # <– REQUIRED! It seems last command has resetted the custom remaps.

To permanently configure edit the /etc/default/keyboard file, if present, or use localectl.

I3 window manager

I don't want wm keybindings to interfere with Emacs, so I'll wrap all i3 keybindings into ad-hoc "i3" mode at s-space keybinding.

# This file has been auto-generated by i3-config-wizard(1).
# It will not be overwritten, so edit it as you like.
#
# Should you change your keyboard layout some time, delete
# this file and re-run i3-config-wizard(1).
#

# i3 config file (v4)
#
# Please see https://i3wm.org/docs/userguide.html for a complete reference!

set $mod Mod4

# Font for window titles. Will also be used by the bar unless a different font
# is used in the bar {} block below.
font pango:monospace 8

# This font is widely installed, provides lots of unicode glyphs, right-to-left
# text rendering and scalability on retina/hidpi displays (thanks to pango).
#font pango:DejaVu Sans Mono 8

# Start XDG autostart .desktop files using dex. See also
# https://wiki.archlinux.org/index.php/XDG_Autostart
exec --no-startup-id dex --autostart --environment i3

# The combination of xss-lock, nm-applet and pactl is a popular choice, so
# they are included here as an example. Modify as you see fit.

# xss-lock grabs a logind suspend inhibit lock and will use i3lock to lock the
# screen before suspend. Use loginctl lock-session to lock your screen.
exec --no-startup-id xss-lock --transfer-sleep-lock -- i3lock --nofork

# NetworkManager is the most popular way to manage wireless networks on Linux,
# and nm-applet is a desktop environment-independent system tray GUI for it.
exec --no-startup-id nm-applet
# exec --no-startup-id "/usr/bin/python3 /usr/bin/blueman-applet"

# Define names for default workspaces for which we configure key bindings later on.
# We use variables to avoid repeating the names in multiple places.
set $ws1 "1"
set $ws2 "2"
set $ws3 "3"
set $ws4 "4"
set $ws5 "5"
set $ws6 "6"
set $ws7 "7"
set $ws8 "8"
set $ws9 "9"
set $ws10 "10"

# Use pactl to adjust volume in PulseAudio.
set $refresh_i3status killall -SIGUSR1 i3status
bindsym XF86AudioRaiseVolume exec --no-startup-id pactl set-sink-volume @DEFAULT_SINK@ +10% && $refresh_i3status
bindsym XF86AudioLowerVolume exec --no-startup-id pactl set-sink-volume @DEFAULT_SINK@ -10% && $refresh_i3status
bindsym XF86AudioMute exec --no-startup-id pactl set-sink-mute @DEFAULT_SINK@ toggle && $refresh_i3status
bindsym XF86AudioMicMute exec --no-startup-id pactl set-source-mute @DEFAULT_SOURCE@ toggle && $refresh_i3status

# Use Mouse+$mod to drag floating windows to their wanted position
# floating_modifier $mod

# kill focused window
bindsym $mod+Shift+q kill
bindsym $mod+Tab focus next

mode "i3" {
  bindsym r mode "resize"
  bindsym $mod+space mode "default"

  # start dmenu (a program launcher)
  bindsym d exec --no-startup-id dmenu_run
  # A more modern dmenu replacement is rofi:
  # bindcode 40 exec "rofi -modi drun,run -show drun"
  # There also is i3-dmenu-desktop which only displays applications shipping a
  # .desktop file. It is a wrapper around dmenu, so you need that installed.
  # bindcode 40 exec --no-startup-id i3-dmenu-desktop
  # enter fullscreen mode for the focused container
  bindsym f fullscreen toggle
  # reload the configuration file
  bindsym Shift+c reload
  # restart i3 inplace (preserves your layout/session, can be used to upgrade i3)
  bindsym Shift+r restart
  # exit i3 (logs you out of your X session)
  bindsym Shift+e exec "i3-nagbar -t warning -m 'You pressed the exit shortcut. Do you really want to exit i3? This will end your X session.' -B 'Yes, exit i3' 'i3-msg exit'"

  # change focus
  bindsym j focus left
  bindsym k focus down
  bindsym l focus up
  bindsym ograve focus right

  # alternatively, you can use the cursor keys:
  bindsym Left focus left
  bindsym Down focus down
  bindsym Up focus up
  bindsym Right focus right

  # move focused window
  bindsym Shift+j move left
  bindsym Shift+k move down
  bindsym Shift+l move up
  bindsym Shift+ograve move right

  # alternatively, you can use the cursor keys:
  bindsym Shift+Left move left
  bindsym Shift+Down move down
  bindsym Shift+Up move up
  bindsym Shift+Right move right

  # split in horizontal orientation
  bindsym h split h

  # split in vertical orientation
  bindsym v split v

  # change container layout (stacked, tabbed, toggle split)
  bindsym s layout stacking
  bindsym w layout tabbed
  bindsym e layout toggle split

  # toggle tiling / floating
  bindsym Shift+space floating toggle

  # change focus between tiling / floating windows
  bindsym space focus mode_toggle

  # focus the parent container
  bindsym a focus parent

  # focus the child container
  #bindsym d focus child

  # switch to workspace
  bindsym 1 workspace number $ws1
  bindsym 2 workspace number $ws2
  bindsym 3 workspace number $ws3
  bindsym 4 workspace number $ws4
  bindsym 5 workspace number $ws5
  bindsym 6 workspace number $ws6
  bindsym 7 workspace number $ws7
  bindsym 8 workspace number $ws8
  bindsym 9 workspace number $ws9
  bindsym 0 workspace number $ws10

  # move focused container to workspace
  bindsym Shift+1 move container to workspace number $ws1
  bindsym Shift+2 move container to workspace number $ws2
  bindsym Shift+3 move container to workspace number $ws3
  bindsym Shift+4 move container to workspace number $ws4
  bindsym Shift+5 move container to workspace number $ws5
  bindsym Shift+6 move container to workspace number $ws6
  bindsym Shift+7 move container to workspace number $ws7
  bindsym Shift+8 move container to workspace number $ws8
  bindsym Shift+9 move container to workspace number $ws9
  bindsym Shift+0 move container to workspace number $ws10
}

# resize window (you can also use the mouse for that)
mode "resize" {
  # These bindings trigger as soon as you enter the resize mode

  # Pressing left will shrink the window’s width.
  # Pressing right will grow the window’s width.
  # Pressing up will shrink the window’s height.
  # Pressing down will grow the window’s height.
  bindsym j resize shrink width 10 px or 10 ppt
  bindsym k resize grow height 10 px or 10 ppt
  bindsym l resize shrink height 10 px or 10 ppt
  bindsym ograve resize grow width 10 px or 10 ppt

  # same bindings, but for the arrow keys
  bindsym Left resize shrink width 10 px or 10 ppt
  bindsym Down resize grow height 10 px or 10 ppt
  bindsym Up resize shrink height 10 px or 10 ppt
  bindsym Right resize grow width 10 px or 10 ppt

  # back to normal: Enter or Escape or $mod+r
  bindsym Return mode "default"
  bindsym Escape mode "default"
  bindsym $mod+r mode "default"
}

bindsym $mod+space mode "i3"

# Start i3bar to display a workspace bar (plus the system information i3status
# finds out, if available)
bar {
  mode hide

  status_command i3status
}

exec --no-startup-id emacs

Makefile

A sample of makefile usefull for day-to-day development: fetch the remote repo (sync) avoiding to digit the ssh passowrd everytime (sshadd)

sync:
        git fetch
        git pull origin master
sshadd:
        eval `ssh-agent -s`
        ssh-add

Here a sample Makefile that uses double dollar sign to assign variables using ENVs. Also notice the use of nested interpolation: you can connect to nas using the command make ssh host=nas.

username := $$USER # <-- uses shell ENV
laptop := 192.168.1.67
nas := 192.168.1.226

default: usage

nas:
          ssh ${username}@${nas}

ssh:
          ssh ${username}@${${host}} # <-- notice the nested interpolation!
usage:
          cat ~/Makefile

Postgres

How to create an user on Postgres (https://www.postgresql.org/docs/current/sql-createuser.html)

CREATE USER postgres WITH SUPERUSER PASSWORD 'password';

Rename a database (here the full procedure)

ALTER DATABASE db RENAME TO newdb;

Raspberry

Detect Raspberry model

cat /proc/device-tree/model

Install Elixir on Raspberry/Raspbian (source article here).

sudo apt-get update && sudo apt-get install erlang erlang-dev elixir

or if you want to automate via Makefile

raspi-setup:
        sudo apt update
        sudo apt install tmux emacs
        sudo apt install erlang erlang-dev elixir

Use Raspberry Pi in "Kiosk" mode

Darbula (Elixir/Phoenix)

Install Elixir on Raspberry/Raspbian (source article here).

sudo apt-get update && sudo apt-get install erlang erlang-dev elixir

Browsers

  • Chromium

    Use Chromium/Firefox as browser works well only on RPi > 1

    Start Chromium in Kiosk mode within Wayland.

    XDG_RUNTIME_DIR=/run/user/1000 WAYLAND_DISPLAY=wayland-1 chromium-browser --kiosk --noerrdialogs --disable-infobars --no-first-run --ozone-platform=wayland --enable-features=OverlayScrollbar --start-maximized --no-touch-pinch --disable-pinch http://localhost:4000/
    

    Start Chromium in Kiosk mode within X11.

    DISPLAY=:0 chromium-browser --kiosk --noerrdialogs --disable-infobars --no-first-run --ozone-platform=x11 --enable-features=OverlayScrollbar --start-maximized --no-touch-pinch --disable-pinch http://localhost:4000/
    
  • Old RPi models

    For old devices (RPi 1) Midori browser looks promising. The only problem is the e jump-to command that opens a new browser window insterad of "jump" the existing one. This issue can be solved on application side (just reload the same URL endpoint, displaying different contents).

    P.S. Epiphany: it has interesting options like automation-mode but didn't have the time to inspect more.

System setup

  • Screen setup
    • Wayland vs X11

      With Wayland I've encountered many troubles trying to manage the monitors (TV + touchscreen) via command line tools (wlr-randr); it handles the virtual monitor in a different way and it lacks handy options like --same-as. For this reason I've decided to temporary drop Wayland in favor of the good old X11. I've used raspi-config in order to use the standard X11 server.

      In order to have the same contents both on TV and the touchscreen I've used xrandr to mirror the output in almost the same layout

      xrandr --output HDMI-1 --primary --mode 1920x1080 --output DSI-1 --mode 800x480 --scale 2.2 --same-as HDMI-1
      
    • Window manager

      Even if the main purpose of the Kiosk is to display a browser window in fullscreen mode (or kiosk mode, if the browser supports it), and since I do most of the operations on the Raspberry via SSH, I could leave the default LXDE window manager. But since I've two monitors, I'd like to take advantage and use both of them in different way instad of just replicate the same contents. Since I've no mouse, I want to launch apps and have them to be arranged automatically via rules. I don't want to investigate LXDE configuration files, or if it can be achieved via some XDG files: I use i3 every day and it allow to span windows across workspaces (and screens) by defining simple rules. For this reason I'll install i3 and I'll configure the system to auto-login in a i3 session.

      N.B. At the time of writing I was able to install and setup i3, but I haven't defined any rules yet, even because I've to decide how to use the touchscreen.

      1. sudo apt install i3
      2. update LightDM conf (/etc/lightdm/lightdm.conf) in order to set the autologin-session to i3
      3. sudo update-alternatives --config x-session-manager and sudo update-alternatives --config x-window-manager and set i3

      I'm not sure the step 3 is really needed, I'll investigate more later. You also probably have to check if there's a file in /usr/share/xsessions/ (check here for more details)

  • Setup PulseAudio

    Due to the troubles about Wayland, I've decided to switched back to PulseAudio instead of PipeWire. Since the Raspberry case does not have any speaker, I want to reproduce the sounds via the TV (HDMI). In order to do that I had to set the PulseAudio default sink to the HDMI card device:

    1. get the device index via
    pacmd list-sinks
    

    the current default sink has an asterisk near the index.

    index: 1
      name: <alsa_output.platform-fef00700.hdmi.hdmi-stereo>
      driver: <module-alsa-card.c>
    
    1. find the index of the HDMI device and use it (assume it's 1)
    pacmd set-default-sink 1
    

    To verify I rerun pacmd list-sinks and check for the *.

    * index: 1
          name: <alsa_output.platform-fef00700.hdmi.hdmi-stereo>
          driver: <module-alsa-card.c>
    

MPV + Youtube

In order to play Youtube videos directly via mpv use the setting --ytdl-raw-options=cookies-from-browser=chromium. Also set bongo-custom-backend-matchers to include also https protocol.

(use-package bongo
  :custom
  (bongo-enabled-backends '(mpv))
  (bongo-custom-backend-matchers '((mpv ("https:") . t)))
  (bongo-mpv-extra-arguments '("--no-audio-display" "--ytdl-raw-options=cookies-from-browser=chromium")))

Simulate keyboard events

  • Send keys to the graphic server X (xdotool): xdotool key ctrl+l or xdotool type "Hello world" Wayland: XDG_RUNTIME_DIR=/run/user/1000 wtype -M ctrl -P Tab -m ctrl -p Tab

Turn your RPi into a Spy (audio)

I want to use the mic of the Raspberry to stream on the audio over the network. I've achieved by following the instructions in this blogpost: Stream audio over the network using VLC. To detect the alsa card for recording use arecord -l

card 3: Device [USB PnP Sound Device], device 0: USB Audio [USB Audio]
  Subdevices: 1/1
  Subdevice #0: subdevice #0

then stream using VLC

cvlc -vvv alsa://plughw:3 --sout '#transcode{acodec=mp3,ab=64,channels=1}:standard{access=http,dst=0.0.0.0:8888/out.mp3}'

Connect to the raspberry: if the IP address is, for instance, 192.168.1.44, go to http://192.168.1.44:8888/out.mp3.

If you're not interested in streaming but just record the audio onto a file start recording using arecord for 4 seconds in dat format (16bit; see man for more options):

arecord -d 4 -f dat spy.wav

Other resources:

Run make on list of projects

Shell

My .zprofile on my Mackbook.

eval "$(/usr/local/bin/brew shellenv)"
eval "$(fzf --bash)"
export ASDF_DIR="$HOME/.asdf"
. "$HOME/.asdf/asdf.sh"
. "$HOME/.asdf/completions/asdf.bash"
export PATH=~/.local/bin:$PATH
alias e='emacs -nw --init-directory=~/.emacs.d.minemacs'
alias t='tmux attach'

Simple Static assets web server ~ Busybox

Taken from this blogpost.

FROM busybox:1.35

# Create a non-root user to own the files and run our server
RUN adduser -D static
USER static
WORKDIR /home/static
VOLUME /home/static
EXPOSE 3000

# Copy the static website
# Use the .dockerignore file to control what ends up inside the image!

# Run BusyBox httpd
CMD ["busybox", "httpd", "-f", "-v", "-p", "3000"]

Create the image

cd
docker build -t busybox:1.3.5 -f busybox.dockerfile .

Start the container (the fullpath is required on MacOS docker installations, if I recall correctly.. 🤔)

docker run -d --rm --name file-server --init -p 3000:3000 --volume=/absolute/path/to/your/local/busybox:/home/static busybox:1.3.5
<html><head></head><body>Hei there!</body></html>

Spritely institute - distributed web technology

Systemd

Services definition

Add a service to systemd (more info here, while here's an article on how to create and manage user’s services With systemd).

Create /lib/systemd/system/blink.service (or /lib/systemd/user/blink.service in case of user-space app) with

[Unit]
Description=Blink my LED
After=multi-user.target

[Service]
Environment="MY_SHELL_ENV_VAR=value"
ExecStart=/usr/bin/python3 /home/pi/blink.py

[Install]
WantedBy=multi-user.target

Then start with systemctl [--user] (enable|restart|start|stop) blink

To start a service after a specific timeout (ex. 30 seconds) add:

[Service]
ExecStartPre=/bin/sleep 30

Journalctl

Clear journalctl: the self maintenance method is to vacuum the logs by size or time. Retain only the past two days:

journalctl --vacuum-time=2d

or retain only the past 500 MB

journalctl --vacuum-size=500M

To print last 40 entries for a particular service (i.e. unit) and keeps following the logs:

journalctl -n 40 -u my-service -f

Troubleshooting

Sometimes you end up by having some services to start and immediately stop (for instance my-daemon.service Deactivated successfully). I've found the solution to in this StackOverlow thread: you have to specify the Type!

Tailwind

CDN installation:

<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<script src="https://cdn.tailwindcss.com"></script>

Tmux

Some sources about tmux configuration (~/.tmux.conf)

set -g status-keys emacs

set -g prefix C-h
unbind-key C-b
bind-key C-h send-prefix

Tor

Use Tor proxy via Docker

Use dockage/tor-privoxy:latest image or dperson/torproxy

sudo docker run -it -p 8118:8118 -p 9050:9050 -d dperson/torproxy

then verify you're using the tor proxy connecting to https://check.torproject.org/

curl -Lx http://localhost:8118 https://check.torproject.org/ | grep "Congratulations"

Userscripts

How to store data on a file using Greasemonkey

More details in this StackOverflow thread showing different approaches, here I'm reporting just one.

// @grant        GM_download

function saveData(data, filename) {
    const blob = new Blob([data], { type: "text/plain" });
    const url = URL.createObjectURL(blob);
    GM_download({
	  url: url,
	  name: filename,
	  saveAs: false,
    });
}

saveData("hello world", "hello.txt");

Youtube

Get the list of subscriptions (followed channels)

Go the "Manage subscription" page, open the Web Inspector of the browser and execute the snippet below in the JS console; N.B. ensure you've loaded all the entries by scrolling down to the very end of the page.

var channelList = [];
[...document.querySelectorAll('a#main-link.channel-link')].forEach(el => {
  const channelId = el.getAttribute("href");
  channelList.push((`https://www.youtube.com${channelId}`));
});
console.log(channelList.join("\n"));

Get RSS feed of a channel or playlist

Get the Channel ID of a Youtube channel (manual approach): here a video explaining how to do that. You can ease the process using by copy/pasting this snippet into the Dev console (if the browser allows you that)

alert(document.querySelector("link[itemprop='url']").href);

then construct as follow:

https://youtube.com/watch?v=CHANNEL-ID to https://www.youtube.com/feeds/videos.xml?channel_id=CHANNEL-ID

I made some experiments to automate this process:

Youtube downloader (yt-dlp)

Usage examples

Search for videos.

yt-dlp ytsearch10:lebron james --get-id --get-title

Download a list of videos from a file.

yt-dlp -a list.txt

Download a video from services like FB, Instagram or others by using the cookies from our browser in order to access credentials.

yt-dlp --cookies-from-browser opera https://www.instagram.com/reel/DBG9t4XCteu/?igsh=d3RpNWZxMnVhenVw

Download portions of youtube video

youtube-dl --postprocessor-args "-ss 00:01:00 -to 00:02:00" "https://www.youtube.com/watch?v=dc7I-i7sPrg"

Download and convert to best audio format

youtube-dl --extract-audio --audio-format mp3 --audio-quality 0 "https://www.youtube.com/watch?v=hAMaCxw9Utw"

Get the channel ID from a channel URL

yt-dlp "https://www.youtube.com/@nicolabizzihistoriae" --print channel_url --playlist-end 1

Troubleshooting

If you have issues with an error like WARNING: [youtube] Unable to download webpage: [SSL: CERTIFICATE_VERIFY_FAILED] certificate verify failed: unable to get local issuer certificate (_ssl.c:1129).

pip3 install --upgrade certifi

Web Resources

Date: 2024-01-31 Wed 00:00

Emacs 30.1 (Org mode 9.7.11)

Validate