久久精品国产精品国产精品污,男人扒开添女人下部免费视频,一级国产69式性姿势免费视频,夜鲁夜鲁很鲁在线视频 视频,欧美丰满少妇一区二区三区,国产偷国产偷亚洲高清人乐享,中文 在线 日韩 亚洲 欧美,熟妇人妻无乱码中文字幕真矢织江,一区二区三区人妻制服国产

歡迎訪問 生活随笔!

生活随笔

當前位置: 首頁 > 编程资源 > 编程问答 >内容正文

编程问答

Awk by Example--转载

發布時間:2025/4/5 编程问答 30 豆豆
生活随笔 收集整理的這篇文章主要介紹了 Awk by Example--转载 小編覺得挺不錯的,現在分享給大家,幫大家做個參考.

原文地址:

http://www.funtoo.org/Awk_by_Example,_Part_1?ref=dzone

http://www.funtoo.org/Awk_by_Example,_Part_2

http://www.funtoo.org/Awk_by_Example,_Part_3

In defense of awk

In this series of articles, I'm going to turn you into a proficient awk coder. I'll admit, awk doesn't have a very pretty or particularly "hip" name, and the GNU version of awk, called gawk, sounds downright weird. Those unfamiliar with the language may hear "awk" and think of a mess of code so backwards and antiquated that it's capable of driving even the most knowledgeable UNIX guru to the brink of insanity (causing him to repeatedly yelp "kill -9!" as he runs for coffee machine).

Sure, awk doesn't have a great name. But it is a great language. Awk is geared toward text processing and report generation, yet features many well-designed features that allow for serious programming. And, unlike some languages, awk's syntax is familiar, and borrows some of the best parts of languages like C, python, and bash (although, technically, awk was created before both python and bash). Awk is one of those languages that, once learned, will become a key part of your strategic coding arsenal.

The first awk

Let's go ahead and start playing around with awk to see how it works. At the command line, enter the following command:

$ awk '{ print }' /etc/passwd

You should see the contents of your /etc/passwd file appear before your eyes. Now, for an explanation of what awk did. When we called awk, we specified /etc/passwd as our input file. When we executed awk, it evaluated the print command for each line in /etc/passwd, in order. All output is sent to stdout, and we get a result identical to catting /etc/passwd.

Now, for an explanation of the { print } code block. In awk, curly braces are used to group blocks of code together, similar to C. Inside our block of code, we have a single print command. In awk, when a print command appears by itself, the full contents of the current line are printed.

Here is another awk example that does exactly the same thing:

$ awk '{ print $0 }' /etc/passwd

In awk, the $0 variable represents the entire current line, so print and print $0 do exactly the same thing. If you'd like, you can create an awk program that will output data totally unrelated to the input data. Here's an example:

$ awk '{ print "" }' /etc/passwd

Whenever you pass the "" string to the print command, it prints a blank line. If you test this script, you'll find that awk outputs one blank line for every line in your /etc/passwd file. Again, this is because awk executes your script for every line in the input file. Here's another example:

$ awk '{ print "hiya" }' /etc/passwd

Running this script will fill your screen with hiya's.?:)

Multiple fields

Awk is really good at handling text that has been broken into multiple logical fields, and allows you to effortlessly reference each individual field from inside your awk script. The following script will print out a list of all user accounts on your system:

$ awk -F":" '{ print $1 }' /etc/passwd

Above, when we called awk, we use the -F option to specify ":" as the field separator. When awk processes the print $1 command, it will print out the first field that appears on each line in the input file. Here's another example:

$ awk -F":" '{ print $1 $3 }' /etc/passwd

Here's an excerpt of the output from this script:

halt7 operator11 root0 shutdown6 sync5 bin1 ....etc.

As you can see, awk prints out the first and third fields of the /etc/passwd file, which happen to be the username and uid fields respectively. Now, while the script did work, it's not perfect -- there aren't any spaces between the two output fields! If you're used to programming in bash or python, you may have expected the print $1 $3 command to insert a space between the two fields. However, when two strings appear next to each other in an awk program, awk concatenates them without adding an intermediate space. The following command will insert a space between both fields:

$ awk -F":" '{ print $1 " " $3 }' /etc/passwd

When you call print this way, it'll concatenate $1, " ", and $3, creating readable output. Of course, we can also insert some text labels if needed:

$ awk -F":" '{ print "username: " $1 "\t\tuid:" $3 }' /etc/passwd

This will cause the output to be:

username: halt uid:7 username: operator uid:11 username: root uid:0 username: shutdown uid:6 username: sync uid:5 username: bin uid:1 ....etc.

External Scripts

Passing your scripts to awk as a command line argument can be very handy for small one-liners, but when it comes to complex, multi-line programs, you'll definitely want to compose your script in an external file. Awk can then be told to source this script file by passing it the -f option:

$ awk -f myscript.awk myfile.in

Putting your scripts in their own text files also allows you to take advantage of additional awk features. For example, this multi-line script does the same thing as one of our earlier one-liners, printing out the first field of each line in /etc/passwd:

BEGIN { FS=":" } { print $1 }

The difference between these two methods has to do with how we set the field separator. In this script, the field separator is specified within the code itself (by setting the FS variable), while our previous example set FS by passing the -F":" option to awk on the command line. It's generally best to set the field separator inside the script itself, simply because it means you have one less command line argument to remember to type. We'll cover the FS variable in more detail later in this article.

It is also possible to make the script directly executable, by placing a "#!/usr/bin/awk -f" at the top of the file, as follows:

#!/usr/bin/awk -f BEGIN {FS=":" } { print $1 }

Next, the script must be made executable by setting the script file's execute bit:

$ chmod +x myscript.awk

Now, you should be able to execute the script as follows:

$ ./myscript.awk myfile.in

The BEGIN and END blocks

Normally, awk executes each block of your script's code once for each input line. However, there are many programming situations where you may need to execute initialization code before awk begins processing the text from the input file. For such situations, awk allows you to define a BEGIN block. We used a BEGIN block in the previous example. Because the BEGIN block is evaluated before awk starts processing the input file, it's an excellent place to initialize the FS (field separator) variable, print a heading, or initialize other global variables that you'll reference later in the program.

Awk also provides another special block, called the END block. Awk executes this block after all lines in the input file have been processed. Typically, the END block is used to perform final calculations or print summaries that should appear at the end of the output stream.

Regular expressions and blocks

Awk allows the use of regular expressions to selectively execute an individual block of code, depending on whether or not the regular expression matches the current line. Here's an example script that outputs only those lines that contain the character sequence foo:

/foo/ { print }

Of course, you can use more complicated regular expressions. Here's a script that will print only lines that contain a floating point number:

/[0-9]+\.[0-9]*/ { print }

Expressions and blocks

There are many other ways to selectively execute a block of code. We can place any kind of boolean expression before a code block to control when a particular block is executed. Awk will execute a code block only if the preceding boolean expression evaluates to true. The following example script will output the third field of all lines that have a first field equal to fred. If the first field of the current line is not equal to fred, awk will continue processing the file and will not execute the print statement for the current line:

$1 == "fred" { print $3 }

Awk offers a full selection of comparison operators, including the usual "==", "<", ">", "<=", ">=", and "!=". In addition, awk provides the "~" and "!~" operators, which mean "matches" and "does not match". They're used by specifying a variable on the left side of the operator, and a regular expression on the right side. Here's an example that will print only the third field on the line if the fifth field on the same line contains the character sequence root:

$5 ~ /root/ { print $3 }

Conditional statements

Awk also offers very nice C-like if statements. If you'd like, you could rewrite the previous script using an if statement:

{ if ( $5 ~ /root/ ) { print $3 } }

Both scripts function identically. In the first example, the boolean expression is placed outside the block, while in the second example, the block is executed for every input line, and we selectively perform the print command by using an if statement. Both methods are available, and you can choose the one that best meshes with the other parts of your script.

Here's a more complicated example of an awk if statement. As you can see, even with complex, nested conditionals, if statements look identical to their C counterparts:

{if ( $1 == "foo" ) {if ( $2 == "foo" ) {print "uno"} else {print "one"}} else if ($1 == "bar" ) {print "two"} else {print "three"} }

Using if statements, we can also transform this code:

! /matchme/ { print $1 $3 $4 }

to this:

{if ( $0?!~ /matchme/ ) {print $1 $3 $4} }

Both scripts will output only those lines that don't contain a matchme character sequence. Again, you can choose the method that works best for your code. They both do the same thing.

Awk also allows the use of boolean operators "||" (for "logical or") and "&&"(for "logical and") to allow the creation of more complex boolean expressions:

( $1 == "foo" ) && ( $2 == "bar" ) { print }

This example will print only those lines where field one equals foo and field two equals bar.

Numeric variables!

So far, we've either printed strings, the entire line, or specific fields. However, awk also allows us to perform both integer and floating point math. Using mathematical expressions, it's very easy to write a script that counts the number of blank lines in a file. Here's one that does just that:

BEGIN { x=0 } /^$/ { x=x+1 } END { print "I found " x " blank lines.?:)" }

In the BEGIN block, we initialize our integer variable x to zero. Then, each time awk encounters a blank line, awk will execute the x=x+1 statement, incrementing x. After all the lines have been processed, the END block will execute, and awk will print out a final summary, specifying the number of blank lines it found.

Stringy variables

One of the neat things about awk variables is that they are "simple and stringy." I consider awk variables "stringy" because all awk variables are stored internally as strings. At the same time, awk variables are "simple" because you can perform mathematical operations on a variable, and as long as it contains a valid numeric string, awk automatically takes care of the string-to-number conversion steps. To see what I mean, check out this example:

x="1.01" # We just set x to contain the *string* "1.01" x=x+1 # We just added one to a *string* print x # Incidentally, these are comments?:)

Awk will output:

2.01

Interesting! Although we assigned the string value 1.01 to the variable x, we were still able to add one to it. We wouldn't be able to do this in bash or python. First of all, bash doesn't support floating point arithmetic. And, while bash has "stringy" variables, they aren't "simple"; to perform any mathematical operations, bash requires that we enclose our math in an ugly $( ) construct. If we were using python, we would have to explicitly convert our 1.01 string to a floating point value before performing any arithmetic on it. While this isn't difficult, it's still an additional step. With awk, it's all automatic, and that makes our code nice and clean. If we wanted to square and add one to the first field in each input line, we would use this script:

{ print ($1^2)+1 }

If you do a little experimenting, you'll find that if a particular variable doesn't contain a valid number, awk will treat that variable as a numerical zero when it evaluates your mathematical expression.

Lots of operators

Another nice thing about awk is its full complement of mathematical operators. In addition to standard addition, subtraction, multiplication, and division, awk allows us to use the previously demonstrated exponent operator "^", the modulo (remainder) operator "%", and a bunch of other handy assignment operators borrowed from C.

These include pre- and post-increment/decrement ( i++, --foo ), add/sub/mult/div assign operators ( a+=3, b*=2, c/=2.2, d-=6.2 ). But that's not all -- we also get handy modulo/exponent assign ops as well ( a^=2, b%=4 ).

Field separators

Awk has its own complement of special variables. Some of them allow you to fine-tune how awk functions, while others can be read to glean valuable information about the input. We've already touched on one of these special variables, FS. As mentioned earlier, this variable allows you to set the character sequence that awk expects to find between fields. When we were using /etc/passwd as input, FS was set to ":". While this did the trick, FS allows us even more flexibility.

The FS value is not limited to a single character; it can also be set to a regular expression, specifying a character pattern of any length. If you're processing fields separated by one or more tabs, you'll want to set FS like so:

FS="\t+"

Above, we use the special "+" regular expression character, which means "one or more of the previous character".

If your fields are separated by whitespace (one or more spaces or tabs), you may be tempted to set FS to the following regular expression:

FS="[[:space:]]+"

While this assignment will do the trick, it's not necessary. Why? Because by default, FS is set to a single space character, which awk interprets to mean "one or more spaces or tabs." In this particular example, the default FS setting was exactly what you wanted in the first place!

Complex regular expressions are no problem. Even if your records are separated by the word "foo," followed by three digits, the following regular expression will allow your data to be parsed properly:

FS="foo[0-9][0-9][0-9]"

Number of fields

The next two variables we're going to cover are not normally intended to be written to, but are normally read and used to gain useful information about the input. The first is the NF variable, also called the "number of fields" variable. Awk will automatically set this variable to the number of fields in the current record. You can use the NF variable to display only certain input lines:

NF == 3 { print "this particular record has three fields: " $0 }

Of course, you can also use the NF variable in conditional statements, as follows:

{if ( NF > 2 ) {print $1 " " $2 ":" $3 } }

Record number

The record number (NR) is another handy variable. It will always contain the number of the current record (awk counts the first record as record number 1). Up until now, we've been dealing with input files that contain one record per line. For these situations, NR will also tell you the current line number. However, when we start to process multi-line records later in the series, this will no longer be the case, so be careful! NR can be used like the NF variable to print only certain lines of the input:

(NR < 10 ) || (NR > 100) { print "We are on record number 1-9 or 101+" } {#skip headerif ( NR > 10 ) {print "ok, now for the real information!"} }

Awk provides additional variables that can be used for a variety of purposes. We'll cover more of these variables in later articles.

We've come to the end of our initial exploration of awk. As the series continues, I'll demonstrate more advanced awk functionality, and we'll end the series with a real-world awk application.

Resources

  • Read Daniel's other awk articles on Funtoo: Awk By Example,?Part 2?and?Part 3.
  • If you'd like a good old-fashioned book,?O'Reilly's sed & awk, 2nd Edition?is a wonderful choice.
  • Be sure to check out the?comp.lang.awk FAQ. It also contains lots of additional awk links.
  • Patrick Hartigan's?awk tutorial?is packed with handy awk scripts.
  • Thompson's TAWK Compiler?compiles awk scripts into fast binary executables. Versions are available for Windows, OS/2, DOS, and UNIX.
  • The GNU Awk User's Guide?is available for online reference.
  • Awk Command?daily useful examples.

Multi-line records

Awk is an excellent tool for reading in and processing structured data, such as the system's /etc/passwd file. /etc/passwd is the UNIX user database, and is a colon-delimited text file, containing a lot of important information, including all existing user accounts and user IDs, among other things. In my previous article, I showed you how awk could easily parse this file. All we had to do was to set the FS (field separator) variable to ":".

By setting the FS variable correctly, awk can be configured to parse almost any kind of structured data, as long as there is one record per line. However, just setting FS won't do us any good if we want to parse a record that exists over multiple lines. In these situations, we also need to modify the RS record separator variable. The RS variable tells awk when the current record ends and a new record begins.

As an example, let's look at how we'd handle the task of processing an address list of Federal Witness Protection Program participants:

Jimmy the Weasel 100 Pleasant Drive San Francisco, CA 12345Big Tony 200 Incognito Ave. Suburbia, WA 67890

Ideally, we'd like awk to recognize each 3-line address as an individual record, rather than as three separate records. It would make our code a lot simpler if awk would recognize the first line of the address as the first field ($1), the street address as the second field ($2), and the city, state, and zip code as field $3. The following code will do just what we want:

BEGIN {FS="\n"RS="" }

Above, setting FS to "\n" tells awk that each field appears on its own line. By setting RS to "", we also tell awk that each address record is separated by a blank line. Once awk knows how the input is formatted, it can do all the parsing work for us, and the rest of the script is simple. Let's look at a complete script that will parse this address list and print out each address record on a single line, separating each field with a comma.

BEGIN {FS="\n"RS="" } { print $1 ", " $2 ", " $3 }

If this script is saved as address.awk, and the address data is stored in a file called address.txt, you can execute this script by typing awk -f address.awk address.txt. This code produces the following output:

Jimmy the Weasel, 100 Pleasant Drive, San Francisco, CA 12345 Big Tony, 200 Incognito Ave., Suburbia, WA 67890

OFS and ORS

In address.awk's print statement, you can see that awk concatenates (joins) strings that are placed next to each other on a line. We used this feature to insert a comma and a space (", ") between the three address fields that appeared on the line. While this method works, it's a bit ugly looking. Rather than inserting literal ", " strings between our fields, we can have awk do it for us by setting a special awk variable called OFS. Take a look at this code snippet.

print "Hello", "there", "Jim!"

The commas on this line are not part of the actual literal strings. Instead, they tell awk that "Hello", "there", and "Jim!" are separate fields, and that the OFS variable should be printed between each string. By default, awk produces the following output:

Hello there Jim!

This shows us that by default, OFS is set to " ", a single space. However, we can easily redefine OFS so that awk will insert our favorite field separator. Here's a revised version of our original address.awk program that uses OFS to output those intermediate ", " strings:

BEGIN {FS="\n"RS=""OFS=", " } { print $1, $2, $3 }

Awk also has a special variable called ORS, called the "output record separator". By setting ORS, which defaults to a newline ("\n"), we can control the character that's automatically printed at the end of a print statement. The default ORS value causes awk to output each new print statement on a new line. If we wanted to make the output double-spaced, we would set ORS to "\n\n". Or, if we wanted records to be separated by a single space (and no newline), we would set ORS to " ".

Multi-line to tabbed

Let's say that we wrote a script that converted our address list to a single-line per record, tab-delimited format for import into a spreadsheet. After using a slightly modified version of address.awk, it would become clear that our program only works for three-line addresses. If awk encountered the following address, the fourth line would be thrown away and not printed:

Cousin Vinnie Vinnie's Auto Shop 300 City Alley Sosueme, OR 76543

To handle situations like this, it would be good if our code took the number of fields per record into account, printing each one in order. Right now, the code only prints the first three fields of the address. Here's some code that does what we want:

BEGIN { FS="\n" RS="" ORS="" } { x=1 while ( x<NF ) { print $x "\t" x++ } print $NF "\n" }

First, we set the field separator FS to "\n" and the record separator RS to "" so that awk parses the multi-line addresses correctly, as before. Then, we set the output record separator ORS to "", which will cause the print statement to not output a newline at the end of each call. This means that if we want any text to start on a new line, we need to explicitly write print "\n".

In the main code block, we create a variable called x that holds the number of current field that we're processing. Initially, it's set to 1. Then, we use a while loop (an awk looping construct identical to that found in the C language) to iterate through all but the last record, printing the record and a tab character. Finally, we print the last record and a literal newline; again, since ORS is set to "", print won't output newlines for us. Program output looks like this, which is exactly what we wanted:

Jimmy the Weasel 100 Pleasant Drive San Francisco, CA 12345 Big Tony 200 Incognito Ave. Suburbia, WA 67890 Cousin Vinnie Vinnie's Auto Shop 300 City Alley Sosueme, OR 76543

Looping constructs

We've already seen awk's while loop construct, which is identical to its C counterpart. Awk also has a "do...while" loop that evaluates the condition at the end of the code block, rather than at the beginning like a standard while loop. It's similar to "repeat...until" loops that can be found in other languages. Here's an example:

{count=1do {print "I get printed at least once no matter what" } while ( count?!= 1 ) }

Because the condition is evaluated after the code block, a "do...while" loop, unlike a normal while loop, will always execute at least once. On the other hand, a normal while loop will never execute if its condition is false when the loop is first encountered.

for loops

Awk allows you to create for loops, which like while loops are identical to their C counterpart:

for ( initial assignment; comparison; increment ) {code block }

Here's a quick example:

for ( x = 1; x <= 4; x++ ) {print "iteration",x }

This snippet will print:

iteration 1 iteration 2 iteration 3 iteration 4

Break and continue

Again, just like C, awk provides break and continue statements. These statements provide better control over awk's various looping constructs. Here's a code snippet that desperately needs a break statement:

while (1) {print "forever and ever..." }

Because 1 is always true, this while loop runs forever. Here's a loop that only executes ten times:

x=1 while(1) {print "iteration",xif ( x == 10 ) {break}x++ }

Here, the break statement is used to "break out" of the innermost loop. "break" causes the loop to immediately terminate and execution to continue at the line after the loop's code block.

The continue statement complements break, and works like this:

x=1 while (1) {if ( x == 4 ) {x++continue}print "iteration",xif ( x > 20 ) {break}x++ }

This code will print "iteration 1" through "iteration 21", except for "iteration 4". If iteration equals 4, x is incremented and the continue statement is called, which immediately causes awk to start to the next loop iteration without executing the rest of the code block. The continue statement works for every kind of awk iterative loop, just as break does. When used in the body of a for loop, continue will cause the loop control variable to be automatically incremented. Here's an equivalent for loop:

for ( x=1; x<=21; x++ ) {if ( x == 4 ) {continue}print "iteration",x }

It wasn't necessary to increment x just before calling continue as it was in our while loop, since the for loop increments x automatically.

Arrays

You'll be pleased to know that awk has arrays. However, under awk, it's customary to start array indices at 1, rather than 0:

myarray[1]="jim" myarray[2]=456

When awk encounters the first assignment, myarray is created and the element myarray[1] is set to "jim". After the second assignment is evaluated, the array has two elements.

Once defined, awk has a handy mechanism to iterate over the elements of an array, as follows:

for ( x in myarray ) {print myarray[x] }

This code will print out every element in the array myarray. When you use this special "in" form of a for loop, awk will assign every existing index of myarray to x (the loop control variable) in turn, executing the loop's code block once after each assignment. While this is a very handy awk feature, it does have one drawback -- when awk cycles through the array indices, it doesn't follow any particular order. That means that there's no way for us to know whether the output of above code will be:

jim 456

or

456 jim

To loosely paraphrase Forrest Gump, iterating over the contents of an array is like a box of chocolates -- you never know what you're going to get. This has something to do with the "stringiness" of awk arrays, which we'll now take a look at.

Array index stringiness

In my previous article, I showed you that awk actually stores numeric values in a string format. While awk performs the necessary conversions to make this work, it does open the door for some odd-looking code:

a="1" b="2" c=a+b+3

After this code executes, c is equal to 6. Since awk is "stringy", adding strings "1" and "2" is functionally no different than adding the numbers 1 and 2. In both cases, awk will successfully perform the math. Awk's "stringy" nature is pretty intriguing -- you may wonder what happens if we use string indexes for arrays. For instance, take the following code:

myarr["1"]="Mr. Whipple" print myarr["1"]

As you might expect, this code will print "Mr. Whipple". But how about if we drop the quotes around the second "1" index?

myarr["1"]="Mr. Whipple" print myarr[1]

Guessing the result of this code snippet is a bit more difficult. Does awk consider myarr["1"] and myarr[1] to be two separate elements of the array, or do they refer to the same element? The answer is that they refer to the same element, and awk will print "Mr. Whipple", just as in the first code snippet. Although it may seem strange, behind the scenes awk has been using string indexes for its arrays all this time!

After learning this strange fact, some of us may be tempted to execute some wacky code that looks like this:

myarr["name"]="Mr. Whipple" print myarr["name"]

Not only does this code not raise an error, but it's functionally identical to our previous examples, and will print "Mr. Whipple" just as before! As you can see, awk doesn't limit us to using pure integer indexes; we can use string indexes if we want to, without creating any problems. Whenever we use non-integer array indices like myarr["name"], we're using associative arrays. Technically, awk isn't doing anything different behind the scenes than when we use a string index (since even if you use an "integer" index, awk still treats it as a string). However, you should still call 'em associative arrays -- it sounds cool and will impress your boss. The stringy index thing will be our little secret.?;)

Array tools

When it comes to arrays, awk gives us a lot of flexibility. We can use string indexes, and we aren't required to have a continuous numeric sequence of indices (for example, we can define myarr[1] and myarr[1000], but leave all other elements undefined). While all this can be very helpful, in some circumstances it can create confusion. Fortunately, awk offers a couple of handy features to help make arrays more manageable.

First, we can delete array elements. If you want to delete element 1 of your array fooarray, type:

delete fooarray[1]

And, if you want to see if a particular array element exists, you can use the special "in" boolean operator as follows:

if ( 1 in fooarray ) {print "Ayep! It's there." } else {print "Nope! Can't find it." }

Next time

We've covered a lot of ground in this article. Next time, I'll round out your awk knowledge by showing you how to use awk's math and string functions and how to create your own functions. I'll also walk you through the creation of a checkbook balancing program. Until then, I encourage you to write some of your own awk programs, and to check out the following resources.

Resources

  • Read Daniel's other awk articles on Funtoo: Awk By Example,?Part 1?and?Part 3.
  • If you'd like a good old-fashioned book,?O'Reilly's sed & awk, 2nd Edition?is a wonderful choice.
  • Be sure to check out the?comp.lang.awk FAQ. It also contains lots of additional awk links.
  • Patrick Hartigan's?awk tutorial?is packed with handy awk scripts.
  • Thompson's TAWK Compiler?compiles awk scripts into fast binary executables. Versions are available for Windows, OS/2, DOS, and UNIX.
  • The GNU Awk User's Guide?is available for online reference.

Formatting output

While awk's print statement does do the job most of the time, sometimes more is needed. For those times, awk offers two good old friends called printf() and sprintf(). Yes, these functions, like so many other awk parts, are identical to their C counterparts. printf() will print a formatted string to stdout, while sprintf() returns a formatted string that can be assigned to a variable. If you're not familiar with printf() and sprintf(), an introductory C text will quickly get you up to speed on these two essential printing functions. You can view the printf() man page by typing "man 3 printf" on your Linux system.

Here's some sample awk sprintf() and printf() code. As you can see in the following script, everything looks almost identical to C.

#!/usr/bin/awk -f BEGIN {x=1b="foo"printf("%s got a?%d on the last test\n","Jim",83)myout=sprintf("%s-%d",b,x)print myout }

This code will print:

Jim got a 83 on the last test foo-1

String functions

Awk has a plethora of string functions, and that's a good thing. In awk, you really need string functions, since you can't treat a string as an array of characters as you can in other languages like C, C++, and Python. For example, if you execute the following code:

mystring="How are you doing today?" print mystring[3]

You'll receive an error that looks something like this:

awk: string.gawk:59: fatal: attempt to use scalar as array

Oh, well. While not as convenient as Python's sequence types, awk's string functions get the job done. Let's take a look at them.

First, we have the basic length() function, which returns the length of a string. Here's how to use it:

print length(mystring)

This code will print the value:

24

OK, let's keep going. The next string function is called index, and will return the position of the occurrence of a substring in another string, or it will return 0 if the string isn't found. Using mystring, we can call it this way:

print index(mystring,"you")

Awk prints:

9

We move on to two more easy functions, tolower() and toupper(). As you might guess, these functions will return the string with all characters converted to lowercase or uppercase respectively. Notice that tolower() and toupper() return the new string, and don't modify the original. This code:

print tolower(mystring) print toupper(mystring) print mystring

....will produce this output:

how are you doing today? HOW ARE YOU DOING TODAY? How are you doing today?

So far so good, but how exactly do we select a substring or even a single character from a string? That's where substr() comes in. Here's how to call substr():

mysub=substr(mystring,startpos,maxlen)

mystring should be either a string variable or a literal string from which you'd like to extract a substring. startpos should be set to the starting character position, and maxlen should contain the maximum length of the string you'd like to extract. Notice that I said maximum length; if length(mystring) is shorter than startpos+maxlen, your result will be truncated. substr() won't modify the original string, but returns the substring instead. Here's an example:

print substr(mystring,9,3)

Awk will print:

you

If you regularly program in a language that uses array indices to access parts of a string (and who doesn't), make a mental note that substr() is your awk substitute. You'll need to use it to extract single characters and substrings; because awk is a string-based language, you'll be using it often.

Now, we move on to some meatier functions, the first of which is called match(). match() is a lot like index(), except instead of searching for a substring like index() does, it searches for a regular expression. The match() function will return the starting position of the match, or zero if no match is found. In addition, match() will set two variables called RSTART and RLENGTH. RSTART contains the return value (the location of the first match), and RLENGTH specifies its span in characters (or -1 if no match was found). Using RSTART, RLENGTH, substr(), and a small loop, you can easily iterate through every match in your string. Here's an example match() call:

print match(mystring,/you/), RSTART, RLENGTH

Awk will print:

9 9 3

String substitution

Now, we're going to look at a couple of string substitution functions, sub() and gsub(). These guys differ slightly from the functions we've looked at so far in that they actually modify the original string. Here's a template that shows how to call sub():

sub(regexp,replstring,mystring)

When you call sub(), it'll find the first sequence of characters in mystring that matches regexp, and it'll replace that sequence with replstring. sub() and gsub() have identical arguments; the only way they differ is that sub() will replace the first regexp match (if any), and gsub() will perform a global replace, swapping out all matches in the string. Here's an example sub() and gsub() call:

sub(/o/,"O",mystring) print mystring mystring="How are you doing today?" gsub(/o/,"O",mystring) print mystring

We had to reset mystring to its original value because the first sub() call modified mystring directly. When executed, this code will cause awk to output:

HOw are you doing today? HOw are yOu dOing tOday?

Of course, more complex regular expressions are possible. I'll leave it up to you to test out some complicated regexps.

We wrap up our string function coverage by introducing you to a function called split(). split()'s job is to "chop up" a string and place the various parts into an integer-indexed array. Here's an example split() call:

numelements=split("Jan,Feb,Mar,Apr,May,Jun,Jul,Aug,Sep,Oct,Nov,Dec",mymonths,",")

When calling split(), the first argument contains the literal string or string variable to be chopped. In the second argument, you should specify the name of the array that split() will stuff the chopped parts into. In the third element, specify the separator that will be used to chop the strings up. When split() returns, it'll return the number of string elements that were split. split() assigns each one to an array index starting with one, so the following code:

print mymonths[1],mymonths[numelements]

....will print:

Jan Dec

Special string forms

A quick note -- when calling length(), sub(), or gsub(), you can drop the last argument and awk will apply the function call to $0 (the entire current line). To print the length of each line in a file, use this awk script:

{print length() }

Financial fun

A few weeks ago, I decided to write my own checkbook balancing program in awk. I decided that I'd like to have a simple tab-delimited text file into which I can enter my most recent deposits and withdrawals. The idea was to hand this data to an awk script that would automatically add up all the amounts and tell me my balance. Here's how I decided to record all my transactions into my "ASCII checkbook":

23 Aug 2000 food - - Y Jimmy's Buffet 30.25

Every field in this file is separated by one or more tabs. After the date (field 1, $1), there are two fields called "expense category" and "income category". When I'm entering an expense like on the above line, I put a four-letter nickname in the exp field, and a "-" (blank entry) in the inc field. This signifies that this particular item is a "food expense"?:) Here's what a deposit looks like:

23 Aug 2000 - inco - Y Boss Man 2001.00

In this case, I put a "-" (blank) in the exp category, and put "inco" in the inc category. "inco" is my nickname for generic (paycheck-style) income. Using category nicknames allows me to generate a breakdown of my income and expenditures by category. As far as the rest of the records, all the other fields are fairly self-explanatory. The cleared? field ("Y" or "N") records whether the transaction has been posted to my account; beyond that, there's a transaction description, and a positive dollar amount.

The algorithm used to compute the current balance isn't too hard. Awk simply needs to read in each line, one by one. If an expense category is listed but there is no income category (denoted by "-"), then this item is a debit. If an income category is listed, but no expense category (denoted by "-") is present, then the dollar amount is a credit. And, if there is both an expense and income category listed, then this amount is a "category transfer"; that is, the dollar amount will be subtracted from the expense category and added to the income category. Again, all these categories are virtual, but are very useful for tracking income and expenditures, as well as for budgeting.

The code

Time to look at the code. We'll start off with the first line, the BEGIN block and a function definition:

#!/usr/bin/awk -f BEGIN {FS="\t+"months="Jan Feb Mar Apr May Jun Jul Aug Sep Oct Nov Dec" }function monthdigit(mymonth) {return (index(months,mymonth)+3)/4 }

Adding the first "#!..." line to any awk script will allow it to be directly executed from the shell, provided that you "chmod +x myscript" first. The remaining lines define our BEGIN block, which gets executed before awk starts processing our checkbook file. We set FS (the field separator) to "\t+", which tells awk that the fields will be separated by one or more tabs. In addition, we define a string called months that's used by our monthdigit() function, which appears next.

The last three lines show you how to define your own awk function. The format is simple -- type "function", then the function name, and then the parameters separated by commas, inside parentheses. After this, a "{ }" code block contains the code that you'd like this function to execute. All functions can access global variables (like our months variable). In addition, awk provides a "return" statement that allows the function to return a value, and operates similarly to the "return" found in C, Python, and other languages. This particular function converts a month name in a 3-letter string format into its numeric equivalent. For example, this:

print monthdigit("Mar")

....will print this:

3

Now, let's move on to some more functions.

Financial functions

Here are three more functions that perform the bookkeeping for us. Our main code block, which we'll see soon, will process each line of the checkbook file sequentially, calling one of these functions so that the appropriate transactions are recorded in an awk array. There are three basic kinds of transactions, credit (doincome), debit (doexpense) and transfer (dotransfer). You'll notice that all three functions accept one argument, called mybalance. mybalance is a placeholder for a two-dimensional array, which we'll pass in as an argument. Up until now, we haven't dealt with two-dimensional arrays; however, as you can see below, the syntax is quite simple. Just separate each dimension with a comma, and you're in business.

We'll record information into "mybalance" as follows. The first dimension of the array ranges from 0 to 12, and specifies the month, or zero for the entire year. Our second dimension is a four-letter category, like "food" or "inco"; this is the actual category we're dealing with. So, to find the entire year's balance for the food category, you'd look in mybalance[0,"food"]. To find June's income, you'd look in mybalance[6,"inco"].

function doincome(mybalance) {mybalance[curmonth,$3] += amountmybalance[0,$3] += amount }function doexpense(mybalance) {mybalance[curmonth,$2] -= amountmybalance[0,$2] -= amount }function dotransfer(mybalance) {mybalance[0,$2] -= amountmybalance[curmonth,$2] -= amountmybalance[0,$3] += amountmybalance[curmonth,$3] += amount }

When doincome() or any of the other functions are called, we record the transaction in two places -- mybalance[0,category] and mybalance[curmonth, category], the entire year's category balance and the current month's category balance, respectively. This allows us to easily generate either an annual or monthly breakdown of income/expenditures later on.

If you look at these functions, you'll notice that the array referenced by mybalance is passed in by reference. In addition, we also refer to several global variables: curmonth, which holds the numeric value of the month of the current record, $2 (the expense category), $3 (the income category), and amount ($7, the dollar amount). When doincome() and friends are called, all these variables have already been set correctly for the current record (line) being processed.

The main block

Here's the main code block that contains the code that parses each line of input data. Remember, because we have set FS correctly, we can refer to the first field as $1, the second field as $2, etc. When doincome() and friends are called, the functions can access the current values of curmonth, $2, $3 and amount from inside the function. Take a look at the code and meet me on the other side for an explanation.

{curmonth=monthdigit(substr($1,4,3))amount=$7#record all the categories encounteredif ( $2?!= "-" )globcat[$2]="yes"if ( $3?!= "-" )globcat[$3]="yes"#tally up the transaction properlyif ( $2 == "-" ) {if ( $3 == "-" ) {print "Error: inc and exp fields are both blank!"exit 1} else {#this is incomedoincome(balance)if ( $5 == "Y" )doincome(balance2)}} else if ( $3 == "-" ) {#this is an expense doexpense(balance)if ( $5 == "Y" ) doexpense(balance2)} else {#this is a transferdotransfer(balance)if ( $5 == "Y" ) dotransfer(balance2)} }

In the main block, the first two lines set curmonth to an integer between 1 and 12, and set amount to field 7 (to make the code easier to understand). Then, we have four interesting lines, where we write values into an array called globcat. globcat, or the global categories array, is used to record all those categories encountered in the file -- "inco", "misc", "food", "util", etc. For example, if $2 == "inco", we set globcat["inco"] to "yes". Later on, we can iterate through our list of categories with a simple "for (x in globcat)" loop.

On the next twenty or so lines, we analyze fields $2 and $3, and record the transaction appropriately. If $2=="-" and $3!="-", we have some income, so we call doincome(). If the situation is reversed, we call doexpense(); and if both $2 and $3 contain categories, we call dotransfer(). Each time, we pass the "balance" array to these functions so that the appropriate data is recorded there.

You'll also notice several lines that say "if ( $5 == "Y" ), record that same transaction in balance2". What exactly are we doing here? You'll recall that $5 contains either a "Y" or a "N", and records whether the transaction has been posted to the account. Because we record the transaction to balance2 only if the transaction has been posted, balance2 will contain the actual account balance, while "balance" will contain all transactions, whether they have been posted or not. You can use balance2 to verify your data entry (since it should match with your current account balance according to your bank), and use "balance" to make sure that you don't overdraw your account (since it will take into account any checks you have written that have not yet been cashed).

Generating the report

After the main block repeatedly processes each input record, we now have a fairly comprehensive record of debits and credits broken down by category and by month. Now, all we need to do is define an END block that will generate a report, in this case a modest one:

END {bal=0bal2=0 for (x in globcat) {bal=bal+balance[0,x]bal2=bal2+balance2[0,x] }printf("Your available funds:?%10.2f\n", bal)printf("Your account balance:?%10.2f\n", bal2) }

This report prints out a summary that looks something like this:

Your available funds: 1174.22 Your account balance: 2399.33

In our END block, we used the "for (x in globcat)" construct to iterate through every category, tallying up a master balance based on all the transactions recorded. We actually tally up two balances, one for available funds, and another for the account balance. To execute the program and process your own financial goodies that you've entered into a file called?mycheckbook.txt, put all the above code into a text file called?balance?and do?"chmod +x balance", and then type?"./balance mycheckbook.txt". The balance script will then add up all your transactions and print out a two-line balance summary for you.

Upgrades

I use a more advanced version of this program to manage my personal and business finances. My version (which I couldn't include here due to space limitations) prints out a monthly breakdown of income and expenses, including annual totals, net income and a bunch of other stuff. Even better, it outputs the data in HTML format, so that I can view it in a Web browser?:) If you find this program useful, I encourage you to add these features to this script. You won't need to configure it to record any additional information; all the information you need is already in balance and balance2. Just upgrade the END block, and you're in business!

I hope you've enjoyed this series. For more information on awk, check out the resources listed below.

Resources

  • Read Daniel's other awk articles on Funtoo: Awk By Example,?Part 1?and?Part 2.
  • If you'd like a good old-fashioned book,?O'Reilly's sed & awk, 2nd Edition?is a wonderful choice.
  • Be sure to check out the?comp.lang.awk FAQ. It also contains lots of additional awk links.
  • Patrick Hartigan's?awk tutorial?is packed with handy awk scripts.
  • Thompson's TAWK Compiler?compiles awk scripts into fast binary executables. Versions are available for Windows, OS/2, DOS, and UNIX.
  • The GNU Awk User's Guide?is available for online reference.

?

?

?

In defense of awk

In this series of articles, I'm going to turn you into a proficient awk coder. I'll admit, awk doesn't have a very pretty or particularly "hip" name, and the GNU version of awk, called gawk, sounds downright weird. Those unfamiliar with the language may hear "awk" and think of a mess of code so backwards and antiquated that it's capable of driving even the most knowledgeable UNIX guru to the brink of insanity (causing him to repeatedly yelp "kill -9!" as he runs for coffee machine).

Sure, awk doesn't have a great name. But it is a great language. Awk is geared toward text processing and report generation, yet features many well-designed features that allow for serious programming. And, unlike some languages, awk's syntax is familiar, and borrows some of the best parts of languages like C, python, and bash (although, technically, awk was created before both python and bash). Awk is one of those languages that, once learned, will become a key part of your strategic coding arsenal.

The first awk

Let's go ahead and start playing around with awk to see how it works. At the command line, enter the following command:

$ awk '{ print }' /etc/passwd

You should see the contents of your /etc/passwd file appear before your eyes. Now, for an explanation of what awk did. When we called awk, we specified /etc/passwd as our input file. When we executed awk, it evaluated the print command for each line in /etc/passwd, in order. All output is sent to stdout, and we get a result identical to catting /etc/passwd.

Now, for an explanation of the { print } code block. In awk, curly braces are used to group blocks of code together, similar to C. Inside our block of code, we have a single print command. In awk, when a print command appears by itself, the full contents of the current line are printed.

Here is another awk example that does exactly the same thing:

$ awk '{ print $0 }' /etc/passwd

In awk, the $0 variable represents the entire current line, so print and print $0 do exactly the same thing. If you'd like, you can create an awk program that will output data totally unrelated to the input data. Here's an example:

$ awk '{ print "" }' /etc/passwd

Whenever you pass the "" string to the print command, it prints a blank line. If you test this script, you'll find that awk outputs one blank line for every line in your /etc/passwd file. Again, this is because awk executes your script for every line in the input file. Here's another example:

$ awk '{ print "hiya" }' /etc/passwd

Running this script will fill your screen with hiya's.?:)

Multiple fields

Awk is really good at handling text that has been broken into multiple logical fields, and allows you to effortlessly reference each individual field from inside your awk script. The following script will print out a list of all user accounts on your system:

$ awk -F":" '{ print $1 }' /etc/passwd

Above, when we called awk, we use the -F option to specify ":" as the field separator. When awk processes the print $1 command, it will print out the first field that appears on each line in the input file. Here's another example:

$ awk -F":" '{ print $1 $3 }' /etc/passwd

Here's an excerpt of the output from this script:

halt7 operator11 root0 shutdown6 sync5 bin1 ....etc.

As you can see, awk prints out the first and third fields of the /etc/passwd file, which happen to be the username and uid fields respectively. Now, while the script did work, it's not perfect -- there aren't any spaces between the two output fields! If you're used to programming in bash or python, you may have expected the print $1 $3 command to insert a space between the two fields. However, when two strings appear next to each other in an awk program, awk concatenates them without adding an intermediate space. The following command will insert a space between both fields:

$ awk -F":" '{ print $1 " " $3 }' /etc/passwd

When you call print this way, it'll concatenate $1, " ", and $3, creating readable output. Of course, we can also insert some text labels if needed:

$ awk -F":" '{ print "username: " $1 "\t\tuid:" $3 }' /etc/passwd

This will cause the output to be:

username: halt uid:7 username: operator uid:11 username: root uid:0 username: shutdown uid:6 username: sync uid:5 username: bin uid:1 ....etc.

External Scripts

Passing your scripts to awk as a command line argument can be very handy for small one-liners, but when it comes to complex, multi-line programs, you'll definitely want to compose your script in an external file. Awk can then be told to source this script file by passing it the -f option:

$ awk -f myscript.awk myfile.in

Putting your scripts in their own text files also allows you to take advantage of additional awk features. For example, this multi-line script does the same thing as one of our earlier one-liners, printing out the first field of each line in /etc/passwd:

BEGIN { FS=":" } { print $1 }

The difference between these two methods has to do with how we set the field separator. In this script, the field separator is specified within the code itself (by setting the FS variable), while our previous example set FS by passing the -F":" option to awk on the command line. It's generally best to set the field separator inside the script itself, simply because it means you have one less command line argument to remember to type. We'll cover the FS variable in more detail later in this article.

It is also possible to make the script directly executable, by placing a "#!/usr/bin/awk -f" at the top of the file, as follows:

#!/usr/bin/awk -f BEGIN {FS=":" } { print $1 }

Next, the script must be made executable by setting the script file's execute bit:

$ chmod +x myscript.awk

Now, you should be able to execute the script as follows:

$ ./myscript.awk myfile.in

The BEGIN and END blocks

Normally, awk executes each block of your script's code once for each input line. However, there are many programming situations where you may need to execute initialization code before awk begins processing the text from the input file. For such situations, awk allows you to define a BEGIN block. We used a BEGIN block in the previous example. Because the BEGIN block is evaluated before awk starts processing the input file, it's an excellent place to initialize the FS (field separator) variable, print a heading, or initialize other global variables that you'll reference later in the program.

Awk also provides another special block, called the END block. Awk executes this block after all lines in the input file have been processed. Typically, the END block is used to perform final calculations or print summaries that should appear at the end of the output stream.

Regular expressions and blocks

Awk allows the use of regular expressions to selectively execute an individual block of code, depending on whether or not the regular expression matches the current line. Here's an example script that outputs only those lines that contain the character sequence foo:

/foo/ { print }

Of course, you can use more complicated regular expressions. Here's a script that will print only lines that contain a floating point number:

/[0-9]+\.[0-9]*/ { print }

Expressions and blocks

There are many other ways to selectively execute a block of code. We can place any kind of boolean expression before a code block to control when a particular block is executed. Awk will execute a code block only if the preceding boolean expression evaluates to true. The following example script will output the third field of all lines that have a first field equal to fred. If the first field of the current line is not equal to fred, awk will continue processing the file and will not execute the print statement for the current line:

$1 == "fred" { print $3 }

Awk offers a full selection of comparison operators, including the usual "==", "<", ">", "<=", ">=", and "!=". In addition, awk provides the "~" and "!~" operators, which mean "matches" and "does not match". They're used by specifying a variable on the left side of the operator, and a regular expression on the right side. Here's an example that will print only the third field on the line if the fifth field on the same line contains the character sequence root:

$5 ~ /root/ { print $3 }

Conditional statements

Awk also offers very nice C-like if statements. If you'd like, you could rewrite the previous script using an if statement:

{ if ( $5 ~ /root/ ) { print $3 } }

Both scripts function identically. In the first example, the boolean expression is placed outside the block, while in the second example, the block is executed for every input line, and we selectively perform the print command by using an if statement. Both methods are available, and you can choose the one that best meshes with the other parts of your script.

Here's a more complicated example of an awk if statement. As you can see, even with complex, nested conditionals, if statements look identical to their C counterparts:

{if ( $1 == "foo" ) {if ( $2 == "foo" ) {print "uno"} else {print "one"}} else if ($1 == "bar" ) {print "two"} else {print "three"} }

Using if statements, we can also transform this code:

! /matchme/ { print $1 $3 $4 }

to this:

{if ( $0?!~ /matchme/ ) {print $1 $3 $4} }

Both scripts will output only those lines that don't contain a matchme character sequence. Again, you can choose the method that works best for your code. They both do the same thing.

Awk also allows the use of boolean operators "||" (for "logical or") and "&&"(for "logical and") to allow the creation of more complex boolean expressions:

( $1 == "foo" ) && ( $2 == "bar" ) { print }

This example will print only those lines where field one equals foo and field two equals bar.

Numeric variables!

So far, we've either printed strings, the entire line, or specific fields. However, awk also allows us to perform both integer and floating point math. Using mathematical expressions, it's very easy to write a script that counts the number of blank lines in a file. Here's one that does just that:

BEGIN { x=0 } /^$/ { x=x+1 } END { print "I found " x " blank lines.?:)" }

In the BEGIN block, we initialize our integer variable x to zero. Then, each time awk encounters a blank line, awk will execute the x=x+1 statement, incrementing x. After all the lines have been processed, the END block will execute, and awk will print out a final summary, specifying the number of blank lines it found.

Stringy variables

One of the neat things about awk variables is that they are "simple and stringy." I consider awk variables "stringy" because all awk variables are stored internally as strings. At the same time, awk variables are "simple" because you can perform mathematical operations on a variable, and as long as it contains a valid numeric string, awk automatically takes care of the string-to-number conversion steps. To see what I mean, check out this example:

x="1.01" # We just set x to contain the *string* "1.01" x=x+1 # We just added one to a *string* print x # Incidentally, these are comments?:)

Awk will output:

2.01

Interesting! Although we assigned the string value 1.01 to the variable x, we were still able to add one to it. We wouldn't be able to do this in bash or python. First of all, bash doesn't support floating point arithmetic. And, while bash has "stringy" variables, they aren't "simple"; to perform any mathematical operations, bash requires that we enclose our math in an ugly $( ) construct. If we were using python, we would have to explicitly convert our 1.01 string to a floating point value before performing any arithmetic on it. While this isn't difficult, it's still an additional step. With awk, it's all automatic, and that makes our code nice and clean. If we wanted to square and add one to the first field in each input line, we would use this script:

{ print ($1^2)+1 }

If you do a little experimenting, you'll find that if a particular variable doesn't contain a valid number, awk will treat that variable as a numerical zero when it evaluates your mathematical expression.

Lots of operators

Another nice thing about awk is its full complement of mathematical operators. In addition to standard addition, subtraction, multiplication, and division, awk allows us to use the previously demonstrated exponent operator "^", the modulo (remainder) operator "%", and a bunch of other handy assignment operators borrowed from C.

These include pre- and post-increment/decrement ( i++, --foo ), add/sub/mult/div assign operators ( a+=3, b*=2, c/=2.2, d-=6.2 ). But that's not all -- we also get handy modulo/exponent assign ops as well ( a^=2, b%=4 ).

Field separators

Awk has its own complement of special variables. Some of them allow you to fine-tune how awk functions, while others can be read to glean valuable information about the input. We've already touched on one of these special variables, FS. As mentioned earlier, this variable allows you to set the character sequence that awk expects to find between fields. When we were using /etc/passwd as input, FS was set to ":". While this did the trick, FS allows us even more flexibility.

The FS value is not limited to a single character; it can also be set to a regular expression, specifying a character pattern of any length. If you're processing fields separated by one or more tabs, you'll want to set FS like so:

FS="\t+"

Above, we use the special "+" regular expression character, which means "one or more of the previous character".

If your fields are separated by whitespace (one or more spaces or tabs), you may be tempted to set FS to the following regular expression:

FS="[[:space:]]+"

While this assignment will do the trick, it's not necessary. Why? Because by default, FS is set to a single space character, which awk interprets to mean "one or more spaces or tabs." In this particular example, the default FS setting was exactly what you wanted in the first place!

Complex regular expressions are no problem. Even if your records are separated by the word "foo," followed by three digits, the following regular expression will allow your data to be parsed properly:

FS="foo[0-9][0-9][0-9]"

Number of fields

The next two variables we're going to cover are not normally intended to be written to, but are normally read and used to gain useful information about the input. The first is the NF variable, also called the "number of fields" variable. Awk will automatically set this variable to the number of fields in the current record. You can use the NF variable to display only certain input lines:

NF == 3 { print "this particular record has three fields: " $0 }

Of course, you can also use the NF variable in conditional statements, as follows:

{if ( NF > 2 ) {print $1 " " $2 ":" $3 } }

Record number

The record number (NR) is another handy variable. It will always contain the number of the current record (awk counts the first record as record number 1). Up until now, we've been dealing with input files that contain one record per line. For these situations, NR will also tell you the current line number. However, when we start to process multi-line records later in the series, this will no longer be the case, so be careful! NR can be used like the NF variable to print only certain lines of the input:

(NR < 10 ) || (NR > 100) { print "We are on record number 1-9 or 101+" } {#skip headerif ( NR > 10 ) {print "ok, now for the real information!"} }

Awk provides additional variables that can be used for a variety of purposes. We'll cover more of these variables in later articles.

We've come to the end of our initial exploration of awk. As the series continues, I'll demonstrate more advanced awk functionality, and we'll end the series with a real-world awk application.

Resources

  • Read Daniel's other awk articles on Funtoo: Awk By Example,?Part 2?and?Part 3.
  • If you'd like a good old-fashioned book,?O'Reilly's sed & awk, 2nd Edition?is a wonderful choice.
  • Be sure to check out the?comp.lang.awk FAQ. It also contains lots of additional awk links.
  • Patrick Hartigan's?awk tutorial?is packed with handy awk scripts.
  • Thompson's TAWK Compiler?compiles awk scripts into fast binary executables. Versions are available for Windows, OS/2, DOS, and UNIX.
  • The GNU Awk User's Guide?is available for online reference.
  • Awk Command?daily useful examples.

轉載于:https://www.cnblogs.com/davidwang456/p/5280542.html

總結

以上是生活随笔為你收集整理的Awk by Example--转载的全部內容,希望文章能夠幫你解決所遇到的問題。

如果覺得生活随笔網站內容還不錯,歡迎將生活随笔推薦給好友。

东京热无码av男人的天堂 | 国产精华av午夜在线观看 | 久久久婷婷五月亚洲97号色 | 国产美女极度色诱视频www | 99精品久久毛片a片 | 国产亚洲日韩欧美另类第八页 | 超碰97人人做人人爱少妇 | 亚洲大尺度无码无码专区 | 国语精品一区二区三区 | 欧美日韩久久久精品a片 | 激情亚洲一区国产精品 | 荫蒂被男人添的好舒服爽免费视频 | 免费国产成人高清在线观看网站 | 又紧又大又爽精品一区二区 | 少妇愉情理伦片bd | 日本高清一区免费中文视频 | 国产精品a成v人在线播放 | 无码国模国产在线观看 | 国产片av国语在线观看 | 小sao货水好多真紧h无码视频 | 久青草影院在线观看国产 | 国产电影无码午夜在线播放 | 性色欲情网站iwww九文堂 | 九一九色国产 | 人妻互换免费中文字幕 | 亚洲狠狠婷婷综合久久 | 国产黄在线观看免费观看不卡 | 久久久国产精品无码免费专区 | 少妇高潮喷潮久久久影院 | 午夜成人1000部免费视频 | 色综合久久88色综合天天 | 亚洲人成网站色7799 | 久久精品人人做人人综合试看 | 国产精品无码成人午夜电影 | 丁香花在线影院观看在线播放 | 人妻插b视频一区二区三区 | 日韩精品一区二区av在线 | 99久久久国产精品无码免费 | 欧美国产亚洲日韩在线二区 | 老头边吃奶边弄进去呻吟 | 亚洲a无码综合a国产av中文 | 67194成是人免费无码 | 正在播放东北夫妻内射 | 亚洲区小说区激情区图片区 | 久久天天躁狠狠躁夜夜免费观看 | 一本久久a久久精品vr综合 | 强奷人妻日本中文字幕 | 亚洲精品成a人在线观看 | 丰满人妻一区二区三区免费视频 | 中文字幕乱码亚洲无线三区 | 成熟妇人a片免费看网站 | 成人免费无码大片a毛片 | 国产人妻久久精品二区三区老狼 | 国产免费久久久久久无码 | 四虎国产精品免费久久 | 国产精品第一国产精品 | 无码一区二区三区在线观看 | 亚洲精品综合五月久久小说 | 国产精品久久国产精品99 | 强奷人妻日本中文字幕 | 欧美 日韩 人妻 高清 中文 | 国产一区二区三区四区五区加勒比 | 好爽又高潮了毛片免费下载 | 波多野结衣高清一区二区三区 | 在线观看国产午夜福利片 | 久久99久久99精品中文字幕 | 中文字幕精品av一区二区五区 | 亚洲a无码综合a国产av中文 | 在线亚洲高清揄拍自拍一品区 | 亚洲精品一区二区三区四区五区 | 亚洲人成网站在线播放942 | 美女张开腿让人桶 | 日韩视频 中文字幕 视频一区 | 国产明星裸体无码xxxx视频 | 人妻体内射精一区二区三四 | 国产午夜福利100集发布 | 亚洲精品综合一区二区三区在线 | 伊人久久大香线蕉午夜 | 无码一区二区三区在线 | 日韩欧美中文字幕在线三区 | 女人被男人爽到呻吟的视频 | 欧美精品免费观看二区 | 人妻天天爽夜夜爽一区二区 | 少妇高潮喷潮久久久影院 | 国产女主播喷水视频在线观看 | 丝袜人妻一区二区三区 | 强奷人妻日本中文字幕 | 激情内射亚州一区二区三区爱妻 | 精品无码av一区二区三区 | 在线 国产 欧美 亚洲 天堂 | 一本久久伊人热热精品中文字幕 | 国产亚洲欧美日韩亚洲中文色 | 真人与拘做受免费视频一 | 97精品人妻一区二区三区香蕉 | 成人亚洲精品久久久久软件 | 性做久久久久久久久 | 国产亚洲视频中文字幕97精品 | 国产一区二区不卡老阿姨 | 伊人色综合久久天天小片 | 久久精品人人做人人综合 | 中文字幕 人妻熟女 | 国产亚洲人成a在线v网站 | 初尝人妻少妇中文字幕 | 亚洲一区二区三区 | 人妻aⅴ无码一区二区三区 | 麻豆人妻少妇精品无码专区 | 日本在线高清不卡免费播放 | aⅴ亚洲 日韩 色 图网站 播放 | 亚洲一区二区三区在线观看网站 | 国产精品久久久久影院嫩草 | 久久久精品国产sm最大网站 | 激情国产av做激情国产爱 | 久久精品国产99精品亚洲 | 亚洲色欲色欲欲www在线 | 亚洲啪av永久无码精品放毛片 | 国产av无码专区亚洲a∨毛片 | 亚洲热妇无码av在线播放 | 免费视频欧美无人区码 | 欧美xxxx黑人又粗又长 | 国产精品久久久久久久影院 | 亚洲精品美女久久久久久久 | 中文字幕av日韩精品一区二区 | 九月婷婷人人澡人人添人人爽 | 99精品视频在线观看免费 | 欧美激情内射喷水高潮 | 亚洲精品午夜无码电影网 | 极品尤物被啪到呻吟喷水 | 无码一区二区三区在线观看 | 亚洲国精产品一二二线 | 午夜精品一区二区三区在线观看 | 啦啦啦www在线观看免费视频 | 国产精品免费大片 | 欧美日本精品一区二区三区 | 久久亚洲日韩精品一区二区三区 | 国产色视频一区二区三区 | 中文无码精品a∨在线观看不卡 | 久久久久久久久888 | 宝宝好涨水快流出来免费视频 | 国语自产偷拍精品视频偷 | 国产后入清纯学生妹 | 久久国产劲爆∧v内射 | 免费国产成人高清在线观看网站 | 久久久久国色av免费观看性色 | 澳门永久av免费网站 | 亚洲 激情 小说 另类 欧美 | 久久99精品久久久久久 | 久久久中文久久久无码 | 亚洲s色大片在线观看 | 国产一区二区三区日韩精品 | 午夜丰满少妇性开放视频 | 日本大乳高潮视频在线观看 | 亚洲人成网站免费播放 | 一个人看的www免费视频在线观看 | 欧美丰满熟妇xxxx性ppx人交 | 国产精品亚洲五月天高清 | 国产人成高清在线视频99最全资源 | 久久精品中文字幕大胸 | 日韩亚洲欧美精品综合 | 国产成人综合色在线观看网站 | 亚洲男女内射在线播放 | 国产又爽又黄又刺激的视频 | 在线 国产 欧美 亚洲 天堂 | 无码一区二区三区在线观看 | 性史性农村dvd毛片 | 人妻夜夜爽天天爽三区 | 欧美丰满老熟妇xxxxx性 | 精品人人妻人人澡人人爽人人 | 少妇人妻偷人精品无码视频 | 久久精品国产大片免费观看 | 成人无码精品1区2区3区免费看 | 无码人妻精品一区二区三区下载 | √8天堂资源地址中文在线 | 国产极品美女高潮无套在线观看 | 成人女人看片免费视频放人 | 天海翼激烈高潮到腰振不止 | 日产国产精品亚洲系列 | 高潮毛片无遮挡高清免费 | 国产超碰人人爽人人做人人添 | 无码国产色欲xxxxx视频 | 亚洲一区二区三区无码久久 | 日本一区二区三区免费播放 | 无码国产乱人伦偷精品视频 | 国内精品一区二区三区不卡 | 装睡被陌生人摸出水好爽 | 成人欧美一区二区三区黑人免费 | 欧美高清在线精品一区 | 精品久久久中文字幕人妻 | 成人欧美一区二区三区黑人 | 欧美黑人性暴力猛交喷水 | 婷婷五月综合缴情在线视频 | 高潮喷水的毛片 | 欧美日韩一区二区三区自拍 | 国产真实伦对白全集 | 久久久久免费精品国产 | 思思久久99热只有频精品66 | 国产精品第一区揄拍无码 | 久久久久国色av免费观看性色 | 久久精品人人做人人综合试看 | 图片小说视频一区二区 | 无码人妻丰满熟妇区五十路百度 | 男人扒开女人内裤强吻桶进去 | 久久国产精品二国产精品 | 狂野欧美性猛交免费视频 | 蜜桃臀无码内射一区二区三区 | 在线观看国产午夜福利片 | 超碰97人人射妻 | 亚洲欧洲日本无在线码 | 欧美日韩综合一区二区三区 | 免费乱码人妻系列无码专区 | a国产一区二区免费入口 | 国产人妻精品一区二区三区 | 日本乱偷人妻中文字幕 | 亚洲一区二区三区无码久久 | 久久99精品久久久久久动态图 | 亚洲色www成人永久网址 | 国产99久久精品一区二区 | 人人爽人人澡人人高潮 | 欧美三级a做爰在线观看 | 亚洲gv猛男gv无码男同 | 九九综合va免费看 | 狂野欧美激情性xxxx | 久久精品女人天堂av免费观看 | 久久精品成人欧美大片 | 久久综合久久自在自线精品自 | 大胆欧美熟妇xx | 成人aaa片一区国产精品 | 无码播放一区二区三区 | 欧美国产亚洲日韩在线二区 | 伊人久久大香线蕉亚洲 | 色婷婷av一区二区三区之红樱桃 | 免费观看的无遮挡av | 荫蒂添的好舒服视频囗交 | 成人性做爰aaa片免费看 | 自拍偷自拍亚洲精品被多人伦好爽 | 丰满少妇高潮惨叫视频 | 少妇久久久久久人妻无码 | 精品厕所偷拍各类美女tp嘘嘘 | 日产国产精品亚洲系列 | 丝袜美腿亚洲一区二区 | 国产精品久久久久9999小说 | 亚洲日本va午夜在线电影 | 在线精品国产一区二区三区 | 欧美 亚洲 国产 另类 | 国产精品免费大片 | 欧美精品免费观看二区 | 精品人妻人人做人人爽 | 日本丰满护士爆乳xxxx | 中文无码精品a∨在线观看不卡 | 午夜精品久久久久久久久 | 欧美精品国产综合久久 | 国精品人妻无码一区二区三区蜜柚 | 日本丰满护士爆乳xxxx | 亚洲一区av无码专区在线观看 | 动漫av网站免费观看 | 中文字幕 人妻熟女 | 国产香蕉尹人视频在线 | 国产精品内射视频免费 | 国产午夜无码精品免费看 | 成人无码视频免费播放 | 国产精品国产自线拍免费软件 | 国产内射老熟女aaaa | 色妞www精品免费视频 | 久久亚洲精品中文字幕无男同 | 少妇无码一区二区二三区 | 99久久久国产精品无码免费 | 国产激情综合五月久久 | 十八禁视频网站在线观看 | 国产精品久久久久无码av色戒 | 国产精品国产自线拍免费软件 | 色一情一乱一伦一区二区三欧美 | 国产va免费精品观看 | 亚洲呦女专区 | 国产成人无码av一区二区 | 色婷婷欧美在线播放内射 | 国产精品内射视频免费 | 国产精品a成v人在线播放 | 免费网站看v片在线18禁无码 | 欧美日韩综合一区二区三区 | 黑人粗大猛烈进出高潮视频 | 东京热男人av天堂 | 精品国产av色一区二区深夜久久 | 国产内射爽爽大片视频社区在线 | 内射爽无广熟女亚洲 | 无码人妻精品一区二区三区下载 | 天堂无码人妻精品一区二区三区 | www一区二区www免费 | 亚洲精品国产精品乱码不卡 | 国产精品永久免费视频 | 亚洲精品一区三区三区在线观看 | 任你躁国产自任一区二区三区 | 欧美精品一区二区精品久久 | 性生交大片免费看女人按摩摩 | 国产乱人伦app精品久久 国产在线无码精品电影网 国产国产精品人在线视 | 久久久久久国产精品无码下载 | 国产人妻精品午夜福利免费 | 亚洲自偷自偷在线制服 | 日本一区二区三区免费高清 | 99精品视频在线观看免费 | 精品亚洲韩国一区二区三区 | 又粗又大又硬又长又爽 | 亚洲第一无码av无码专区 | 色综合久久网 | 曰本女人与公拘交酡免费视频 | 精品欧美一区二区三区久久久 | 风流少妇按摩来高潮 | 午夜不卡av免费 一本久久a久久精品vr综合 | 国内精品人妻无码久久久影院 | 在线a亚洲视频播放在线观看 | 18无码粉嫩小泬无套在线观看 | 国产精品人人爽人人做我的可爱 | 乱人伦中文视频在线观看 | 色老头在线一区二区三区 | 无遮挡国产高潮视频免费观看 | 国产国语老龄妇女a片 | 亚洲成熟女人毛毛耸耸多 | 精品厕所偷拍各类美女tp嘘嘘 | 婷婷综合久久中文字幕蜜桃三电影 | 亚洲小说春色综合另类 | 色狠狠av一区二区三区 | a在线亚洲男人的天堂 | 国语自产偷拍精品视频偷 | 国产一区二区三区精品视频 | 久久精品国产一区二区三区 | 国产精品人妻一区二区三区四 | 青草青草久热国产精品 | 少妇人妻偷人精品无码视频 | 国产精品欧美成人 | 精品厕所偷拍各类美女tp嘘嘘 | 国产性生大片免费观看性 | 亚洲午夜福利在线观看 | 成人女人看片免费视频放人 | 精品人妻av区 | 日日干夜夜干 | 亚洲欧美色中文字幕在线 | 在线欧美精品一区二区三区 | 午夜福利一区二区三区在线观看 | 国产suv精品一区二区五 | 国产精品.xx视频.xxtv | 中国女人内谢69xxxx | 亚洲综合精品香蕉久久网 | 一区二区三区乱码在线 | 欧洲 | 无码乱肉视频免费大全合集 | 四虎国产精品免费久久 | 亚洲精品一区三区三区在线观看 | 国产精品无套呻吟在线 | 国产 精品 自在自线 | 麻豆果冻传媒2021精品传媒一区下载 | 一本一道久久综合久久 | 国产xxx69麻豆国语对白 | 亚洲国产一区二区三区在线观看 | 国产精品久久久久久亚洲影视内衣 | 西西人体www44rt大胆高清 | 成熟女人特级毛片www免费 | 国产精品亚洲а∨无码播放麻豆 | 熟妇人妻无乱码中文字幕 | 亚洲国产高清在线观看视频 | 色婷婷综合中文久久一本 | 人人妻人人澡人人爽精品欧美 | 色综合久久久无码网中文 | 蜜臀aⅴ国产精品久久久国产老师 | 人妻中文无码久热丝袜 | 免费人成在线视频无码 | 强开小婷嫩苞又嫩又紧视频 | 131美女爱做视频 | 麻豆国产丝袜白领秘书在线观看 | 亚欧洲精品在线视频免费观看 | 天天燥日日燥 | 小sao货水好多真紧h无码视频 | 国产av无码专区亚洲awww | 一本久久伊人热热精品中文字幕 | 男女超爽视频免费播放 | 97精品国产97久久久久久免费 | 国产日产欧产精品精品app | 久久精品中文字幕大胸 | 精品无码一区二区三区爱欲 | 图片小说视频一区二区 | 国产精品成人av在线观看 | 久久成人a毛片免费观看网站 | 人妻插b视频一区二区三区 | 亚洲成a人片在线观看日本 | 俺去俺来也在线www色官网 | 亚洲娇小与黑人巨大交 | 国产乱人伦av在线无码 | 丰满护士巨好爽好大乳 | 日本大香伊一区二区三区 | 国产亚洲人成在线播放 | 无码吃奶揉捏奶头高潮视频 | 中文字幕日产无线码一区 | 99久久亚洲精品无码毛片 | 四虎4hu永久免费 | 男人的天堂av网站 | 亚洲乱码国产乱码精品精 | 国产 精品 自在自线 | 国产午夜福利亚洲第一 | 亚洲国产日韩a在线播放 | 日韩精品成人一区二区三区 | 中文字幕人妻丝袜二区 | 欧美 丝袜 自拍 制服 另类 | 午夜福利一区二区三区在线观看 | 亚洲男女内射在线播放 | 久久精品中文字幕大胸 | 亚洲中文字幕无码一久久区 | 日韩少妇内射免费播放 | 精品国产乱码久久久久乱码 | 蜜臀av在线播放 久久综合激激的五月天 | 天天躁夜夜躁狠狠是什么心态 | 草草网站影院白丝内射 | 亚洲娇小与黑人巨大交 | 国产人妻人伦精品1国产丝袜 | 日本精品人妻无码77777 天堂一区人妻无码 | 丰满少妇弄高潮了www | 国内老熟妇对白xxxxhd | 秋霞成人午夜鲁丝一区二区三区 | 久久午夜无码鲁丝片午夜精品 | 国产成人无码专区 | 波多野结衣一区二区三区av免费 | 国色天香社区在线视频 | 久9re热视频这里只有精品 | 熟女少妇人妻中文字幕 | 日本大乳高潮视频在线观看 | www国产亚洲精品久久网站 | 亚洲午夜福利在线观看 | 久久zyz资源站无码中文动漫 | 又大又硬又黄的免费视频 | 女高中生第一次破苞av | 国产sm调教视频在线观看 | а√天堂www在线天堂小说 | 久久天天躁狠狠躁夜夜免费观看 | 精品成在人线av无码免费看 | 欧美自拍另类欧美综合图片区 | 亚洲欧美日韩综合久久久 | 男人的天堂av网站 | 久久亚洲精品中文字幕无男同 | 国产成人无码av片在线观看不卡 | 人人妻人人澡人人爽人人精品浪潮 | 伊人久久大香线焦av综合影院 | 亚洲 日韩 欧美 成人 在线观看 | 国产99久久精品一区二区 | 日本一卡2卡3卡四卡精品网站 | 国产乡下妇女做爰 | yw尤物av无码国产在线观看 | 在教室伦流澡到高潮hnp视频 | 一本加勒比波多野结衣 | 欧美 日韩 人妻 高清 中文 | 国产美女精品一区二区三区 | 国产偷国产偷精品高清尤物 | 无码乱肉视频免费大全合集 | 久久综合九色综合欧美狠狠 | 在线播放亚洲第一字幕 | 欧美黑人性暴力猛交喷水 | 国色天香社区在线视频 | 亚洲国产精品久久久天堂 | 中文字幕无线码 | 久热国产vs视频在线观看 | 婷婷五月综合激情中文字幕 | 无码毛片视频一区二区本码 | 精品国产青草久久久久福利 | 领导边摸边吃奶边做爽在线观看 | 老太婆性杂交欧美肥老太 | 性欧美疯狂xxxxbbbb | 亚洲国产精品无码一区二区三区 | 红桃av一区二区三区在线无码av | 亚洲一区二区三区 | 草草网站影院白丝内射 | 色综合久久久无码中文字幕 | 97夜夜澡人人爽人人喊中国片 | 国产亚洲精品久久久久久 | 鲁大师影院在线观看 | 欧美日韩视频无码一区二区三 | 国产成人无码区免费内射一片色欲 | 亚洲人成人无码网www国产 | 国产成人精品三级麻豆 | 午夜性刺激在线视频免费 | 国产精品久久久久久久影院 | 久久亚洲日韩精品一区二区三区 | 国产人妻精品午夜福利免费 | 特大黑人娇小亚洲女 | 人人妻人人藻人人爽欧美一区 | 久久久精品欧美一区二区免费 | 精品国产一区二区三区四区在线看 | 成人av无码一区二区三区 | 久久zyz资源站无码中文动漫 | 久久久中文久久久无码 | 亚洲精品国偷拍自产在线麻豆 | 国产欧美熟妇另类久久久 | 国产亚洲精品久久久久久大师 | 亚洲中文字幕乱码av波多ji | 国产精品a成v人在线播放 | 娇妻被黑人粗大高潮白浆 | 在线观看免费人成视频 | 亚洲精品一区二区三区四区五区 | 又大又黄又粗又爽的免费视频 | 国产亚洲欧美日韩亚洲中文色 | 国产在线aaa片一区二区99 | 亚洲精品一区二区三区大桥未久 | 国产综合久久久久鬼色 | 日日摸日日碰夜夜爽av | 国产偷自视频区视频 | 色妞www精品免费视频 | 少妇无套内谢久久久久 | 中文亚洲成a人片在线观看 | 日韩在线不卡免费视频一区 | 精品人人妻人人澡人人爽人人 | 成人性做爰aaa片免费看不忠 | 国产偷国产偷精品高清尤物 | 欧美国产日韩亚洲中文 | 国产又爽又猛又粗的视频a片 | 人人澡人人妻人人爽人人蜜桃 | 国产人妻精品一区二区三区不卡 | 午夜精品久久久久久久久 | 欧美肥老太牲交大战 | 99国产精品白浆在线观看免费 | 一本大道伊人av久久综合 | 欧美成人午夜精品久久久 | 天天做天天爱天天爽综合网 | 东京热无码av男人的天堂 | 国产人妻精品午夜福利免费 | 亚洲精品久久久久avwww潮水 | 国产精品免费大片 | 国产艳妇av在线观看果冻传媒 | 日本va欧美va欧美va精品 | 蜜臀aⅴ国产精品久久久国产老师 | 欧美熟妇另类久久久久久多毛 | 欧洲美熟女乱又伦 | 131美女爱做视频 | 欧美成人免费全部网站 | 东京一本一道一二三区 | 女人高潮内射99精品 | 在线观看国产一区二区三区 | 中文字幕av无码一区二区三区电影 | 欧美亚洲日韩国产人成在线播放 | 性色av无码免费一区二区三区 | 亚洲 高清 成人 动漫 | 久久人人爽人人爽人人片ⅴ | 久久zyz资源站无码中文动漫 | 奇米影视7777久久精品人人爽 | 国产香蕉97碰碰久久人人 | 国产成人av免费观看 | 动漫av一区二区在线观看 | 欧美猛少妇色xxxxx | 日日鲁鲁鲁夜夜爽爽狠狠 | 最近中文2019字幕第二页 | 欧美肥老太牲交大战 | 国产特级毛片aaaaaaa高清 | 精品国产aⅴ无码一区二区 | 曰本女人与公拘交酡免费视频 | 国产综合久久久久鬼色 | 一区二区三区高清视频一 | 亚洲国产精品成人久久蜜臀 | 特级做a爰片毛片免费69 | 久久熟妇人妻午夜寂寞影院 | 亚洲欧美中文字幕5发布 | 97精品人妻一区二区三区香蕉 | 国产舌乚八伦偷品w中 | 4hu四虎永久在线观看 | 国内综合精品午夜久久资源 | 少妇无套内谢久久久久 | 国产精品无码久久av | 99久久久无码国产精品免费 | 全黄性性激高免费视频 | 国产成人精品三级麻豆 | 内射巨臀欧美在线视频 | 樱花草在线播放免费中文 | 麻豆果冻传媒2021精品传媒一区下载 | 色情久久久av熟女人妻网站 | 无码国模国产在线观看 | 亚洲欧美综合区丁香五月小说 | 狠狠色丁香久久婷婷综合五月 | 亚洲欧美色中文字幕在线 | 国内精品一区二区三区不卡 | 国内少妇偷人精品视频 | 少妇无套内谢久久久久 | 人妻插b视频一区二区三区 | 乱码av麻豆丝袜熟女系列 | 噜噜噜亚洲色成人网站 | 无套内射视频囯产 | 中文无码精品a∨在线观看不卡 | 综合网日日天干夜夜久久 | 奇米综合四色77777久久 东京无码熟妇人妻av在线网址 | 国产亚洲精品久久久久久大师 | 日日碰狠狠丁香久燥 | 亚洲天堂2017无码中文 | 亚洲aⅴ无码成人网站国产app | 性欧美大战久久久久久久 | 99精品无人区乱码1区2区3区 | 久久zyz资源站无码中文动漫 | 国产午夜无码精品免费看 | 亚洲精品久久久久中文第一幕 | 精品人妻中文字幕有码在线 | 丰满少妇弄高潮了www | 丰满岳乱妇在线观看中字无码 | 亚洲中文字幕无码一久久区 | 亚洲精品综合五月久久小说 | 人人妻人人澡人人爽人人精品浪潮 | 中文字幕无码热在线视频 | 午夜成人1000部免费视频 | 国产高潮视频在线观看 | 性史性农村dvd毛片 | 亚洲精品无码国产 | 丰满妇女强制高潮18xxxx | 三上悠亚人妻中文字幕在线 | 国产乱子伦视频在线播放 | 在线播放免费人成毛片乱码 | 中文久久乱码一区二区 | 亚洲最大成人网站 | 久久国产自偷自偷免费一区调 | 午夜福利一区二区三区在线观看 | 久久伊人色av天堂九九小黄鸭 | aⅴ在线视频男人的天堂 | 中文字幕av伊人av无码av | 嫩b人妻精品一区二区三区 | 欧美国产日韩久久mv | 中国女人内谢69xxxxxa片 | 牲交欧美兽交欧美 | 97久久精品无码一区二区 | 欧美一区二区三区视频在线观看 | 露脸叫床粗话东北少妇 | 老熟女重囗味hdxx69 | 99er热精品视频 | 黄网在线观看免费网站 | 国产疯狂伦交大片 | 国产免费无码一区二区视频 | 国产激情无码一区二区app | 强奷人妻日本中文字幕 | 老子影院午夜伦不卡 | 国产午夜亚洲精品不卡下载 | 熟妇女人妻丰满少妇中文字幕 | 少妇愉情理伦片bd | 久久精品国产精品国产精品污 | 国精产品一区二区三区 | 国产精品igao视频网 | 无人区乱码一区二区三区 | 日本一卡2卡3卡四卡精品网站 | 久久久久久久女国产乱让韩 | 牲欲强的熟妇农村老妇女视频 | 日韩欧美中文字幕公布 | 欧美丰满熟妇xxxx性ppx人交 | 国产激情艳情在线看视频 | 无码人妻精品一区二区三区下载 | 人妻中文无码久热丝袜 | 中文字幕无码日韩专区 | 日本一卡二卡不卡视频查询 | 双乳奶水饱满少妇呻吟 | 东京无码熟妇人妻av在线网址 | 亚洲综合无码一区二区三区 | 无码国内精品人妻少妇 | 搡女人真爽免费视频大全 | 欧美老人巨大xxxx做受 | 无码国内精品人妻少妇 | 国产成人无码av片在线观看不卡 | 人妻少妇精品无码专区二区 | 亚洲色欲色欲天天天www | 又湿又紧又大又爽a视频国产 | 少妇人妻av毛片在线看 | 中文无码成人免费视频在线观看 | 午夜男女很黄的视频 | 亚洲色欲色欲欲www在线 | 国产午夜手机精彩视频 | 国产一区二区三区四区五区加勒比 | 捆绑白丝粉色jk震动捧喷白浆 | 国产成人无码av一区二区 | 免费乱码人妻系列无码专区 | 久久精品国产一区二区三区 | 日本又色又爽又黄的a片18禁 | 国产情侣作爱视频免费观看 | 亚洲成熟女人毛毛耸耸多 | 无码吃奶揉捏奶头高潮视频 | 日日夜夜撸啊撸 | 性欧美疯狂xxxxbbbb | 18禁黄网站男男禁片免费观看 | 老熟女重囗味hdxx69 | 色婷婷香蕉在线一区二区 | 久久久精品人妻久久影视 | 欧美日本精品一区二区三区 | 久9re热视频这里只有精品 | 老太婆性杂交欧美肥老太 | 永久免费观看国产裸体美女 | 无码人妻少妇伦在线电影 | 久久天天躁夜夜躁狠狠 | 免费人成在线视频无码 | 国内精品久久久久久中文字幕 | 亚洲日韩乱码中文无码蜜桃臀网站 | 色欲久久久天天天综合网精品 | 精品国产一区二区三区四区 | 性做久久久久久久免费看 | 午夜福利一区二区三区在线观看 | 久久久精品456亚洲影院 | aa片在线观看视频在线播放 | 亚洲国产精品毛片av不卡在线 | 久久人人爽人人爽人人片av高清 | 日韩欧美中文字幕公布 | 国产精品18久久久久久麻辣 | 成人无码精品一区二区三区 | 99久久久国产精品无码免费 | 亚洲欧洲日本无在线码 | 国产内射爽爽大片视频社区在线 | 日产精品高潮呻吟av久久 | 欧美亚洲日韩国产人成在线播放 | 国产人妻精品一区二区三区 | 亚洲无人区午夜福利码高清完整版 | 精品无码国产一区二区三区av | 午夜丰满少妇性开放视频 | 国产亚洲日韩欧美另类第八页 | 国产精品美女久久久网av | 噜噜噜亚洲色成人网站 | 国产免费久久久久久无码 | 国产精品久久久午夜夜伦鲁鲁 | 日本精品久久久久中文字幕 | 亚洲精品一区三区三区在线观看 | 狠狠色丁香久久婷婷综合五月 | 日本乱人伦片中文三区 | 图片区 小说区 区 亚洲五月 | 少妇性荡欲午夜性开放视频剧场 | 内射巨臀欧美在线视频 | 亚洲精品久久久久中文第一幕 | 欧美日本日韩 | 无码人妻av免费一区二区三区 | 国产乱人伦av在线无码 | 久久精品中文字幕一区 | 国产农村乱对白刺激视频 | 国产精品欧美成人 | 精品乱码久久久久久久 | 狠狠综合久久久久综合网 | 玩弄人妻少妇500系列视频 | 国产性生大片免费观看性 | 亚洲中文字幕在线无码一区二区 | 欧美大屁股xxxxhd黑色 | 日日摸夜夜摸狠狠摸婷婷 | 中文字幕无码乱人伦 | 欧美大屁股xxxxhd黑色 | 97久久国产亚洲精品超碰热 | 成人女人看片免费视频放人 | 性欧美牲交xxxxx视频 | 日本免费一区二区三区最新 | 欧美日韩综合一区二区三区 | 国产婷婷色一区二区三区在线 | 久久国产36精品色熟妇 | 无码人妻少妇伦在线电影 | 欧美xxxx黑人又粗又长 | 亚洲 另类 在线 欧美 制服 | 少妇邻居内射在线 | 亚洲日韩乱码中文无码蜜桃臀网站 | 国产成人无码午夜视频在线观看 | 国产精品免费大片 | 亚洲男女内射在线播放 | 亚洲欧洲中文日韩av乱码 | 欧美xxxx黑人又粗又长 | 18无码粉嫩小泬无套在线观看 | 好男人www社区 | 国内综合精品午夜久久资源 | 18黄暴禁片在线观看 | 国产网红无码精品视频 | 久久精品一区二区三区四区 | 中文字幕乱码人妻无码久久 | 国产精品美女久久久 | 日本大香伊一区二区三区 | 久久久国产一区二区三区 | 久久久无码中文字幕久... | 久久人妻内射无码一区三区 | 77777熟女视频在线观看 а天堂中文在线官网 | 97se亚洲精品一区 | 对白脏话肉麻粗话av | 亚洲熟妇自偷自拍另类 | 国产亚洲tv在线观看 | 帮老师解开蕾丝奶罩吸乳网站 | 啦啦啦www在线观看免费视频 | 日韩欧美中文字幕公布 | 亚欧洲精品在线视频免费观看 | 久久久久久久久888 | 国产高清av在线播放 | 少妇性l交大片欧洲热妇乱xxx | 国产香蕉97碰碰久久人人 | 狠狠色欧美亚洲狠狠色www | 亚洲一区二区三区偷拍女厕 | 露脸叫床粗话东北少妇 | 精品欧洲av无码一区二区三区 | 国产成人亚洲综合无码 | 日本爽爽爽爽爽爽在线观看免 | 精品无码av一区二区三区 | 红桃av一区二区三区在线无码av | 人人澡人人透人人爽 | 国产成人人人97超碰超爽8 | 99久久人妻精品免费一区 | 强伦人妻一区二区三区视频18 | 性做久久久久久久免费看 | 激情五月综合色婷婷一区二区 | 亚洲国产精品毛片av不卡在线 | 日本成熟视频免费视频 | 国产成人无码av片在线观看不卡 | 国产精品久久国产精品99 | 亚洲小说图区综合在线 | 香港三级日本三级妇三级 | 十八禁视频网站在线观看 | 鲁鲁鲁爽爽爽在线视频观看 | 久久 国产 尿 小便 嘘嘘 | 亚洲日韩av一区二区三区中文 | 熟妇人妻无乱码中文字幕 | 麻豆精产国品 | 色欲久久久天天天综合网精品 | 秋霞成人午夜鲁丝一区二区三区 | 久久综合九色综合97网 | 婷婷色婷婷开心五月四房播播 | 国产精品久久久久久久影院 | 欧美人与物videos另类 | 乱人伦人妻中文字幕无码久久网 | 精品一二三区久久aaa片 | 少妇被粗大的猛进出69影院 | 国产麻豆精品精东影业av网站 | 精品aⅴ一区二区三区 | 国产97人人超碰caoprom | 国产av一区二区三区最新精品 | 亚洲一区二区三区四区 | 少妇人妻偷人精品无码视频 | 亚洲欧美中文字幕5发布 | 久久人人爽人人人人片 | 亚洲码国产精品高潮在线 | 国产欧美精品一区二区三区 | 男女下面进入的视频免费午夜 | 国产精品亚洲一区二区三区喷水 | 日韩欧美成人免费观看 | 亚洲区欧美区综合区自拍区 | 国产精品久久福利网站 | 欧美阿v高清资源不卡在线播放 | 亚洲 高清 成人 动漫 | 亚洲va中文字幕无码久久不卡 | 97夜夜澡人人爽人人喊中国片 | 免费观看激色视频网站 | 伊人久久婷婷五月综合97色 | 99re在线播放 | 草草网站影院白丝内射 | 国语自产偷拍精品视频偷 | 麻豆国产97在线 | 欧洲 | 麻豆国产97在线 | 欧洲 | 国产精品久久久久久久9999 | 亚洲午夜福利在线观看 | 六十路熟妇乱子伦 | 无码人妻丰满熟妇区毛片18 | 国产超碰人人爽人人做人人添 | 日本va欧美va欧美va精品 | 狠狠色噜噜狠狠狠7777奇米 | 国产亚洲精品久久久久久久久动漫 | 国产熟妇另类久久久久 | 日韩精品一区二区av在线 | 我要看www免费看插插视频 | 少妇高潮一区二区三区99 | 久久人妻内射无码一区三区 | 亚洲国产一区二区三区在线观看 | 波多野结衣乳巨码无在线观看 | 国产特级毛片aaaaaa高潮流水 | аⅴ资源天堂资源库在线 | 国产国语老龄妇女a片 | 狠狠cao日日穞夜夜穞av | 2020久久超碰国产精品最新 | 国产性生大片免费观看性 | 一本久道久久综合婷婷五月 | 女人和拘做爰正片视频 | 亚洲色偷偷男人的天堂 | 日韩精品成人一区二区三区 | 人人妻人人澡人人爽欧美一区九九 | 亚洲七七久久桃花影院 | а√资源新版在线天堂 | 亚洲乱码国产乱码精品精 | 国产精品办公室沙发 | 精品国产一区二区三区四区 | 日韩精品乱码av一区二区 | 大胆欧美熟妇xx | 午夜精品一区二区三区的区别 | 无码一区二区三区在线观看 | 131美女爱做视频 | 蜜臀av无码人妻精品 | 18精品久久久无码午夜福利 | 中文字幕色婷婷在线视频 | 国产无av码在线观看 | 国产农村妇女aaaaa视频 撕开奶罩揉吮奶头视频 | 妺妺窝人体色www在线小说 | 中文字幕色婷婷在线视频 | aa片在线观看视频在线播放 | 无码人妻精品一区二区三区不卡 | 国产精品理论片在线观看 | 55夜色66夜色国产精品视频 | 国产一区二区三区精品视频 | 午夜福利不卡在线视频 | 日韩人妻系列无码专区 | 欧美性生交xxxxx久久久 | 亚洲日韩精品欧美一区二区 | 性色欲情网站iwww九文堂 | 精品无码国产一区二区三区av | 欧美日韩亚洲国产精品 | 天天躁日日躁狠狠躁免费麻豆 | 亚洲色大成网站www | 国产精品人人妻人人爽 | 少妇无码吹潮 | 永久免费观看美女裸体的网站 | 精品一区二区三区无码免费视频 | 亚洲国产精华液网站w | 天天摸天天碰天天添 | 亚洲国产av精品一区二区蜜芽 | 色情久久久av熟女人妻网站 | 婷婷六月久久综合丁香 | 日日摸日日碰夜夜爽av | 日韩欧美中文字幕在线三区 | 伊人久久大香线蕉av一区二区 | 美女黄网站人色视频免费国产 | 欧美丰满少妇xxxx性 | 蜜桃臀无码内射一区二区三区 | 疯狂三人交性欧美 | 男人扒开女人内裤强吻桶进去 | 国产网红无码精品视频 | 日韩精品无码一区二区中文字幕 | 少妇久久久久久人妻无码 | 欧美喷潮久久久xxxxx | 欧美激情一区二区三区成人 | 又大又硬又黄的免费视频 | 人妻无码αv中文字幕久久琪琪布 | 一本久道久久综合婷婷五月 | 亚洲乱码日产精品bd | 一本色道婷婷久久欧美 | 蜜臀av在线播放 久久综合激激的五月天 | 久久 国产 尿 小便 嘘嘘 | 无码播放一区二区三区 | 色欲人妻aaaaaaa无码 | 东京一本一道一二三区 | 国产深夜福利视频在线 | 久久国产精品偷任你爽任你 | 国产超碰人人爽人人做人人添 | 国产精品国产三级国产专播 | 影音先锋中文字幕无码 | а√天堂www在线天堂小说 | 免费网站看v片在线18禁无码 | 国产成人无码午夜视频在线观看 | 国产人成高清在线视频99最全资源 | 美女扒开屁股让男人桶 | 国产午夜亚洲精品不卡 | 欧美国产亚洲日韩在线二区 | 婷婷五月综合激情中文字幕 | 性色欲情网站iwww九文堂 | 无遮挡国产高潮视频免费观看 | 精品欧美一区二区三区久久久 | 国产熟妇另类久久久久 | 日本精品人妻无码免费大全 | 任你躁国产自任一区二区三区 | 日本免费一区二区三区最新 | 18精品久久久无码午夜福利 | 成人aaa片一区国产精品 | 福利一区二区三区视频在线观看 | 久久99精品国产.久久久久 | 秋霞成人午夜鲁丝一区二区三区 | 夜精品a片一区二区三区无码白浆 | 色窝窝无码一区二区三区色欲 | 久久zyz资源站无码中文动漫 | 丝袜 中出 制服 人妻 美腿 | 国产精品无码一区二区三区不卡 | 国产熟妇高潮叫床视频播放 | 久久亚洲精品中文字幕无男同 | 午夜无码区在线观看 | 国产精品无码一区二区三区不卡 | 国内少妇偷人精品视频 | 麻豆人妻少妇精品无码专区 | 美女张开腿让人桶 | 午夜福利一区二区三区在线观看 | 亚洲a无码综合a国产av中文 | 狂野欧美性猛xxxx乱大交 | 精品久久久久久人妻无码中文字幕 | 免费网站看v片在线18禁无码 | 精品久久久久香蕉网 | 国产69精品久久久久app下载 | 性生交大片免费看l | 夫妻免费无码v看片 | 3d动漫精品啪啪一区二区中 | 免费网站看v片在线18禁无码 | 亚洲熟妇色xxxxx亚洲 | 亚洲区欧美区综合区自拍区 | 久久久久久久女国产乱让韩 | 国产亚洲精品久久久闺蜜 | 丰满岳乱妇在线观看中字无码 | 亚洲欧美精品aaaaaa片 | 精品水蜜桃久久久久久久 | 久久99精品国产麻豆 | 国色天香社区在线视频 | 欧美喷潮久久久xxxxx | 青青青爽视频在线观看 | 四虎影视成人永久免费观看视频 | 国产精品第一区揄拍无码 | 日本肉体xxxx裸交 | 久久久久人妻一区精品色欧美 | 狠狠cao日日穞夜夜穞av | 男女超爽视频免费播放 | 久久久中文字幕日本无吗 | 日韩精品成人一区二区三区 | 国产人妻久久精品二区三区老狼 | 大肉大捧一进一出好爽视频 | 国产人妻精品午夜福利免费 | 精品国产一区二区三区四区 | 午夜成人1000部免费视频 | 欧美亚洲日韩国产人成在线播放 | 丰满岳乱妇在线观看中字无码 | 国产精品亚洲专区无码不卡 | 精品无码av一区二区三区 | 国产乱人偷精品人妻a片 | 精品久久久久久人妻无码中文字幕 | 丝袜美腿亚洲一区二区 | 成 人 免费观看网站 | 亚洲午夜久久久影院 | 人妻少妇精品久久 | 午夜精品一区二区三区在线观看 | 又紧又大又爽精品一区二区 | 久久久成人毛片无码 | 免费无码的av片在线观看 | 久激情内射婷内射蜜桃人妖 | 日本精品久久久久中文字幕 | 人人妻人人澡人人爽欧美一区 | 国产深夜福利视频在线 | 丰满少妇高潮惨叫视频 | 麻豆成人精品国产免费 | 国产亚洲人成a在线v网站 | 欧美日韩在线亚洲综合国产人 | 国产人妻精品午夜福利免费 | 国产9 9在线 | 中文 | 成人精品视频一区二区三区尤物 | 中国女人内谢69xxxx | 成人无码精品1区2区3区免费看 | 亚洲国精产品一二二线 | 天天综合网天天综合色 | 亚洲精品鲁一鲁一区二区三区 | 日本大香伊一区二区三区 | 人妻少妇精品无码专区二区 | 中文精品久久久久人妻不卡 | av在线亚洲欧洲日产一区二区 | 久激情内射婷内射蜜桃人妖 | 国产人妻人伦精品 | 亚洲一区二区三区国产精华液 | 亚洲伊人久久精品影院 | 少妇性俱乐部纵欲狂欢电影 | 久久久久国色av免费观看性色 | 日日夜夜撸啊撸 | 久久伊人色av天堂九九小黄鸭 | 国产色在线 | 国产 | 日韩精品无码一区二区中文字幕 | 欧美一区二区三区视频在线观看 | 亚洲中文无码av永久不收费 | 国语精品一区二区三区 | 国产成人人人97超碰超爽8 | 精品久久久久香蕉网 | 欧美丰满老熟妇xxxxx性 | 色噜噜亚洲男人的天堂 | 国产精品a成v人在线播放 | 国产明星裸体无码xxxx视频 | 欧美亚洲日韩国产人成在线播放 | 国产欧美亚洲精品a | 国产亚洲精品精品国产亚洲综合 | 人人妻人人澡人人爽欧美精品 | 成人无码精品1区2区3区免费看 | 国产成人精品优优av | 日本高清一区免费中文视频 | 成人无码视频在线观看网站 | 国产精品免费大片 | 最近免费中文字幕中文高清百度 | 国产无av码在线观看 | 久久久精品456亚洲影院 | 日韩人妻系列无码专区 | 亚洲国产av精品一区二区蜜芽 | 日本熟妇大屁股人妻 | 中文字幕无码人妻少妇免费 | 极品嫩模高潮叫床 | 久久久久人妻一区精品色欧美 | 一本久久a久久精品亚洲 | 日本欧美一区二区三区乱码 | 国产69精品久久久久app下载 | 国产精品嫩草久久久久 | 领导边摸边吃奶边做爽在线观看 | 人妻少妇被猛烈进入中文字幕 | 在教室伦流澡到高潮hnp视频 | av人摸人人人澡人人超碰下载 | 欧美人与禽zoz0性伦交 | 福利一区二区三区视频在线观看 | 无码精品国产va在线观看dvd | 国产无套内射久久久国产 | 午夜精品久久久久久久 | 日日干夜夜干 | 老熟妇仑乱视频一区二区 | 99久久精品无码一区二区毛片 | 丰满少妇熟乱xxxxx视频 | 红桃av一区二区三区在线无码av | 麻豆果冻传媒2021精品传媒一区下载 | 丰满人妻翻云覆雨呻吟视频 | 欧美兽交xxxx×视频 | 亚洲精品久久久久avwww潮水 | 亚洲七七久久桃花影院 | 久久无码专区国产精品s | 日韩成人一区二区三区在线观看 | 成熟妇人a片免费看网站 | 99re在线播放 | 日欧一片内射va在线影院 | 最近免费中文字幕中文高清百度 | 国产凸凹视频一区二区 | 中文字幕av伊人av无码av | 免费无码的av片在线观看 | 性欧美大战久久久久久久 | 国产成人无码区免费内射一片色欲 | 久久熟妇人妻午夜寂寞影院 | 亚洲精品无码人妻无码 | 日本在线高清不卡免费播放 | 亚洲狠狠色丁香婷婷综合 | 亚洲中文字幕av在天堂 | 丰满人妻精品国产99aⅴ | 婷婷丁香五月天综合东京热 | 强辱丰满人妻hd中文字幕 | 亚洲国产欧美日韩精品一区二区三区 | 日日橹狠狠爱欧美视频 | 樱花草在线社区www | 久久99精品国产.久久久久 | 麻豆精产国品 | 偷窥日本少妇撒尿chinese | 色狠狠av一区二区三区 | 免费无码一区二区三区蜜桃大 | 国产精品久久久久无码av色戒 | 亚无码乱人伦一区二区 | 国产内射爽爽大片视频社区在线 | 亚洲阿v天堂在线 | 欧美亚洲国产一区二区三区 | 国产精品va在线播放 | 国产另类ts人妖一区二区 | 内射爽无广熟女亚洲 | 国产疯狂伦交大片 | 暴力强奷在线播放无码 | 99精品久久毛片a片 | 国产在线精品一区二区三区直播 | 无套内谢的新婚少妇国语播放 | 娇妻被黑人粗大高潮白浆 | 国产成人精品一区二区在线小狼 | 免费看男女做好爽好硬视频 | 国产无遮挡又黄又爽免费视频 | 女人被男人躁得好爽免费视频 | 日韩亚洲欧美精品综合 | 国产三级久久久精品麻豆三级 | 国产精品永久免费视频 | 国产成人精品三级麻豆 | 欧洲精品码一区二区三区免费看 | 成人毛片一区二区 | 亚洲综合无码久久精品综合 | 国产亚洲视频中文字幕97精品 | 欧美zoozzooz性欧美 | 狂野欧美性猛xxxx乱大交 | 久久久www成人免费毛片 | 老熟女乱子伦 | 无码国模国产在线观看 | 在教室伦流澡到高潮hnp视频 | 亚洲精品一区二区三区在线 | 国产综合色产在线精品 | 日韩亚洲欧美精品综合 | 任你躁国产自任一区二区三区 | 亚洲国产精品美女久久久久 | 欧美喷潮久久久xxxxx | 乌克兰少妇xxxx做受 | 亚洲大尺度无码无码专区 | 亚洲の无码国产の无码影院 | 学生妹亚洲一区二区 | 成人无码精品一区二区三区 | 国精产品一品二品国精品69xx | 国内精品人妻无码久久久影院蜜桃 | 青草青草久热国产精品 | 亚洲热妇无码av在线播放 | 天干天干啦夜天干天2017 | 色综合久久久久综合一本到桃花网 | 久久精品成人欧美大片 | 熟妇人妻激情偷爽文 | 国产在热线精品视频 | 中文精品无码中文字幕无码专区 | 中文精品无码中文字幕无码专区 | 国产精品无套呻吟在线 | 亚洲精品无码人妻无码 | 久在线观看福利视频 | 精品久久久久久人妻无码中文字幕 | 国产精品人人爽人人做我的可爱 | 久久 国产 尿 小便 嘘嘘 | 日本一卡2卡3卡4卡无卡免费网站 国产一区二区三区影院 | 国产精品手机免费 | 蜜臀av无码人妻精品 | 双乳奶水饱满少妇呻吟 | 亚洲精品综合一区二区三区在线 | 国产人妻大战黑人第1集 | 狠狠综合久久久久综合网 | 内射欧美老妇wbb | 精品国产一区二区三区四区在线看 | 人妻尝试又大又粗久久 | 丰满岳乱妇在线观看中字无码 | 一本大道伊人av久久综合 | 亚洲综合伊人久久大杳蕉 | 国产人妻精品午夜福利免费 | 色综合久久中文娱乐网 | 东京无码熟妇人妻av在线网址 | 国产亚洲欧美日韩亚洲中文色 | 老熟妇仑乱视频一区二区 | 成人aaa片一区国产精品 | 国产精品va在线观看无码 | 在线成人www免费观看视频 | 丰满少妇人妻久久久久久 | 六月丁香婷婷色狠狠久久 | www国产精品内射老师 | 男女下面进入的视频免费午夜 | 丰满人妻一区二区三区免费视频 | 国产猛烈高潮尖叫视频免费 | 人妻夜夜爽天天爽三区 | 日韩精品一区二区av在线 | 一区二区三区高清视频一 | 无码精品人妻一区二区三区av | 久久午夜夜伦鲁鲁片无码免费 | 少妇无码av无码专区在线观看 | 精品久久综合1区2区3区激情 | 一本大道伊人av久久综合 | 亚洲国产精品无码久久久久高潮 | 美女黄网站人色视频免费国产 | 无套内谢老熟女 | 无套内谢老熟女 | 国产九九九九九九九a片 | 国产极品视觉盛宴 | 兔费看少妇性l交大片免费 | 永久免费观看国产裸体美女 | 亚洲人成影院在线观看 | 精品日本一区二区三区在线观看 | 欧美日韩精品 | 久久精品无码一区二区三区 | 97精品国产97久久久久久免费 | 青春草在线视频免费观看 | 亚洲 激情 小说 另类 欧美 | 超碰97人人射妻 | 亚洲日韩一区二区三区 | 国产莉萝无码av在线播放 | 精品久久久久香蕉网 | 无码精品国产va在线观看dvd | 国产激情无码一区二区app | 亚洲成熟女人毛毛耸耸多 | 国产成人午夜福利在线播放 | 性生交大片免费看l | 久久久中文字幕日本无吗 | 欧美人与物videos另类 | 97无码免费人妻超级碰碰夜夜 | 西西人体www44rt大胆高清 | 成人亚洲精品久久久久软件 | 又湿又紧又大又爽a视频国产 | 黑人玩弄人妻中文在线 | 午夜不卡av免费 一本久久a久久精品vr综合 | 欧美日本免费一区二区三区 | 国产av无码专区亚洲a∨毛片 | 黑人粗大猛烈进出高潮视频 | 2019午夜福利不卡片在线 | 国产美女极度色诱视频www | 亚洲中文字幕无码一久久区 | 自拍偷自拍亚洲精品10p | 欧美 日韩 亚洲 在线 | 久久久久免费看成人影片 | 日韩精品a片一区二区三区妖精 | 精品日本一区二区三区在线观看 | 少妇愉情理伦片bd | 中文字幕色婷婷在线视频 | 国产欧美熟妇另类久久久 | 亚洲人成影院在线无码按摩店 | 精品日本一区二区三区在线观看 | 色偷偷人人澡人人爽人人模 | 377p欧洲日本亚洲大胆 | 丰满少妇弄高潮了www | 日日摸天天摸爽爽狠狠97 | 免费观看黄网站 | 国产午夜福利100集发布 | 国产又爽又黄又刺激的视频 | 久久国产精品萌白酱免费 | 欧美老熟妇乱xxxxx | 一本色道婷婷久久欧美 | 最新国产乱人伦偷精品免费网站 | 中文无码伦av中文字幕 | 中文毛片无遮挡高清免费 | 国产一区二区三区日韩精品 | 女人被男人躁得好爽免费视频 | 免费观看黄网站 | 丁香花在线影院观看在线播放 | 国产无av码在线观看 | 香港三级日本三级妇三级 | 中文字幕无码免费久久99 | 三级4级全黄60分钟 | 国产欧美亚洲精品a | 亚欧洲精品在线视频免费观看 | aⅴ亚洲 日韩 色 图网站 播放 | 国产真实伦对白全集 | 黑人巨大精品欧美一区二区 | 午夜精品久久久内射近拍高清 | 亚洲精品一区二区三区大桥未久 | 国产美女极度色诱视频www | 中文字幕乱码人妻无码久久 | 丰满诱人的人妻3 | 波多野结衣一区二区三区av免费 | 乱人伦人妻中文字幕无码久久网 | 疯狂三人交性欧美 | 99麻豆久久久国产精品免费 | 日韩人妻系列无码专区 | 亚洲欧洲无卡二区视頻 | 给我免费的视频在线观看 | 日本欧美一区二区三区乱码 | 成人免费视频在线观看 | 欧美性黑人极品hd | 最新国产麻豆aⅴ精品无码 | 精品久久久无码中文字幕 | 在线精品亚洲一区二区 | 亚洲乱亚洲乱妇50p | 蜜桃无码一区二区三区 | 伊人久久大香线蕉av一区二区 | 欧美刺激性大交 | 国产在线无码精品电影网 | 少妇无码一区二区二三区 | 人妻有码中文字幕在线 | 思思久久99热只有频精品66 | 免费中文字幕日韩欧美 | 久久亚洲日韩精品一区二区三区 | 黑人巨大精品欧美黑寡妇 | 久久久久久a亚洲欧洲av冫 | 欧美丰满熟妇xxxx | 俺去俺来也www色官网 | 欧美大屁股xxxxhd黑色 | 日本爽爽爽爽爽爽在线观看免 | 丰满岳乱妇在线观看中字无码 | 荫蒂添的好舒服视频囗交 | 亚洲国产精品久久久久久 | 日韩av无码中文无码电影 | 午夜精品久久久久久久 | 久久国产精品偷任你爽任你 | 色五月五月丁香亚洲综合网 | 漂亮人妻洗澡被公强 日日躁 | 国产精品无套呻吟在线 | 丰满人妻一区二区三区免费视频 | 天天燥日日燥 | 高潮毛片无遮挡高清免费 | 午夜福利试看120秒体验区 | 大地资源网第二页免费观看 | 99riav国产精品视频 | 亚洲国产成人a精品不卡在线 | 国产亚洲欧美日韩亚洲中文色 | 成人无码精品1区2区3区免费看 | √天堂资源地址中文在线 | 色诱久久久久综合网ywww | 亚欧洲精品在线视频免费观看 | 成年美女黄网站色大免费全看 | 日韩欧美成人免费观看 | 久久午夜无码鲁丝片秋霞 | 国产精品美女久久久网av | 波多野结衣 黑人 | 久久亚洲a片com人成 | 欧美xxxx黑人又粗又长 | 亚洲一区二区三区无码久久 | 免费无码av一区二区 | 欧美激情综合亚洲一二区 | 精品亚洲韩国一区二区三区 | 午夜无码人妻av大片色欲 | 亚洲爆乳大丰满无码专区 | 人妻少妇被猛烈进入中文字幕 | 麻豆精产国品 | 久久精品国产一区二区三区肥胖 | 国产精品久久久久久亚洲毛片 | 在线欧美精品一区二区三区 | 亚洲一区二区三区在线观看网站 | 亚洲精品中文字幕 | 窝窝午夜理论片影院 | 午夜熟女插插xx免费视频 | 国产亚洲精品久久久久久 | 亚洲小说图区综合在线 | 久久成人a毛片免费观看网站 | 中文字幕 亚洲精品 第1页 | 精品国精品国产自在久国产87 | 老熟妇乱子伦牲交视频 | 99国产精品白浆在线观看免费 | 清纯唯美经典一区二区 | 成年美女黄网站色大免费全看 | 又大又紧又粉嫩18p少妇 | 99精品视频在线观看免费 | 亚洲欧美日韩成人高清在线一区 | 人妻尝试又大又粗久久 | 欧美成人高清在线播放 | 无码国模国产在线观看 | 国产精品久久久久久亚洲影视内衣 | 久久久精品国产sm最大网站 | 一本久道久久综合狠狠爱 | 1000部夫妻午夜免费 | 熟妇女人妻丰满少妇中文字幕 | 亚洲中文字幕乱码av波多ji | 久青草影院在线观看国产 | 免费人成在线视频无码 | 久久综合香蕉国产蜜臀av | 97夜夜澡人人爽人人喊中国片 | 欧美大屁股xxxxhd黑色 | 亚洲 激情 小说 另类 欧美 | 日本一本二本三区免费 | 黑人巨大精品欧美一区二区 | 97精品国产97久久久久久免费 | 国产精品a成v人在线播放 | 熟女少妇人妻中文字幕 | 日韩精品a片一区二区三区妖精 | 国产精品久久久午夜夜伦鲁鲁 | 亚洲精品国产精品乱码视色 | 秋霞成人午夜鲁丝一区二区三区 | 国产精品怡红院永久免费 | 又粗又大又硬毛片免费看 | 性欧美牲交在线视频 | 亚洲中文字幕无码一久久区 | 久久久无码中文字幕久... | 丰满少妇人妻久久久久久 | av无码不卡在线观看免费 | 国产深夜福利视频在线 | 久久99精品国产.久久久久 | 亚洲爆乳大丰满无码专区 | 日韩人妻无码中文字幕视频 | 亚洲啪av永久无码精品放毛片 | 精品国产国产综合精品 | 亚洲精品午夜国产va久久成人 | 天堂久久天堂av色综合 | 成在人线av无码免费 | 无套内谢老熟女 | 无码人妻黑人中文字幕 | 久久午夜无码鲁丝片 | 夜夜影院未满十八勿进 | 亚洲成a人一区二区三区 | 毛片内射-百度 | 全黄性性激高免费视频 | 精品无码国产一区二区三区av | www国产亚洲精品久久久日本 | 最新版天堂资源中文官网 | 日本熟妇大屁股人妻 | 一个人看的www免费视频在线观看 | 乱人伦人妻中文字幕无码久久网 | 老熟妇仑乱视频一区二区 | 久久午夜无码鲁丝片午夜精品 | 欧美三级a做爰在线观看 | 丰满岳乱妇在线观看中字无码 | 98国产精品综合一区二区三区 | 国产综合色产在线精品 | 国产精品永久免费视频 | 国产精品办公室沙发 | 97夜夜澡人人爽人人喊中国片 | 亚洲人亚洲人成电影网站色 | 高潮毛片无遮挡高清免费 | 性啪啪chinese东北女人 | 国产农村妇女高潮大叫 | 红桃av一区二区三区在线无码av | 亚洲精品鲁一鲁一区二区三区 | 亚洲小说春色综合另类 | 国产成人无码午夜视频在线观看 | 国产成人无码a区在线观看视频app | 无码国模国产在线观看 | 久久人人97超碰a片精品 | 一区二区三区乱码在线 | 欧洲 | 国产午夜精品一区二区三区嫩草 | 成人欧美一区二区三区黑人免费 | 欧美激情综合亚洲一二区 | 熟妇人妻无码xxx视频 | 国产精品高潮呻吟av久久4虎 | 欧美一区二区三区视频在线观看 | 精品成人av一区二区三区 | 麻豆国产丝袜白领秘书在线观看 | 国产激情一区二区三区 | 俺去俺来也www色官网 | 无码人中文字幕 | 色一情一乱一伦一视频免费看 | 国产欧美精品一区二区三区 | 天天躁日日躁狠狠躁免费麻豆 | 中文字幕人妻无码一夲道 | 美女张开腿让人桶 | 67194成是人免费无码 | 九九在线中文字幕无码 | 久久精品国产日本波多野结衣 | 人妻无码αv中文字幕久久琪琪布 | 男人的天堂2018无码 | 中文字幕无码日韩欧毛 | 成人无码视频免费播放 | 蜜臀aⅴ国产精品久久久国产老师 | 日日碰狠狠躁久久躁蜜桃 | 国产精品人妻一区二区三区四 | 丁香花在线影院观看在线播放 | 国产在线无码精品电影网 | 日韩视频 中文字幕 视频一区 | 最新国产乱人伦偷精品免费网站 | 成年美女黄网站色大免费全看 | 精品亚洲韩国一区二区三区 | 日本又色又爽又黄的a片18禁 | 日韩亚洲欧美中文高清在线 | 亚洲欧美综合区丁香五月小说 | 中文字幕乱码人妻二区三区 | 99视频精品全部免费免费观看 | 欧美日韩一区二区综合 | 亚洲成熟女人毛毛耸耸多 | www国产亚洲精品久久久日本 | 一个人看的www免费视频在线观看 | 亚洲国产欧美日韩精品一区二区三区 | 亚洲色在线无码国产精品不卡 | 中文字幕无码av激情不卡 | 亚洲人成网站色7799 | 色 综合 欧美 亚洲 国产 | 亚洲色欲色欲天天天www | √天堂资源地址中文在线 | 真人与拘做受免费视频 | 97夜夜澡人人爽人人喊中国片 | 亲嘴扒胸摸屁股激烈网站 | 亚洲色欲色欲天天天www | 97精品人妻一区二区三区香蕉 | 97久久国产亚洲精品超碰热 | 激情内射亚州一区二区三区爱妻 | 国产三级精品三级男人的天堂 | 亚洲日本va午夜在线电影 | 亚洲国产综合无码一区 | 中文字幕无线码免费人妻 | 亚洲性无码av中文字幕 | 国产精品久久久久久亚洲影视内衣 | 97人妻精品一区二区三区 | 无码人妻出轨黑人中文字幕 | 国产精品久久福利网站 | 未满成年国产在线观看 | 丝袜人妻一区二区三区 | 无码人妻出轨黑人中文字幕 | 欧美刺激性大交 | 亚洲精品午夜国产va久久成人 | 天干天干啦夜天干天2017 | 老司机亚洲精品影院 | 99久久精品无码一区二区毛片 | 国产精品国产自线拍免费软件 | 给我免费的视频在线观看 | 丰满人妻翻云覆雨呻吟视频 | 内射老妇bbwx0c0ck | 97久久国产亚洲精品超碰热 | 欧美野外疯狂做受xxxx高潮 | 国产香蕉97碰碰久久人人 | 国产电影无码午夜在线播放 | 无码av免费一区二区三区试看 | 无码纯肉视频在线观看 | 国产麻豆精品精东影业av网站 | 色妞www精品免费视频 | 2020久久香蕉国产线看观看 | 水蜜桃色314在线观看 | 波多野结衣aⅴ在线 | 欧洲vodafone精品性 | 扒开双腿吃奶呻吟做受视频 | 国产成人无码av在线影院 | 欧美熟妇另类久久久久久不卡 | 理论片87福利理论电影 | 午夜精品一区二区三区的区别 | 99久久久无码国产精品免费 | 国产欧美熟妇另类久久久 | 夜精品a片一区二区三区无码白浆 | 男人和女人高潮免费网站 | 亚洲人成网站免费播放 | 啦啦啦www在线观看免费视频 | 青春草在线视频免费观看 | 色狠狠av一区二区三区 | 久久视频在线观看精品 | 国产疯狂伦交大片 | 国产美女精品一区二区三区 | 丰满妇女强制高潮18xxxx | 国产精品va在线观看无码 | 熟妇人妻中文av无码 | 国产成人精品久久亚洲高清不卡 | 欧美熟妇另类久久久久久不卡 | 狠狠色噜噜狠狠狠狠7777米奇 | 午夜男女很黄的视频 | 国产乱子伦视频在线播放 | 精品无码国产一区二区三区av | 无人区乱码一区二区三区 | 国产免费无码一区二区视频 | 女人和拘做爰正片视频 | 捆绑白丝粉色jk震动捧喷白浆 | 亚洲精品久久久久中文第一幕 | 日韩人妻无码一区二区三区久久99 | 欧美第一黄网免费网站 | 97夜夜澡人人双人人人喊 | 国产精品无套呻吟在线 | 欧美日韩人成综合在线播放 | 18禁黄网站男男禁片免费观看 | 日韩欧美群交p片內射中文 | 久久久久久久久蜜桃 | 亚洲gv猛男gv无码男同 | 久久综合久久自在自线精品自 | 亚洲成av人在线观看网址 | 丰满人妻精品国产99aⅴ | 精品久久久无码人妻字幂 | 日本丰满熟妇videos | 亚洲精品久久久久久一区二区 | 国产精品亚洲а∨无码播放麻豆 | 日韩av激情在线观看 | 免费无码一区二区三区蜜桃大 | 装睡被陌生人摸出水好爽 | 丝袜 中出 制服 人妻 美腿 | 55夜色66夜色国产精品视频 | 双乳奶水饱满少妇呻吟 | 国产亚洲欧美在线专区 | 国产福利视频一区二区 | 日本熟妇人妻xxxxx人hd | a在线观看免费网站大全 | 日本大香伊一区二区三区 | 国产精品无码久久av | 大肉大捧一进一出视频出来呀 | 国产婷婷色一区二区三区在线 | 国产亚洲精品精品国产亚洲综合 | 国产xxx69麻豆国语对白 | 婷婷丁香五月天综合东京热 | 在线欧美精品一区二区三区 | 又大又紧又粉嫩18p少妇 | 成人精品视频一区二区 | 中文字幕无码日韩专区 | 国内少妇偷人精品视频免费 | 97久久国产亚洲精品超碰热 | 国产熟妇高潮叫床视频播放 | 国产成人人人97超碰超爽8 | 宝宝好涨水快流出来免费视频 | 日本一本二本三区免费 | 亚洲一区二区三区含羞草 | 久久99精品国产麻豆蜜芽 | 亚洲欧洲日本综合aⅴ在线 | 中文字幕av无码一区二区三区电影 | 国产精品国产三级国产专播 | 永久免费观看美女裸体的网站 | 国产精品嫩草久久久久 | aⅴ亚洲 日韩 色 图网站 播放 | 动漫av一区二区在线观看 | 国产精品理论片在线观看 | 国产性猛交╳xxx乱大交 国产精品久久久久久无码 欧洲欧美人成视频在线 | 中文字幕乱码中文乱码51精品 | 免费中文字幕日韩欧美 | 免费中文字幕日韩欧美 | 久久久精品欧美一区二区免费 | 精品国偷自产在线 | 久久久久99精品国产片 | 中国大陆精品视频xxxx | 男人的天堂av网站 | 精品欧洲av无码一区二区三区 | 免费观看的无遮挡av | 国产亚洲精品久久久久久久久动漫 | 亚洲精品久久久久久一区二区 | 丰满妇女强制高潮18xxxx | 亚洲日韩精品欧美一区二区 | 狠狠色欧美亚洲狠狠色www | 在线播放无码字幕亚洲 | 久久久久免费精品国产 | 久久久久免费精品国产 | 99久久精品国产一区二区蜜芽 | 性色欲网站人妻丰满中文久久不卡 | 中文字幕中文有码在线 | 亚洲中文字幕在线无码一区二区 | 亚洲国产精品成人久久蜜臀 | 少妇性俱乐部纵欲狂欢电影 | 97夜夜澡人人双人人人喊 | 99在线 | 亚洲 | 久久午夜无码鲁丝片午夜精品 | 无码任你躁久久久久久久 | 天海翼激烈高潮到腰振不止 | 荫蒂被男人添的好舒服爽免费视频 | 大肉大捧一进一出好爽视频 | 国产精品va在线观看无码 | 水蜜桃av无码 | 无码成人精品区在线观看 | 国产97色在线 | 免 | 色综合久久久久综合一本到桃花网 | 国产精品人人爽人人做我的可爱 | 少妇激情av一区二区 | 国产九九九九九九九a片 | 波多野结衣av一区二区全免费观看 | 中文字幕乱码人妻二区三区 | 国产人妻大战黑人第1集 | 日韩精品a片一区二区三区妖精 | 中文久久乱码一区二区 | 色婷婷综合激情综在线播放 | 人人爽人人爽人人片av亚洲 | 国产另类ts人妖一区二区 | 麻豆精产国品 | 日韩人妻少妇一区二区三区 | 色窝窝无码一区二区三区色欲 | yw尤物av无码国产在线观看 | 精品国产麻豆免费人成网站 | 免费视频欧美无人区码 | 日日摸夜夜摸狠狠摸婷婷 | 少妇性l交大片欧洲热妇乱xxx | 亚洲一区二区三区含羞草 | 一本色道婷婷久久欧美 |