渡された引数として、ファイルの5〜10行目を出力したいと思います。
head
とtail
を使用してこれを行うにはどうすればよいですか?
どこ firstline = $2
およびlastline = $3
およびfilename = $1
。
実行すると次のようになります。
./lines.sh filename firstline lastline
fedorqui および Kent で与えられる答えとは別に、単一のsed
コマンドを使用することもできます。
#! /bin/sh
filename=$1
firstline=$2
lastline=$3
# Basics of sed:
# 1. sed commands have a matching part and a command part.
# 2. The matching part matches lines, generally by number or regular expression.
# 3. The command part executes a command on that line, possibly changing its text.
#
# By default, sed will print everything in its buffer to standard output.
# The -n option turns this off, so it only prints what you tell it to.
#
# The -e option gives sed a command or set of commands (separated by semicolons).
# Below, we use two commands:
#
# ${firstline},${lastline}p
# This matches lines firstline to lastline, inclusive
# The command 'p' tells sed to print the line to standard output
#
# ${lastline}q
# This matches line ${lastline}. It tells sed to quit. This command
# is run after the print command, so sed quits after printing the last line.
#
sed -ne "${firstline},${lastline}p;${lastline}q" < ${filename}
または、bash(またはzsh)の最新バージョンを使用している場合、外部ユーティリティを回避するには:
#! /bin/sh
filename=$1
firstline=$2
lastline=$3
i=0
exec <${filename} # redirect file into our stdin
while read ; do # read each line into REPLY variable
i=$(( $i + 1 )) # maintain line count
if [ "$i" -ge "${firstline}" ] ; then
if [ "$i" -gt "${lastline}" ] ; then
break
else
echo "${REPLY}"
fi
fi
done
head -n XX # <-- print first XX lines
tail -n YY # <-- print last YY lines
20から30までの行が必要な場合、20から始まり30で終わる11行が必要です。
head -n 30 file | tail -n 11
#
# first 30 lines
# last 11 lines from those previous 30
つまり、最初に30
行、最後の11
(あれは、 30-20+1
)。
したがって、コードでは次のようになります。
head -n $3 $1 | tail -n $(( $3-$2 + 1 ))
に基づく firstline = $2
、lastline = $3
、filename = $1
head -n $lastline $filename | tail -n $(( $lastline -$firstline + 1 ))
このワンライナーを試してください:
awk -vs="$begin" -ve="$end" 'NR>=s&&NR<=e' "$f"
上記の行:
$begin is your $2
$end is your $3
$f is your $1
これを「script.sh」として保存します。
#!/bin/sh
filename="$1"
firstline=$2
lastline=$3
linestoprint=$(($lastline-$firstline+1))
tail -n +$firstline "$filename" | head -n $linestoprint
NO ERROR HANDLING(簡単にするため)があるため、次のようにスクリプトを呼び出す必要があります。
./ script.sh yourfile.txt firstline lastline
$ ./script.sh yourfile.txt 5 10
Yourfile.txtの「10」行のみが必要な場合:
$ ./script.sh yourfile.txt 10 10
以下を確認してください:(firstline> 0)AND(lastline> 0)AND(firstline <= lastline)