使用 ash shell (BusyBox) 进行 RegExp 测试

使用 ash shell (BusyBox) 进行 RegExp 测试

我需要对特定的用户输入进行 RegExp 模式测试。这是我需要测试该值的模式。

^([a-z]{2,3})\-([a-z][a-z]*[0-9]*)\-(\d+)$

一个匹配示例是:na-examplename-01

我可用的 shell 是 BusyBox 又名 ash,所以我没有完整的 bash 功能。

使用 BusyBox 时,我可以选择哪些 RegExp 模式测试选项?

笔记:我无法使用 expr,因为它在我的安装中不可用。

我有以下可用功能:

arp, ash, awk, basename, bash, bunzip2, bzcat, bzip2, cat, chmod,
chown, chvt, clear, cp, crond, crontab, cryptpw, cut, date, dd,
deallocvt, df, dirname, dmesg, dnsdomainname, dos2unix, du, egrep,
eject, env, fbset, fgconsole, fgrep, find, findfs, flock, free, fstrim,
ftpget, ftpput, fuser, getopt, grep, groups, gunzip, gzip, head,
hostname, httpd, hwclock, id, ifconfig, ifdown, ifplugd, ifup, install,
ionice, iostat, ip, kill, killall, killall5, less, ln, loadkmap,
logger, login, ls, lsof, md5sum, mkdir, mkdosfs, mkfifo, mkfs.vfat,
mknod, mkpasswd, mkswap, mktemp, more, mount, mountpoint, mpstat, mv,
nbd-client, nc, netstat, nice, nohup, nslookup, ntpd, od, pgrep, pidof,
ping, ping6, pmap, printenv, ps, pstree, pwd, pwdx, rdate, readlink,
realpath, renice, reset, rm, rmdir, route, sed, seq, setconsole,
setserial, sh, sleep, smemcap, sort, stat, su, switch_root, sync,
sysctl, tail, tar, tee, telnet, time, top, touch, tr, traceroute,
traceroute6, true, ttysize, umount, uname, uniq, unix2dos, unxz,
uptime, usleep, vconfig, vi, watch, wc, wget, which, whoami, whois,
xargs, xz, xzcat, zcat

答案1

您拥有三个可以执行正则表达式的工具。这些都假设$in包含na-examplename-01.

  1. grep

    $ printf "%s\n" "$in" | ./grep -E '^[a-z]{2,3}-[a-z]+[0-9]*-[0-9]+$'
    na-examplename-01
    
  2. sed

    $ printf "%s\n" "$in" | ./sed -n '/^[a-z]\{2,3\}-[a-z]\+[0-9]*-[0-9]\+$/p'
    na-examplename-01
    
  3. awk

    $ printf "%s\n" "$in" | ./awk '/^[a-z]{2,3}-[a-z]+[0-9]*-[0-9]+$/'
    na-examplename-01
    

请注意,这些内容匹配内部的每一行,而不是整个$in内容。$in例如,它们将匹配$in定义为的第二行和第三行

in='whatever
xx-a-1
yy-b-2'

正如 Stéphane 在他的回答中指出的那样,最好在这些命令前面加上前缀,以LC_ALL=C确保您的语言环境不会混淆字符范围。

答案2

awk听起来是一个不错的候选人:

input='whatever
even spaces
and newlines
xxx-blah12-0' # should not match

input='na-examplename-01' # should match

if
  LC_ALL=C awk '
    BEGIN{
      exit(!(ARGV[1] ~ /^[a-z]{2,3}-[a-z]+[0-9]*-[0-9]+$/))
    }' "$input"
then
  echo it matches
else
  echo >&2 it does not match
fi

答案3

您可以grep在扩展正则表达式模式下使用,如下所示:

echo na-examplename-01 | grep -E '^[a-z]{2,3}-[a-z]+[0-9]*-[0-9]+$'

您应该使用间隔参数使其更易于阅读。 [a-z][a-z]|[a-z][a-z][a-z]将会[a-z]{2,3}

[a-z]+是相同的[a-z][a-z]*

对于 grep snytax,请看一下https://www.gnu.org/software/findutils/manual/html_node/find_html/grep-regular-expression-syntax.html

相关内容