stemsee wrote: Sun Apr 30, 2023 11:57 am
Bash supports numeric literals in Base64
This is a bit different story. Bash can do some math: echo $(( 2 * 5 ))
. The numbers here are decimal but they can be octal (base8), hexadecimal (base16) or even base64: echo $(( 55#100 - 64#q ))
. What you probably need is the base64 command that can encode and decode strings. It uses a slightly different alphabet.
Code: Select all
A1=$(echo "the puppy linux" | base64)
echo "$A1" | base64 -id
---
I've rewritten the script to add a limited support for single quotes. It needs testing. It seems to work, but I'm not sure about using nested ungreedy and greedy quantifiers together and I've never used the match reset feature before. It looks interesting. Maybe I could replace (*SKIP) with it.
Code: Select all
#!/bin/bash
inputfile="in.txt"
outputfile="out.txt"
export pattern='A1'
export replacement='Perl will use this variable as is.
There is no need to escape newlines or other characters here.
Test: & $ \ / # " - OK, it should be possible now
to have a single quote here in a form that bash can interpret,
so it can be sourced: '\'' - but it can'\''t be at start or end
of the string unless with redundant single quotes: '\'''
perl -p0e "\$ENV{replacement}=~s/'/'\\\''/g;s/^(?!\$ENV{pattern}=)\w*=('(.*?('(\\\')+')?)*')(*SKIP)(*F)|^\w*=\K(?1)/'\$ENV{replacement}'/ms" "$inputfile" >"$outputfile"
---
How big your database is going to be? If it's big you should consider something like SQLite. But if it's relatively small and has a simple structure, you could use a bash associative array. This is a very basic example script (or a function) that can store values in an array and save it to a file:
Code: Select all
#!/bin/bash
# Simple bash database draft
# It can be a script or a function
# Usage:
# to add or update: <this_script> <key> <value>
# to read: <this_script> <key>
#
dbfile="bashdb.txt"
declare -A DB
# read the database from a file
[ -f "$dbfile" ] && . "$dbfile"
case $# in
1) # read
printf "%s\n" "${DB["$1"]}"
;;
2) # write
DB["$1"]="$2"
# save the database to a file
declare -p DB >"$dbfile"
;;
esac
Now to store or retrieve values (the script is called sbdb here):
Code: Select all
root# ./sbdb A1 'recipe: pie
> status: ready'
root# ./sbdb A2 'comment: delicious'
root# ./sbdb A1
recipe: pie
status: ready
root# ./sbdb A1 'recipe: pie
> status: eaten'
root# ./sbdb A1
recipe: pie
status: eaten
root#