KEMBAR78
Advanced Types | PDF | Integer (Computer Science) | Data Type
0% found this document useful (0 votes)
100 views8 pages

Advanced Types

Structures allow programmers to create custom data types that group together different data types under a single name. Structures can contain named fields of different data types. Structures and arrays can be combined so that an array contains multiple elements that are structures. This allows the programmer to work with structured data sets. Unions are similar to structures but all fields in a union share the same memory space, so only one field can be active at a time. Enums allow programmers to define a data type for a set of named constants. Typedefs allow defining custom aliases for basic or complex data types for readability and brevity.

Uploaded by

Hussain Hadi
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOC, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
100 views8 pages

Advanced Types

Structures allow programmers to create custom data types that group together different data types under a single name. Structures can contain named fields of different data types. Structures and arrays can be combined so that an array contains multiple elements that are structures. This allows the programmer to work with structured data sets. Unions are similar to structures but all fields in a union share the same memory space, so only one field can be active at a time. Enums allow programmers to define a data type for a set of named constants. Typedefs allow defining custom aliases for basic or complex data types for readability and brevity.

Uploaded by

Hussain Hadi
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOC, PDF, TXT or read online on Scribd
You are on page 1/ 8

Advanced Types

Through the use of structures, unions, enum, and class types, the programmer can extend the language with new types.

Structures
In an array, all the elements are of the same type and are numbered. In a structure, each element, or field, is named and has its own data type. The general form of a structure definition is:
struct structure-name { field-type field-name // Comment .... } variable-name;

For example,

struct bin { char name[30]; // Name of the part int quantity; // How many are in the bin int cost; // The cost of a single part (in cents) } printer_cable_box; // Where we put the print cables

o Statement defines a new data type that can be used in declaring other variables. o The structure-name part of the definition may be omitted.
struct { char name[30]; // Name of the part int quantity; // How many are in the bin int cost; // The cost of a single part (in cents) } printer_cable_box; // Where we put the print cables

o The variable printer_cable_box is still to be defined, but no data type is created. The data type for this variable is an anonymous structure. o The variable-name part also may be omitted. This would define a structure type but no variables. o In an extreme case, both the variable-name and the structure-name parts may be omitted. This creates a section of correct but totally useless code. Once the structure type has been defined you can use it to define variables:
struct bin terminal_cable_box; // Place to put terminal cables

C++ allows the struct to be omitted, so you can use the following declaration:
bin printer_cable_box; // Define the box holding printer cables

To access structure fields use the syntax:


variable. field

Example,

total_cost = printer_cable_box.cost * printer_cable_box.quantity;

Structures may be initialized at declaration time by putting the list of elements in curly braces ({ }).
/* * Printer cables */ struct bin { char name[30]; // Name of the part int quantity; // How many are in the bin int cost; // The cost of a single part (in cents) }; struct bin printer_cable_box = { "Printer Cables", // Name of the item in the bin 0, // Start with empty box 1295 // Cost -- $12.95 };

o The definition of the structure bin and the variable printer_cable_box can be combined in one step:
struct bin { char name[30]; // Name of the part int quantity; // How many are in the bin int cost; // The cost of a single part (in cents) } printer_cable_box = { "Printer Cables", // Name of the item in the bin 0, // Start with empty box 1295 // Cost -- $12.95 };

Unions
A structure is used to define a data type with several fields. Each field takes up a separate storage location. A union is similar to a structure; however, it defines a single location that can be given many different field names.
union value { long int i_value; // Long integer version of value float f_value; // Floating version of value }

In a structure, the fields do not interact. Changing one field does not change any others. In a union, all fields occupy the same space, so only one may be active at a time. In other words, if you put something in i_value, assigning something to f_value wipes out the old value of i_value. It is ILLEGAL to access inactive fields of a union. Example of union usage
const int SHAPE_CIRCLE = 0; // Shape is a circle const int SHAPE_RECTANGLE = 1; // Shape is a rectangle const int SHAPE_TRIANGLE = 2; // Shape is a triangle struct shape { int kind; // What kind of shape is stored union shape_union { // Union to hold shape information struct circle circle_data; // Data for a circle struct rectangle rectangle_data; // Data for a rectangle struct triangle triangle_data; // Data for a triangle } data; };

kind tells us which label to read.

typedef
C++ allows you to define your own variable types through the typedef statement. This provides a way for you to extend C++'s basic types. The general form of the typedef statement is:
typedef type-declaration

The type-declaration is the same as a variable declaration except a type name is used instead of a variable name. For example: typedef int width; defines a new type, width, that is the same as an integer. So the declaration:
width box_width;

is the same as:

int box_width;

At first glance, this is not much different from:


#define width int width box_width;

However, typedefs can be used to define more complex objects which are beyond the scope of a simple #define statement, such as:
typedef int group[10];

Group is now a new type denoting an array of 10 integers. For example:


main() { typedef int group[10]; // Create a new type "group" group totals; // Use the new type for a variable // Initialize each element of total for (i = 0; i < 10; ++i) totals[i] = 0;

enum Type
The enumerated (enum) data type is designed for variables that can contain only a limited set of values. These values are referenced by name (tag). The compiler assigns each tag an integer value internally, such as the days of the week. Cumbersome Method: Use the directive const to create values for the days of the week (day_of_the_week) as follows:
typedef int day_of_the_week; // Define the type for days of the week const int SUNDAY = 0; const int MONDAY = 1; const int TUESDAY = 2; const int WEDNESDAY = 3; const int THURSDAY = 4; const int FRIDAY = 5; const int SATURDAY = 6; /* Now to use it */ day_of_the_week today = TUESDAY;

Better method: Use the enum type:


enum day_of_the_week {SUNDAY, MONDAY, TUESDAY, WEDNESDAY, THURSDAY,FRIDAY, SATURDAY}; /* Now use it */ enum day_of_the_week today = TUESDAY;

The general form of an enum statement is:


enum enum-name {tag-1, tag-2, . . .} variable-name

Enum tags: As with structures, the enum-name or the variable-name may be omitted. The tags may be any valid C++ identifier; however, tags are usually all uppercase. Additional advantage of using an enum type is that C++ will restrict the values that can be used to the ones listed in the enum declaration. The following will result in a compiler error:
today = 5; // 5 is not a day_of_the_week. Only tag assignment allowed

Disadvantage of using enum is that enum variables cannot be used to index an array. The following will result in an error:
enum day of the week today = TUESDAY; // Define string versions of our days of the week char day_names[7][] = { "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Saturday" }:

. . . /* * The following line generates a warning * because today is not an integer */ cout << "Today is " << day_names[today] << '\n';

o To get around this problem, you need to tell C++ to treat today as an integer. This is accomplished through the cast or typecast operation. The expression int(today) tells C++, "I know today is not an integer, but treat it like one.'' To fix the above problem, use the statement:
cout << "Today is " << day_names[int(today)] << '\n';

Casts are also useful in expressions to make sure the variables have the correct type. o Old C Syntax: type (expression) Problem: (float)3 + 5 Not clear to what float
applies.

Solution: ((float)3) + 5 Clear but cumbersome

o C++ Syntax: (type) expression Better Style Cast is particularly useful when working with integers and floating point numbers. o ratio = won / lost; // Ratio will get 1.0 if ratio is float
and won & lost are int. /* The following will compute the correct ratio */ ratio = float(won) / float(lost);

Bit Fields or Packed Structures


Packed structures allow you to declare structures in a way that takes up a minimum of storage. Syntax: o Structure field: number of bits to be used for that field. Storage saving in using packaged structure: For example, the following structure takes up 6 bytes (on a 16-bit machine):
struct item { unsigned int list; // True if item is in the list unsigned int seen; // True if this item has been seen unsigned int number; // Item number };

Using packaged structure to save space: If the fields list and seen can have only two values, 0 and 1, so only 1 bit is needed to represent them. You never plan on having more than 16383 items (0x3fff or 14 bits). You can redefine this structure using bit fields, so, it takes only 2 bytes, by following each field with a colon and the struct item {
unsigned int list:l; // True if item is in the list unsigned int seen:l; // True if this item has been seen unsigned int number:14; // Item number };

Packed structures should be used with care. The machine code to extract data from bit fields is relatively large and slow. Unless storage is a problem, packed structures should not be used. Bit Operations, you needed to store character data and five status flags for 8,000 characters. In this case, using a different byte for each flag would eat up a lot of storage (five bytes for each incoming character). You used bitwise operations to pack the five flags into a single byte. Alternatively, a packed structure could have accomplished the same thing:
struct char_and_status { char character; // Character from device int error:1; // True if any error is set int framing_error:l;// A framing error occurred int parity_error:l; // Character had the wrong parity int carrier_lost:l; // The carrier signal went down int channel_down:1; // Power was lost on the channel };

Using packed structures for flags is clearer and less error-prone than using bitwise operators. However, bitwise operators allow additional flexibility. You should use the one that is clearest and easiest for you to use.

Arrays of Structures
Structures and arrays can be combined. Example 1
struct time { int hour; // Hour (24-hour clock) int minute; // 0-59 int second; // 0-59 }; #define MAX_LAPS 4 /* We will have only 4 laps*/ /* The time of day for each lap*/ struct time lap[MAX_LAPS]; // defines lap as an array

of four elements.

Each element consists of a single time structure Usage


/* * Runner just past the timing point */ lap[count].hour = hour; lap[count].minute = minute; lap[count].second = second; ++count; Example 2

Suppose you want to write a program to handle a mailing list. Mailing labels are 5 lines high and 60 characters wide. You need a structure to store names and addresses. The mailing list will be sorted by name for most printouts, and sorted in zip-code order for actual mailings. The mailing list structure looks like:
struct mailing { char name[60]; // Last name, first name char addressl[60]; // Two lines of street address char address2[60]; char city[40]; // Name of the city char state[2]; // Two-character abbreviation long int zip; // Numeric zip code };

You can now declare an array to hold the mailing list:


/* Our mailing list */ struct mailing list[MAX_ENTRIES]; Initialization

This array can also be initialized at run time. Initialization of an array of structures is similar to the initialization of multidimensional arrays.
struct time start_stop[2] = { {10, 0, 0}, {12, 0, 0} };

You might also like