bash 的简单模板引擎,可以使用 csv 数据?

bash 的简单模板引擎,可以使用 csv 数据?

我经常想快速获取一些数据,并将其应用到 bash 中的模板中。

例如想象一下执行以下操作

  $ seq 1 2 | eztemplate 'this is a {1} test'
  this is a 1 test
  this is a 2 test

  $ eztemplate 'this is a {1} test' hi 'there now'
  this is a hi test
  this is a there now test

  $ eztemplate /tmp/template /tmp/alphabet  | head
  this is a a test
  of this system a
  this is a b test
  of this system b
  ...

我编写了一个非常简单的 bash 脚本来执行此操作,但正在考虑允许每行数据使用多个参数,例如 CSV 样式数据。

鉴于以下情况,是否已经存在比我的小脚本更好的东西?

  • 我希望它只需要基本的 unix posix 工具和常用的安装工具,例如 perl 或 awk,但不需要 perl 额外安装模块,例如
  • 它可以接受数据文件中每行数据的多列数据。
  • 基本上是一个 bash 脚本,不需要安装任何其他东西:D
  • 另一个目的是让不擅长 bash 脚本编写的其他人拥有一个简单的工具来处理重复数据的模板

数据和模板会有很大差异,但我想要执行的第一个示例是将 4 个 id 应用于 JSON 负载

模板

{
  "tenantId": "{1}",
  "key": "some.key",
  "value": "some.value"
}

数据

my/super/01cbf4e9779649038f0bd753747c8b26
my/test/01cbf4e9779649038f0bd753747c8b26
ez/test/01cbf4e9779649038f0bd753747c8b26
rad/data/df3a47fed39d453f836f9b2196332029

ez模板

#!/usr/bin/env bash
DIR="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"; PATH="$DIR:$PATH"

function show_help()
{
  ME=$(basename "$0")
  IT=$(cat <<EOF

  replaces vars in a template, one for each line of stdin

  e.g.

  $ seq 1 2 | $ME 'this is a {1} test'
  this is a 1 test
  this is a 2 test

  $ $ME 'this is a {1} test' hi 'there now'
  this is a hi test
  this is a there now test

  $ $ME /tmp/template /tmp/alphabet
  this is a a test
  of this system a
  this is a b test
  of this system b
  ...

EOF
)
  echo "$IT"
  echo
  exit
}

if [ -z "$1" ]
then
  show_help
fi
if [ "$1" = "help" ] || [ "$1" = '?' ] || [ "$1" = "--help" ] || [ "$1" = "h" ]; then
  show_help
fi

function process_template(){
  DATA=$1
  VAR=$2

  if [ -f "$DATA" ]; then
    DATA=$(cat "$DATA")
  fi

  echo "$DATA" | sed "s#{1}#$VAR#g"
}


TEMPLATE=$1
if [ -t 0 ]
then
  if [ -f "$2" ]; then
    # allow first 2 parameters to be files, TEMPLATE and then DATA
    DATA_FILE=$2
    cat "$DATA_FILE" | while read line
    do
      process_template "$TEMPLATE" "$line"
    done 
  else
    shift;
    for line in "$@" 
    do
      process_template "$TEMPLATE" "$line"
    done
  fi
else
  # loop over lines from stdin
  while IFS= read -r line; do
    process_template "$TEMPLATE" "$line"
  done
fi

答案1

对于您引用的示例,最自然的解决方案似乎是

$ seq 1 2 | xargs -n1 printf 'this is a %s test\n'

如果需要的话,显然awk也等于任务。

相关内容