国产人妻人伦精品_欧美一区二区三区图_亚洲欧洲久久_日韩美女av在线免费观看

合肥生活安徽新聞合肥交通合肥房產生活服務合肥教育合肥招聘合肥旅游文化藝術合肥美食合肥地圖合肥社保合肥醫院企業服務合肥法律

代寫CS 205、代做C++程序設計
代寫CS 205、代做C++程序設計

時間:2024-10-28  來源:合肥網hfw.cc  作者:hfw.cc 我要糾錯



Advanced Database Organization - Fall 2024 CS 525 - All Sections Programming Assignment III: Record Manager Due: Friday, October 18th 2024 by 23h59
1. Task
The goal of this assignment is to implement a simple record manager. The record manager handles tables with a fixed schema. Clients can insert records, delete records, update records, and scan through the records in a table. A scan is associated with a search condition and only returns records that match the search condition. Each table should be stored in a separate page file and your record manager should access the pages of the file through the buffer manager implemented in the last assignment.
Hints: This assignment is much more complex than the previous assignments and it is easy to get stuck if you are unclear about how to structure your solution and what data structures to use. Sit down with a piece of paper first and design the data structures and architecture for your implementation.
  • •

• •
Record Representation : The data types we consider for this assignment are all fixed length. Thus, for a given schema, the size of a record is fixed too.
Page Layout : You will have to define how to layout records on pages. Also you need to reserve some space on each page for managing the entries on the page. Refresh your memory on the page layouts discussed in class! For example, how would you represent slots for records on pages and manage free space.
Table information pages : You probably will have to reserve one or more pages of a page file to store, e.g., the schema of the table.
: The assignment requires you to use record IDs that are a combination of page and slot number. : Since your record manager has to support deleting records you need to track available free space on pages. An easy solution is to link pages with free space by reserving space for a pointer to the next free space on each page. One of the table information pages can then have a pointer to the first page with free space. One alternative is to use several pages to store a directory recording how much free
space you have for each page.
2. tables.h
This header defines basic data structures for schemas, tables, records, record ids (RIDs), and values. Furthermore, this header defines functions for serializing these data structures as strings. The serialization functions are provided (   ). There are four datatypes that can be used for records of a table: integer ( DT INT ), float (   ), strings of a fixed length ( DT STRING ), and boolean ( DT BOOL ). All records in a table conform to a common schema defined for this table. A record is simply a record id ( rid consisting of a page number and slot number) and the concatenation of the binary representation of its attributes according to the schema ( data ).
2.1. Schema. A schema consists of a number of attributes ( ). For each attribute we record the name ) and data type ( dataTypes ). For attributes of type we record the size of the strings in
. Furthermore, a schema can have a key defined. The key is represented as an array of integers that are the positions of the attributes of the key ( keyAttrs ). For example, consider a relation R(a,b,c) where a then
keyAttrs would be [0] .
2.2. Data Types and Binary Representation. Values of a data type are represented using the struct. The value struct represents the values of a data type using standard C data types. For example, a string is a
and an integer using a C int . Note that values are only used for expressions and for returning data to the client of the record manager. Attribute values in records are stored slightly different if the data type is string. Recall that in C a string is an array of characters ended by a 0 byte. In a record, strings are stored without the additional 0 byte in the end. For example, for strings of length 4 should occupy 4 bytes in the data field of the record.
   Record IDs
 Free Space Management
 rm serializer.c
  DT FLOAT
 numAttr
 ( attrNames
 typeLength
  DT STRING
    1
Value
 char *

2.3. Interface. :
  #ifndef TABLES_H
#define TABLES_H
#include "dt.h"
// Data Types, Records, and Schemas
typedef enum DataType {
  DT_INT = 0,
  DT_STRING = 1,
  DT_FLOAT = 2,
  DT_BOOL = 3
} DataType;
typedef struct Value {
  DataType dt;
  union v {
    int intV;
    char *stringV;
    float floatV;
    bool boolV;
} v;
} Value;
typedef struct RID {
  int page;
  int slot;
} RID;
typedef struct Record
{
RID id;
  char *data;
} Record;
// information of a table schema: its attributes, datatypes,
typedef struct Schema
{
  int numAttr;
  char **attrNames;
  DataType *dataTypes;
  int *typeLength;
  int *keyAttrs;
  int keySize;
} Schema;
// TableData: Management Structure for a Record Manager to handle one relation
typedef struct RM_TableData
{
  char *name;
  Schema *schema;
  void *mgmtData;
} RM_TableData;
#define MAKE_STRING_VALUE(result, value)                                \
  do {                                                                  \
    (result) = (Value *) malloc(sizeof(Value));                         \
    (result)->dt = DT_STRING;                                           \
    (result)->v.stringV = (char *) malloc(strlen(value) + 1);           \
    strcpy((result)->v.stringV, value);                                 \
} while(0)
#define MAKE_VALUE(result, datatype, value) \ do { \ (result) = (Value *) malloc(sizeof(Value)); \ (result)->dt = datatype; \ switch(datatype) \ {\
2

       case DT_INT:                                                      \
        (result)->v.intV = value;                                       \
        break;                                                          \
      case DT_FLOAT:                                                    \
        (result)->v.floatV = value;                                     \
        break;                                                          \
      case DT_BOOL:                                                     \
        (result)->v.boolV = value;                                      \
        break;                                                          \
}\ } while(0)
// debug and read methods
extern Value *stringToValue (char *value);
extern char *serializeTableInfo(RM_TableData *rel);
extern char *serializeTableContent(RM_TableData *rel);
extern char *serializeSchema(Schema *schema);
extern char *serializeRecord(Record *record, Schema *schema);
extern char *serializeAttr(Record *record, Schema *schema, int attrNum);
extern char *serializeValue(Value *val);
#endif
 3. expr.h
This header defines data structures and functions to deal with expressions for scans. These functions are imple- mented in expr.c . Expressions can either be constants (stored as a Value struct), references to attribute values (represented as the position of an attribute in the schema), and operator invocations. Operators are either com- parison operators (equals and smaller) that are defined for all data types and boolean operators AND , OR , and
NOT . Operators have one or more expressions as input. The expression framework allows for arbitrary nesting of operators as long as their input types are correct. For example, you cannot use an integer constant as an input to a boolean AND operator. As explained below, one of the parameters of the scan operation of the record manager is an expression representing the scan condition.
3.1. Interface. :
    #ifndef EXPR_H
#define EXPR_H
#include "dberror.h"
#include "tables.h"
// datatype for arguments of expressions used in conditions
typedef enum ExprType {
  EXPR_OP,
  EXPR_CONST,
  EXPR_ATTRREF
} ExprType;
typedef struct Expr {
  ExprType type;
  union expr {
    Value *cons;
    int attrRef;
    struct Operator *op;
  } expr;
} Expr;
// comparison operators
typedef enum OpType {
  OP_BOOL_AND,
  OP_BOOL_OR,
  OP_BOOL_NOT,
  OP_COMP_EQUAL,
  OP_COMP_SMALLER
} OpType;
3

 typedef struct Operator {
  OpType type;
  Expr **args;
} Operator;
// expression evaluation methods
extern RC valueEquals (Value *left, Value *right, Value *result);
extern RC valueSmaller (Value *left, Value *right, Value *result);
extern RC boolNot (Value *input, Value *result);
extern RC boolAnd (Value *left, Value *right, Value *result);
extern RC boolOr (Value *left, Value *right, Value *result);
extern RC evalExpr (Record *record, Schema *schema, Expr *expr, Value **result);
extern RC freeExpr (Expr *expr);
extern void freeVal(Value *val);
#define CPVAL(_result,_input) \ do { \ (_result)->dt = _input->dt; \ switch(_input->dt) \ {\ case DT_INT: \
      (_result)->v.intV = _input->v.intV;
      break;                                                            \
    case DT_STRING:                                                     \
\
      (_result)->v.stringV = (char *) malloc(strlen(_input->v.stringV));        \
      strcpy((_result)->v.stringV, _input->v.stringV);                  \
      break;                                                            \
    case DT_FLOAT:                                                      \
      (_result)->v.floatV = _input->v.floatV;                           \
      break;                                                            \
    case DT_BOOL:                                                       \
      (_result)->v.boolV = _input->v.boolV;                             \
      break;                                                            \
}\ } while(0)
#define MAKE_BINOP_EXPR(_result,_left,_right,_optype)                   \
    do {                                                                \
      Operator *_op = (Operator *) malloc(sizeof(Operator));            \
      _result = (Expr *) malloc(sizeof(Expr));                          \
      _result->type = EXPR_OP;                                          \
      _result->expr.op = _op;                                           \
      _op->type = _optype;                                              \
      _op->args = (Expr **) malloc(2 * sizeof(Expr*));                  \
      _op->args[0] = _left;                                             \
      _op->args[1] = _right;                                            \
    } while (0)
#define MAKE_UNOP_EXPR(_result,_input,_optype)                          \
  do {                                                                  \
    Operator *_op = (Operator *) malloc(sizeof(Operator));              \
    _result = (Expr *) malloc(sizeof(Expr));                            \
    _result->type = EXPR_OP;                                            \
    _result->expr.op = _op;                                             \
    _op->type = _optype;                                                \
    _op->args = (Expr **) malloc(sizeof(Expr*));                        \
    _op->args[0] = _input;                                              \
  } while (0)
#define MAKE_ATTRREF(_result,_attr)                                     \
  do {                                                                  \
    _result = (Expr *) malloc(sizeof(Expr));                            \
    _result->type = EXPR_ATTRREF;                                       \
    _result->expr.attrRef = _attr;                                      \
} while(0)
#define MAKE_CONS(_result,_value)                                       \
  do {                                                                  \
    _result = (Expr *) malloc(sizeof(Expr));                            \
    _result->type = EXPR_CONST;                                         \
    _result->expr.cons = _value;                                        \
} while(0) #endif // EXPR
 4

4. record mgr.h
We now discuss the interface of the record manager as defined in record mgr.h . There are five types of functions in the record manager:
• functions for table and record manager management, • functions for handling the records in a table,
• functions related to scans,
• functions for dealing with schemas, and
• function for dealing with attribute values and creating records. We now discuss each of these function types
4.1. Table and Record Manager Functions. Similar to previous assignments, there are functions to initialize and shutdown a record manager. Furthermore, there are functions to create, open, and close a table. Creating a table should create the underlying page file and store information about the schema, free-space, ... and so on in the Table Information pages. All operations on a table such as scanning or inserting records require the table to be opened first. Afterwards, clients can use the RM TableData struct to interact with the table. Closing a table should cause all outstanding changes to the table to be written to the page file. The getNumTuples function returns the number of tuples in the table.
4.2. Record Functions. These functions are used to retrieve a record with a certain RID , to delete a record with a certain RID , to insert a new record, and to update an existing record with new values. When a new record is inserted the record manager should assign an RID to this record and update the record parameter passed to insertRecord .
4.3. Scan Functions. A client can initiate a scan to retrieve all tuples from a table that fulfill a certain condition (represented as an Expr ). Starting a scan initializes the RM ScanHandle data structure passed as an argument to
startScan . Afterwards, calls to the next method should return the next tuple that fulfills the scan condition. If NULL is passed as a scan condition, then all tuples of the table should be returned. next should return RC RM NO MORE TUPLES once the scan is completed and RC OK otherwise (unless an error occurs of course). Below
is an example of how a client can use a scan. 4.4. Interface. :
          RM_TableData *rel = (RM_TableData *) malloc(sizeof(RM_TableData));
RM_ScanHandle *sc = (RM_ScanHandle *) malloc(sizeof(RM_ScanHandle));
Schema *schema;
Record *r = (Record *) malloc(sizeof(Record));
int rc;
// initialize Schema schema (not shown here) // create record to hold results createRecord(&r, schema);
// open table R for scanning
openTable(rel, "R");
// initiate the scan passing the scan handle sc
startScan(rel, sc, NULL);
// call next on the RM_ScanHandle sc to fetch next record into r
while((rc = next(sc, r)) == RC_OK)
  {
  // do something with r
}
// check whether we stopped because of an error or because the scan was finished
if (rc != RC_RM_NO_MORE_TUPLES) // handle the error
// close scanhandle & table
closeScan(sc);
closeTable(rel);
 Closing a scan indicates to the record manager that all associated resources can be cleaned up.
4.5. Schema Functions. These helper functions are used to return the size in bytes of records for a given schema and create a new schema.
5

4.6. Attribute Functions. These functions are used to get or set the attribute values of a record and create a new record for a given schema. Creating a new record should allocate enough memory to the data field to hold the binary representations for all attributes of this record as determined by the schema.
4.7. Interface. :
  #ifndef RECORD_MGR_H
#define RECORD_MGR_H
#include "dberror.h"
#include "expr.h"
#include "tables.h"
// Bookkeeping for scans
typedef struct RM_ScanHandle
{
  RM_TableData *rel;
  void *mgmtData;
} RM_ScanHandle;
// table and manager
extern RC initRecordManager (void *mgmtData);
extern RC shutdownRecordManager ();
extern RC createTable (char *name, Schema *schema);
extern RC openTable (RM_TableData *rel, char *name);
extern RC closeTable (RM_TableData *rel);
extern RC deleteTable (char *name);
extern int getNumTuples (RM_TableData *rel);
// handling records in a table
extern RC insertRecord (RM_TableData *rel, Record *record);
extern RC deleteRecord (RM_TableData *rel, RID id);
extern RC updateRecord (RM_TableData *rel, Record *record);
extern RC getRecord (RM_TableData *rel, RID id, Record *record);
// scans
extern RC startScan (RM_TableData *rel, RM_ScanHandle *scan, Expr *cond);
extern RC next (RM_ScanHandle *scan, Record *record);
extern RC closeScan (RM_ScanHandle *scan);
// dealing with schemas
extern int getRecordSize (Schema *schema);
extern Schema *createSchema (int numAttr, char **attrNames, DataType *dataTypes, int *typeLength, int keySize, int
     *keys);
extern RC freeSchema (Schema *schema);
// dealing with records and attribute values
extern RC createRecord (Record **record, Schema *schema);
extern RC freeRecord (Record *record);
extern RC getAttr (Record *record, Schema *schema, int attrNum, Value **value);
extern RC setAttr (Record *record, Schema *schema, int attrNum, Value *value);
#endif // RECORD_MGR_H
 6

5. Optional Extensions
You can earn up to 20% bonus points for implementing optional extensions. A good implementation of one or two extensions will give you the maximum of 20% points. So rather than implementing 5 incomplete extensions, I
suggest
• • •
• •
you to focus on one extension first and if there is enough time, then add additional ones.
TIDs and tombstones : Implement the TID and Tombstone concepts introduced in class. Even though your implementation does not need to move around records, because they are fixed size, TIDs and Tombstones are important for real systems.
Null values : Add support for SQL style NULL values to the data types and expressions. This requires changes to the expression code, values, and binary record representation (e.g., you can use the NULL bitmaps introduced in class).
Check primary key constraints : On inserting and updating tuples, check that the primary key con- straint for the table holds. That is you need to check that no record with the same key attribute values as
the new record already exists in the table. Ordered scans: Add an parameter to the scan that determines a sort order of results, i.e., you should pass a list of attributes to sort on. For dare-devils: Implement this using external sorting, so you can sort arbitrarily large data.
Interactive interface : Implement a simple user interface. You should be able to define new tables, insert, update, and delete tuples, and execute scans. This can either be a shell or menu-based interface.
: Extend the scan code to support updates. Add a new method
that takes a condition (expression) which is used to determine which tuples to update and a pointer to a function which takes a record as input and returns the updated version of the record. That is the user of the   method should implement a method that updates the record values and then
pass this function to   . Alternatively, extend the expression model with new expression types
(e.g., adding two integers) and let take a list of expressions as a parameter. In this case the new values of an updated tuple are produced by applying the expressions to the old values of the tuple. This would closer to real SQL updates.
6. Source Code Structure
     Conditional updates using scans
 updateScan
updateScan
updateScan
 updateScan
You source code directories should be structured as follows. You should reuse your existing storage manager and buffer manager implementations. So before you start to develop, please copy your storage manager and buffer manager implementations.
• Put all source files in a folder assign3 in your git repository
• This folder should contain at least
– the provided header and C files
– a make file for building your code Makefile.
– a bunch of *.c and *.h files implementing the record manager
– README.txt/README.md : A markdown or text file with a brief description of your solution
Example, the structure may look like that:
    git assign3
Makefile buffer_mgr.h buffer_mgr_stat.c buffer_mgr_stat.h dberror.c dberror.h
expr.c
expr.h record_mgr.h rm_serializer.c storage_mgr.h tables.h test_assign3_1.c test_expr.c test_helper.h
 7

7. Test cases
– Defines several helper methods for implementing test cases such as ASSERT TRUE .
• test expr.c
– This file implements several test cases using the expr.h interface. Please let your make file generate
a test expr binary for this code. You are encouraged to extend it with new test cases or use it as a
template to develop your own test files.
• test assign3 1.c
– This file implements several test cases using the record mgr.h interface. Please let your make file
generate a test assign3 binary for this code. You are encouraged to extend it with new test cases or use it as a template to develop your own test files.
 • test helper.h


請加QQ:99515681  郵箱:99515681@qq.com   WX:codinghelp




 

掃一掃在手機打開當前頁
  • 上一篇:代寫BE205、代做C++語言程序
  • 下一篇:CSSE2010代做、代寫c/c++編程設計
  • 無相關信息
    合肥生活資訊

    合肥圖文信息
    流體仿真外包多少錢_專業CFD分析代做_友商科技CAE仿真
    流體仿真外包多少錢_專業CFD分析代做_友商科
    CAE仿真分析代做公司 CFD流體仿真服務 管路流場仿真外包
    CAE仿真分析代做公司 CFD流體仿真服務 管路
    流體CFD仿真分析_代做咨詢服務_Fluent 仿真技術服務
    流體CFD仿真分析_代做咨詢服務_Fluent 仿真
    結構仿真分析服務_CAE代做咨詢外包_剛強度疲勞振動
    結構仿真分析服務_CAE代做咨詢外包_剛強度疲
    流體cfd仿真分析服務 7類仿真分析代做服務40個行業
    流體cfd仿真分析服務 7類仿真分析代做服務4
    超全面的拼多多電商運營技巧,多多開團助手,多多出評軟件徽y1698861
    超全面的拼多多電商運營技巧,多多開團助手
    CAE有限元仿真分析團隊,2026仿真代做咨詢服務平臺
    CAE有限元仿真分析團隊,2026仿真代做咨詢服
    釘釘簽到打卡位置修改神器,2026怎么修改定位在范圍內
    釘釘簽到打卡位置修改神器,2026怎么修改定
  • 短信驗證碼 寵物飼養 十大衛浴品牌排行 suno 豆包網頁版入口 wps 目錄網 排行網

    關于我們 | 打賞支持 | 廣告服務 | 聯系我們 | 網站地圖 | 免責聲明 | 幫助中心 | 友情鏈接 |

    Copyright © 2025 hfw.cc Inc. All Rights Reserved. 合肥網 版權所有
    ICP備06013414號-3 公安備 42010502001045

    国产人妻人伦精品_欧美一区二区三区图_亚洲欧洲久久_日韩美女av在线免费观看
    国内精品国产三级国产99| 丰满少妇大力进入| 欧美激情免费在线| 久久久久国产精品一区| 在线观看一区欧美| 亚洲人成人77777线观看 | 精品国产无码在线| 九九久久综合网站| 亚洲高清视频一区二区| 日本天堂免费a| 人妻无码视频一区二区三区| 欧美亚洲国产精品| 免费在线精品视频| 国产欧美日韩网站| 91精品久久久久久久久| 久久久久久亚洲精品中文字幕| 日韩在线播放av| 久久久久久久久久久久久国产| 久久av免费一区| 久久精品中文字幕一区| 国产精品美女久久久久av超清| 精品福利影视| 亚洲**2019国产| 欧美一区观看| 国产精品揄拍500视频| 久久精品午夜一区二区福利| 国产精品三区四区| 精品国产免费人成电影在线观...| 在线观看国产一区| 热久久这里只有| 高清国产一区| 久久视频在线看| 亚洲视频在线观看日本a| 秋霞在线一区二区| av免费观看网| 久久久97精品| 亚洲伊人久久综合| 欧美日韩精品一区| 99在线精品免费视频| 日韩综合视频在线观看| 中国成人亚色综合网站| 欧洲精品在线视频| 国产精品有限公司| 俺也去精品视频在线观看| 最新中文字幕久久| 欧美激情视频一区二区三区| 97精品国产97久久久久久春色| 国产成人欧美在线观看| 亚洲最大福利网站| 免费拍拍拍网站| 久久精品国产第一区二区三区最新章节 | 中文字幕日韩精品无码内射| 日韩亚洲欧美视频| 国产一级不卡毛片| 色偷偷噜噜噜亚洲男人的天堂| 亚洲午夜久久久影院伊人| 激情小说网站亚洲综合网| 国产成人一区二区三区| 中文字幕一区二区中文字幕| 好吊色欧美一区二区三区视频| 8090成年在线看片午夜| 欧美日本高清一区| 免费看a级黄色片| 国产成人涩涩涩视频在线观看| 午夜免费日韩视频| 成人精品在线视频| 欧美精品日韩三级| 黄页免费在线观看视频| 久久国产一区二区| 视频一区国产精品| 97人人模人人爽视频一区二区| 久久艹在线视频| 黄色国产小视频| 国产成人精品一区二区三区| 日韩日韩日韩日韩日韩| 久久在线中文字幕| 亚洲国产精品毛片| 成人福利网站在线观看11| 国产精品国模大尺度私拍| 欧美有码在线观看视频| 国产成人aa精品一区在线播放| 亚洲区成人777777精品| 成人国产在线看| 精品国产aⅴ麻豆| 黄色一区三区| 久久视频在线免费观看| 欧美日韩一区在线播放| 久久精品国产免费观看| 欧美日韩一区在线视频| 精品国模在线视频| 日韩理论片在线观看| 久久国产精品网| 日韩美女视频中文字幕| 日韩中文在线视频| 欧美日韩一区二区三区在线观看免| 久久精品中文字幕免费mv| 欧美在线免费视频| 国产精品无码专区av在线播放| 日韩久久一级片| 久久精品国产欧美激情| 欧美高清一区二区| 国产精品久久久亚洲| 国产亚洲欧美一区二区| 一区二区三区国产福利| 91精品国产高清自在线| 日本一区二区在线播放| 久久久久久久久久网| 欧美一区二视频在线免费观看| 国产精品视频网址| 国产伦精品免费视频| 午夜精品久久久久久久久久久久 | 亚洲免费av网| 国产不卡一区二区视频| 欧美视频在线观看网站| 国产精品国产亚洲精品看不卡15| 精品视频一区二区三区四区| 九色91av视频| 68精品国产免费久久久久久婷婷| 涩涩日韩在线| 精品国内自产拍在线观看| 国产一区免费视频| 性高潮久久久久久久久| 日韩专区中文字幕| 狠狠综合久久av| 久久久久国产精品www| 久久欧美在线电影| 激情小说综合网| 亚洲最大的av网站| 久久久久天天天天| 国产一区玩具在线观看| 亚洲a一级视频| 国产精品女人网站| 97国产精品久久| 欧美日韩精品综合| 伊人婷婷久久| 久久人人爽人人爽人人片亚洲| 国产精品夜夜夜爽张柏芝| 亚州欧美日韩中文视频| 久久精品视频中文字幕| av在线亚洲男人的天堂| 欧美黄色免费影院| 亚洲国产一区二区精品视频| 国产精品美女www爽爽爽视频| 99视频日韩| 激情伊人五月天| 水蜜桃亚洲一二三四在线| 久久中文字幕在线视频| 日韩在线欧美在线| 99中文视频在线| 红桃av在线播放| 日本久久高清视频| 亚洲一区三区视频在线观看| 国产精品视频在线观看| 国产福利不卡| 97人人模人人爽人人喊中文字 | 欧美一级爱爱视频| 春色成人在线视频| 九九热精品视频国产| 精品国产区一区二区三区在线观看| 国产精品一区二区三区成人| 欧美日韩成人一区二区三区| 亚洲a成v人在线观看| 久久久久国产一区二区三区| 国产精品流白浆视频| 九色综合日本| 91免费看蜜桃| 国产日韩在线免费| 黄色片视频在线播放| 青青草国产精品视频| 色视频一区二区三区| 亚洲综合视频1区| 精品免费国产| 久久综合五月天| 国产精品啪视频| 久久久精品在线观看| www.欧美三级电影.com| 久久精品成人一区二区三区蜜臀 | 亚洲av综合色区| 欧美精品在线免费观看| 国产精品久在线观看| 国产精品视频男人的天堂| 国产精品偷伦视频免费观看国产| 日韩中文字幕在线观看| 国产成人生活片| 国产精品丝袜视频| 国产精品国产自产拍高清av水多| 国产精品久久久精品| 久久福利网址导航| 欧美激情国产高清| 亚洲一区二区三区乱码aⅴ蜜桃女| 亚洲中文字幕无码av永久| 欧美精品久久久久久久| 欧美日韩国产成人| 欧美成人午夜剧场免费观看| 欧美xxxx综合视频| 中文字幕精品在线播放| 亚洲资源在线看| 日日鲁鲁鲁夜夜爽爽狠狠视频97| 日本一区二区三区免费看 | 欧美又大又粗又长|