단일 조건을 사용하여 여러 줄을 출력하는 방법은 무엇입니까?

단일 조건을 사용하여 여러 줄을 출력하는 방법은 무엇입니까?

다음 패턴이 포함된 파일이 있습니다.

n0 n1 n2 ... ni
-------------------------------
N0 N1
<empty line>

N0이 특정 숫자보다 작으면 다음을 원합니다.

  • N1라인 위 2라인
  • N1 라인
  • N1 라인 아래 빈 라인

출력에 나타납니다. 이 작업을 수행하려면 어떻게 해야 합니까 awk? 또는 다른 유틸리티를 사용할 수 있습니까?

답변1

"익"을 사용하세요

그러면 N0줄이 인쇄됩니다. < LIMIT:

# -v sets variables which can be used inside the awk script

awk -v LIMIT=10 '

    # We initialize two variables which hold the two previous lines
    # For readability purposes; not strictly necessary in this example
    BEGIN {
        line2 = line1 = ""
    }

    # Execute the following block if the current line contains
    # two fields (NF = number of fields) and the first field ($1)
    # is smaller than LIMIT

    ($1 < LIMIT) && (NF == 2) {
        # Print the previous lines saved in line2 and line1,
        # the current line ($0) and an empty line.
        # RS, awk's "record separator", is a newline by default

        print line2 RS line1 RS $0 RS
    } 

    # For all other lines, just keep track of previous line (line1),
    # and line before that (line2). line1 is saved to line2, and the
    # current line is saved to line1

    { line2 = line1; line1 = $0 }
' file

관련 정보