您对所需内容的定义留下了很多空白,因此您可能需要调整此脚本。它是最初设计用于处理 makefile 的更复杂脚本的精简版。这意味着您可能可以从这里删除一些材料而不会造成麻烦,尽管我已经摆脱了大部分无关的处理。
#!usr/bin/env perl
#
# Note: this script can take input from stdin or from one or more files.
# For example, either of the following will work:
# cat config file | setmacro
# setmacro file
use strict;
use warnings;
use Getopt::Std;
# Usage:
# -b -- omit blank lines
# -c -- omit comments
# -d -- debug mode (verbose)
# -e -- omit the environment
my %opt;
my %MACROS;
my $input_line;
die "Usage: $0 [-bcde] [file ...]" unless getopts('bcde', \%opt);
# Copy environment into hash for MAKE macros
%MACROS = %ENV unless $opt{e};
my $rx_macro = qr/\${?([A-Za-z]\w*)}?/; # Matches $PQR} but ideally shouldn't
# For each line in each file specified on the command line (or stdin by default)
while ($input_line = <>)
{
chomp $input_line;
do_line($input_line);
}
# Expand macros in given value
sub macro_expand
{
my($value) = @_;
print "-->> macro_expand: $value\n" if $opt{d};
while ($value =~ $rx_macro)
{
print "Found macro = $1\n" if $opt{d};
my($env) = $MACROS{$1};
$env = "" unless defined $env;
$value = $` . $env . $';
}
print "<<-- macro_expand: $value\n" if $opt{d};
return($value);
}
# routine to recognize macros
sub do_line
{
my($line) = @_;
if ($line =~ /^\s*$/o)
{
# Blank line
print "$line\n" unless $opt{b};
}
elsif ($line =~ /^\s*#/o)
{
# Comment line
print "$line\n" unless $opt{c};
}
elsif ($line =~ /^\s*([A-Za-z]\w*)\s*=\s*(.*)\s*$/o)
{
# Macro definition
print "Macro: $line\n" if $opt{d};
my $lhs = $1;
my $rhs = $2;
$rhs = $1 if $rhs =~ m/^"(.*)"$/;
$MACROS{$lhs} = ${rhs};
print "##M: $lhs = <<$MACROS{$lhs}>>\n" if $opt{d};
}
else
{
print "Expand: $line\n" if $opt{d};
$line = macro_expand($line);
print "$line\n";
}
}
给定一个配置文件,cfg
,包含:
LINE_D="(L#'id' == 'log') AND L#'id' IS NULL"
和另一个文件,F
,包含:
PRINT '$LINE_D'
PRINT '${LINE_D}'
的输出perl setmacro.pl cfg F
是:
PRINT '(L#'id' == 'log') AND L#'id' IS NULL'
PRINT '(L#'id' == 'log') AND L#'id' IS NULL'
这与所需的输出匹配,但给了我带有多个单引号的 heebie-jeebies。但是,客户永远是对的!
(我想我摆脱了残留的 Perl 4-isms;基本脚本仍然有一些残留物,以及一些关于 Perl 5.001 如何以不同方式处理事情的评论。它确实使用了$`
,$'
但这通常不是一个好主意。但是它有效,因此修复它是读者的练习。现在不需要 regex 变量;那时它还可以识别make
宏符号 -$(macro)
以及${macro}
.)