首页
网站开发
桌面应用
管理软件
微信开发
App开发
嵌入式软件
工具软件
数据采集与分析
其他
首页
>
> 详细
代写CS 205、代做C++程序设计
项目预算:
开发周期:
发布时间:
要求地区:
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
8
软件开发、广告设计客服
QQ:99515681
邮箱:99515681@qq.com
工作时间:8:00-23:00
微信:codinghelp
热点项目
更多
代做ceng0013 design of a pro...
2024-11-13
代做mech4880 refrigeration a...
2024-11-13
代做mcd1350: media studies a...
2024-11-13
代写fint b338f (autumn 2024)...
2024-11-13
代做engd3000 design of tunab...
2024-11-13
代做n1611 financial economet...
2024-11-13
代做econ 2331: economic and ...
2024-11-13
代做cs770/870 assignment 8代...
2024-11-13
代写amath 481/581 autumn qua...
2024-11-13
代做ccc8013 the process of s...
2024-11-13
代写csit040 – modern comput...
2024-11-13
代写econ 2070: introduc2on t...
2024-11-13
代写cct260, project 2 person...
2024-11-13
热点标签
mktg2509
csci 2600
38170
lng302
csse3010
phas3226
77938
arch1162
engn4536/engn6536
acx5903
comp151101
phl245
cse12
comp9312
stat3016/6016
phas0038
comp2140
6qqmb312
xjco3011
rest0005
ematm0051
5qqmn219
lubs5062m
eee8155
cege0100
eap033
artd1109
mat246
etc3430
ecmm462
mis102
inft6800
ddes9903
comp6521
comp9517
comp3331/9331
comp4337
comp6008
comp9414
bu.231.790.81
man00150m
csb352h
math1041
eengm4100
isys1002
08
6057cem
mktg3504
mthm036
mtrx1701
mth3241
eeee3086
cmp-7038b
cmp-7000a
ints4010
econ2151
infs5710
fins5516
fin3309
fins5510
gsoe9340
math2007
math2036
soee5010
mark3088
infs3605
elec9714
comp2271
ma214
comp2211
infs3604
600426
sit254
acct3091
bbt405
msin0116
com107/com113
mark5826
sit120
comp9021
eco2101
eeen40700
cs253
ece3114
ecmm447
chns3000
math377
itd102
comp9444
comp(2041|9044)
econ0060
econ7230
mgt001371
ecs-323
cs6250
mgdi60012
mdia2012
comm221001
comm5000
ma1008
engl642
econ241
com333
math367
mis201
nbs-7041x
meek16104
econ2003
comm1190
mbas902
comp-1027
dpst1091
comp7315
eppd1033
m06
ee3025
msci231
bb113/bbs1063
fc709
comp3425
comp9417
econ42915
cb9101
math1102e
chme0017
fc307
mkt60104
5522usst
litr1-uc6201.200
ee1102
cosc2803
math39512
omp9727
int2067/int5051
bsb151
mgt253
fc021
babs2202
mis2002s
phya21
18-213
cege0012
mdia1002
math38032
mech5125
07
cisc102
mgx3110
cs240
11175
fin3020s
eco3420
ictten622
comp9727
cpt111
de114102d
mgm320h5s
bafi1019
math21112
efim20036
mn-3503
fins5568
110.807
bcpm000028
info6030
bma0092
bcpm0054
math20212
ce335
cs365
cenv6141
ftec5580
math2010
ec3450
comm1170
ecmt1010
csci-ua.0480-003
econ12-200
ib3960
ectb60h3f
cs247—assignment
tk3163
ics3u
ib3j80
comp20008
comp9334
eppd1063
acct2343
cct109
isys1055/3412
math350-real
math2014
eec180
stat141b
econ2101
msinm014/msing014/msing014b
fit2004
comp643
bu1002
cm2030
联系我们
- QQ: 9951568
© 2021
www.rj363.com
软件定制开发网!