C / C++ Final

Ace your homework & exams now with Quizwiz!

Given struct ListEntry, which is defined in ListEntry.h and used in ListEntry.c, why does the following compilation not include ListEntry.h? gcc -Wall -Wextra -std=c99 -pedantic ListEntry.c main.c

Because ListEntry.h is included in ListEntry.c

What is output? printf("Calculation: %+09.4lf \n", -13.785742835);

Calculation: -013.7857

What is the output if myContact.txt file does not exist? #include #include using namespace std; int main() { ifstream inFS; cout << "Opening the file." << endl; inFS.open("myContact.txt"); if (!inFS.is_open()) { cout << "Could not open the file." << endl; return 1; } inFS.close(); return 0; }

Could not open the file

What is the output if myContact.txt file does not exist? int main(void) { FILE* inputFile = NULL; printf("Opening the file."); inputFile =fopen("myContact.txt", "r"); if (inputFile ==NULL) { printf("Could not open the file. "); return 1; } fclose(inFS); return 0; }

Could not open the file.

Which XXX declares a variable called myDate of type Date? typedef struct Date_struct { int x; int y; } Date; int main(void) { XXX //do something }

Date myDate;

Which of the following statements describes an abstraction?

Hiding the implementation and showing the important features

What has access to a class's public data members?

Member functions and class users

What has access to a class's private data members?

Member functions but not class users

A(n) _____ can be used to implement an abstract data type (ADT).

class

The _____ construct defines a new type to group data and functions to form an object.

class

_____ is a predefined ostream object that is pre-associated with a system's standardoutput, usually a computer screen.

cout

Which XXX generates "Adam is 30 years old." as the output? #include using namespace std; int main() { string name = "Adam"; int age = 30; XXX return 0; }

cout << name << " is " << age << " years old.";

Which statement will generate 3.140e+00 as the output?

cout << setprecision(3) << scientific << 3.14;

Which function can be used to avoid a memory leak?

free

Which XXX is used for the member function Display() definition in the following code? class Student { public: void SetName(string studentName); void SetGrade(int studentGrade); void Display(); private: string name; int grade; }; XXX { ... }

void Student::Display()

What is output? char level[] = "Minimum"; int amount = 13; printf("You have a %-.3s. of %d miles left to go \n", level, amount); return 0;

"You have a Min. of 13 miles left to go"

Given the function definition, what is returned for the call: DoCalc(2, 3) int DoCalc(int x, int y, int z = -1) { return x * y * z; }

-6

The _______ member access operator is used to access a member using the 'this' pointer.

->

Which operator is used when dereferencing a pointer to access a struct's member variable?

->

How many objects of type Car are created? Car mustang; Car prius; int miles; Truck tundra;

2

Given input "201, 5.74, 42", what is the value of metric2? scanf("%d %f %d", &metric1, &metric2, &metric3);

5.74

What is the output? class Student { public: void SetName(string studentName); void SetScore(int studentScore); string GetGrade() const; private: string name; int score; }; void Student::SetScore(int studentScore) { score = studentScore; } string Student::GetGrade() const { string grade; if (score < 40) { grade = "C"; } else if (score < 70) { grade = "B"; } else { grade = "A"; } return grade; } Int main() { Student student1; student1.SetScore(80); cout << student1.GetGrade(); return 0; }

A

What is the final value of myCity's data members? Answer is in the format cityName, cityPopulation. #include #include using namespace std; class City { public: City(string name = "NoName", int population = 0); private: string cityName; int cityPopulation; }; Country::Country(string name, int population) { cityName = name + " City"; cityPopulation = population; } int main() { City myCity; }

NoName, 0

The following program generates an error. Why? #include #include #include "Shopping.cpp>" using namespace std; int main() { int num1; int num2; cin >> num1; cin >> num2; if (num1 > num2) cout << num1 << " is greater" << endl; else cout << num2 << " is greater" << endl; return 0; }

Only .h files can be included, hence including Shopping.cpp is invalid.

Convert the following constructor to use a constructor initializer list. Restaurant::Restaurant() { pizza = 10; burger = 25; }

Restaurant() : pizza(10), burger(25) { }

What does strrchr() do?

Returns a pointer to the last occurrence of the character

The following program generates an error. Why? class Currency { public: string toCurrency; private: int amount; Currency Convert(int amt, string toCurr); }; Currency Currency::Convert(int amt, string toCurr) { Currency myMoney; if (toCurr == "Euro") { myMoney.amount = amt * .89; } else if (toCurr == "Yen") { myMoney.amount = amt * 108.67; } return myMoney; }

The function Convert should be made public to be called in main

Which is true about abstract data types (ADTs)?

The implementation of an ADT is hidden from the user

Which of the following is true for overloading a class constructor?

The parameter types of the constructors should be different.

What is output? int pop = 1340; printf("There are %06d residents of the city. \n", pop);

There are 001340 residents of the city

Consider a class Student. The following code is used to create objects and access its member functions. Which statement is true about the code? int main() { Student newStudent; Student currentStudent; Student oldStudent; currentStudent.GetDetails(); return 0; }

Three Student objects are declared. GetDetails() is invoked for the currentStudent object.

Which XXX declares a member function called GetAmount() and returns the variable amount? class Bill { public: void SetProduct(string prodName); void SetAmount(int prodAmount); XXX private: string name; double amount; }; int main() { Bill myBill; cout << myBill.GetAmount(); }

double GetAmount();

The ____ function returns true if the previous stream operation had an error.

fail()

The eof() function of input streams returns _____.

false when the end of the file has not been reached

)Assumingchar* firstSymbol;is already declared, return a pointer to the first instance of an '!' in userInput.

firstSymbol = strchr(userInput, '!');

Information hiding allows the ADT user to _____.

focus on higher-level concepts

Which statement outputs "Success!" to the system's standard output file using a file pointer?

fprintf(stdout, "Success!");

The automatic process of finding and freeing unreachable allocated memory locations is called a _____.

garbage collection

Which of the following code snippets result in a memory leak? void StudentClass() { int * ptr = (int*)malloc(sizeof(int)); }

int main() { StudentClass(); return 0; }

Manipulators are defined in the _____ and _____ libraries in namespace std.

iomanip; ios

Which line of code creates an Arcade object correctly? class Arcade { public: Arcade(); Arcade(string name, int r); private: string arcName; int rating; }; Arcade:: Arcade() { arcName = "New"; rating = 1; } Arcade:: Arcade(string name, int r) { arcName = name; rating = r; }

myArc("Games Ablaze", 5)

The following program generates an error. Why? typedef struct Date_struct { int date; int month; int year; } Date; typedef struct Time_struct { int hour; int minute; int second; } Time; int main(void) { Date myDate; Time myTime; myDate.date = 1; myDate.month = 1; myDate.year = 19; myTime.hour = 0; myTime.minute = 0; myTime.second = 0; myTime.minute = myDate.hour; }

myDate cannot access variable hour

The fopen(str) function has a string parameter str that specifies the _____ of the file to open.

name

The inFS.open(str) function has a string parameter str that specifies the _____ of thefile to open.

name

Assumingint* newDimensions;is already declared, which declaration will dynamically allocate an array of 5 integers?

newDimensions = (int*)malloc(5 * sizeof(int));

Identify the statement that makes a deep copy of the object origObj to the new object newObj by creating a copy of the data members' values only.

newObj.member2 = origObj.member2;

A common error when allocating a string is forgetting to account for the _____.

null character

Consider the customer management system and the inventory management system of a coffee shop. Which items should be a part of the CustomerBillDetails object type?

orderQuantity

Which line of code assigns a char variable outputGames with the value the gamesPointer points to? char outputGames = 'B'; char* gamesPointer;

outputGames = *gamesPointer;

The process of redefining the functionality of a built-in operator, such as +, -, and *, to operate on programmer-defined objects is called operator _____.

overloading

Which XXX outputs the following? You have 3 Pencils. Total Price: 60 #include #include typedef struct Data_struct { int itemCount; double price; char name[20]; } Data; Data myData; void updateItemCount(int x) { myData.itemCount = x; } void updateItemPrice(double p) { myData.price = p; } void updateItemName(char n[20]) { strcpy(myData.name,n); } double totalPrice() { XXX } int main(void) { int number = 3; double price = 20.0; char name[] = "Pencil"; double total; updateItemCount(number); updateItemPrice(price); updateItemName(name); total = totalPrice(); printf("You have %d %ss. ", number, name); printf("Total Price: %.0f ", total); return 0; }

return myData.itemCount * myData.price;

Three classes are defined as follows. Choose the correct syntax to include all three classes in the main file. //File ClassA.h #ifndef ClassA_H #define ClassA_H class ClassA { ... }; #endif //File ClassB.h #ifndef ClassB_H #define ClassB_H #include "ClassA.h" class ClassB { ... }; #endif //File ClassC.h #ifndef ClassC_H #define ClassC_H #include "ClassB.h" class ClassC { ... }; #endif

#include "ClassC.h"

Given the following class definition in the file ClassRoom.h, which XXX and YYY complete the corresponding .cpp file? #ifndef CLASSROOM_H #define CLASSROOM_H class ClassRoom { public: void SetNumber(int n); void Print() const; private: int num; }; #endif #include using namespace std; XXX void ClassRoom::SetNumber(int n) { num = n; } YYY { cout << "Number of Class Rooms: " << num << endl; }

#include "ClassRoom.cpp" void ClassRoom.Print() const

What is the output? #include using namespace std; class Number { public: int x; }; int main() { Number a; int sum = 0; a.x = 10; Number b = a; sum = a.x + b.x; cout << sum; return 0; }

20

What is output? #include #include #include using namespace std; int main() { int num = 5; for(int i = 0; i < 3; i++) { cout << num << setw(5) << setfill('*') << num << endl; num = num * 5; } return 0; }

5****5 25***25 125**125

Which operator is the insertion operator?

<<

What is the output? void Display (int i) { cout << "Function 1: " << i << endl; } void Display (double f) { cout << "Function 2: " << f << endl; } int main() { double i; i = 10.0; Display(i); return 0; }

Function 2: 10

What is the output? #include using namespace std; class Greet { public: Greet(); }; Greet::Greet() { cout << "Hello"; } int main() { Greet greeting; return 0; }

Hello

The Hotel class is defined in two separate files: Hotel.h and Hotel.cpp. Which of the following statements is true?

Hotel.cpp contains member function definitions and includes Hotel.h

Convert the following constructor to a constructor initialization list. House::House() { houseNum = 1; price = 1.00; }

House:: House() : houseNum(1), price(1.00) { }

Which XXX will result in a destructor being called? int main(){ XXX list.append(1); cout << "Exiting main" << endl; return 0; }

LinkedList* list = new LinkedList();

What is the output? #include #include using namespace std; class Movie { public: int rating = 1; void Print() { cout << "Rating: " << rating << " stars" << endl; } }; bool operator!=(const Movie& lhs, const Movie & rhs) { return (lhs.rating != rhs.rating); } int main() { Movie movie1; Movie movie2; int currentRating; movie1.rating = 4; movie2.rating = 5; if (movie1 != movie2) { movie1.Print(); } else { movie2.Print(); } return 0; }

Rating: 4 stars

What is an advantage of using separate files for structs?

Reduced compile time

What is output? #include int main() { int myInt; int* myRestaurant; int myVar; int* myBill = NULL; myInt = 10; myRestaurant = &myInt; myVar = *myBill; myVar = *myRestaurant + 10.5; printf("%f\n", myVar); return 0; }

Runtime error

What type of value will myFunc() return for the given program? typedef struct Sample_struct { int a; int b; } Sample; Sample myFunc() { Sample s; printf("%d", s.a); return s; } int main(void) { Sample sam; sam = myFunc(); }

Sample

Identify the correct statement for creating an array of 10 items of type Sample.

Sample mySample[10];

For a class SampleCopy, identify theincorrectway to call a copy constructors to copy object1 to object2.

SampleCopy object2; object2 = &object1;

What is the output with the given input? 85 Lisa 76 Tina 56 Bell 65 Ben -1 class Student { public: void SetScoreAndName(int studentScore, string studentName) { score = studentScore; name = studentName; }; int GetScore() const { return score; }; string GetName() const { return name; }; private: int score; string name; }; int main() { vector studentList; Student currStudent; int currScore; string currName; unsigned int i; cout << "Type Score + Name." << endl << "To end: -1" << endl; cin >> currScore; while (currScore > 0) { cin >> currName; currStudent.SetScoreAndName(currScore, currName); studentList.push_back(currStudent); totalScore += currScore; cin >> currScore; } cout << "Students: "; for(i = 0; i < studentList.size(); i++){ cout << studentList.at(3 - i).GetName() << " "; } return 0; }

Students: Ben Bell Tina Lisa

A linked list's head node stores _____ in the list.

a pointer to the first item node

What does malloc() return when dynamically allocating an array?

a pointer to the memory location of the array's first element

Which type of pointer is returned by the following function call? malloc(sizeof(int));

a void pointer

A linked list is slower than a vector when _____.

accessing the i'th element

Select the default constructor signature for a Student class.

public Student( )

A soccer coach is creating a list,vector playerList;. Which function adds more players to the list?

push_back()

Which statement XXX will correctly parse input string userInput[] into 3 values? char userInput[] = "Sports Tent 75.50"; float price; char storeDepartment[20]; char itemType[20]; int enteredValues = XXX; if(enteredValues >= 1){ printf("Store Department: %s\n", storeDepartment); printf("Item: %s\n", itemType); printf("Price: %.2f\n", price); }

sscanf(userInput, "%19s %19s %f", storeDepartment, itemType, &price)

In the following code, where are variables a, b, c, and d stored? #include int a = 10; int Add(int x, int y) { int b; b = x + y; return b; } int main() { int c; c = 20; int d; d = Add(a,c); printf("%d\n", d); return 0; }

stack

Which header file is required to access the file pointer (FILE*)?

stdio.h

A _____ is a program used to thoroughly test another program (or portion of a program) through a series of input/output checks.

testbench

A commuter swipes a public transport card at a kiosk and sees his account balance displayed on the screen. The commuter would be viewing an abstraction if _____.

there is other information about his account that is not displayed onscreen

Which XXX expression correctly overloads the copy assignment operator? class BookLog { public: BookLog(); BookLog& operator=(const BookLog& objToCopy); void SetBookCount(const int setVal) { bookCount = bookCount + setVal; } int GetBookCount() const { return bookCount; } private: int* bookCount; }; BookLog& BookLog::operator=(const BookLog& objToCopy) { if (XXX) { delete bookCount; bookCount = new int; *bookCount = *(objToCopy.bookCount); } return *this; }

this != &objToCopy

Which XXX complete the class School's member function correctly? class School { public: void SetDetails(int numStudents, string name); private: int nStudents; string schoolName; }; void School::SetDetails(int numStudents, string name) { XXX }

this->nStudents = numStudents; this->schoolName = name;

Complete the correct code for inserting a node in a list. InsertAfter(IntNode* nodeLoc) { IntNode* tmpNext = NULL; XXX }

tmpNext = this->nextNodePtr; this->nextNodePtr = nodeLoc; nodeLoc->nextNodePtr = tmpNext;

A pointer is a(n) _____ that contains a ___

variable, memory address

Assuming a class Employee has been defined, which of the following statements is correct for declaring a vector?

vector <Employee> employeeList;

Which XXX completes the definition of SetDetails()? class School { public: XXX(int crNum, int grNum, int tNum) { numClassrooms = crNum; numGrades = grNum; numTeachers = tNum; } private: int numClassrooms; int numGrades; int numTeachers; }; int main() { School newSchool; int classroomNum; int gradeNum; int teacherNum; cin >> classroomNum; cin >> gradeNum; cin >> teacherNum; newSchool.SetDetails(classroomNum, gradeNum, teacherNum); return 0; }

void SetDetails

Which of the following is the LinkedList class destructor?

~LinkedList();

What is output? #include typedef struct Data_struct { int ID; char type[8]; } Data; int main(void) { const int NUM_DATA = 2; Data idData[NUM_DATA]; int i; idData[0].ID = 0; strcpy(idData[0].type, "Public"); idData[1].ID = 1; strcpy(idData[1].type, "Private"); printf("Total data: %d", NUM_DATA); for (i = 0; i < NUM_DATA; ++i) { printf(" ID: %d", idData[i].ID); printf(" type %s", idData[i].type); } return 0; }

.Total data: 2 ID: 0 type: Public ID: 1 type: Private

What is output? #include using namespace std; class School { public: School() { y++; } static int getY() {return y;} private: static int y; }; int School::y = 0; int main() { cout << School::getY() << " "; School t[5]; cout << School::getY(); }

0 5

What is output? #include #include typedef struct Sample_struct { int value; } Sample; int main(void) { int x = 5; Sample myVect[x]; for (int a = 0; a < x; a++) { myVect[a].value = myVect[a].value + 12; printf("%d ",myVect[a].value); } return 0; }

12 12 12 12 12

If the heap memory location starts at 9403, what is the value of the integer variable myAge at position 1? #include #include int a = 10; int main() { int b; int* myAge = NULL; b = 20; myAge = (int*)malloc(sizeof(int)); // Position 1 *myAge = 30; free(myAge); return 0; }

9403

Which operator is overloaded to copy objects?

Assignment operator

Consider a classTeamfor soccer team members under theSoccernamespace and another classTeamfor basketball team members under theBasketballnamespace. What is the syntax that will help the compiler identify the correct Team?

Soccer::Team SoccerTeamMembers; Basketball::Team BasketballTeamMembers;

Given input "Samantha Jones", what does the following code do? char myString[10]; fgets(myString, 10, stdin);

Writes "Samantha " to string myString

What function will deallocate memory after realloc() has been used?

free()

Default parameters may appear _____

in the parameters of a function definition

If a function definition has three parameters, one of which the programmer gives a default value, then _____.

that parameter must be the last parameter

Heap is a region in program memory where _____.

the "malloc" function allocates memory

Which XXX will result in the output "25"? #include #include void main() { typedef struct userData_struct { int myInt; char initial; } userData; userData* newData = NULL; newData = (userData*)malloc(sizeof(userData)); XXX printf("%d", newData->myInt); free(newData); }

(*newData).myInt = 25;

What is output? #include #include #include using namespace std; int main() { cout << setfill('-') << setw(7) << "Tim" << endl; return 0; }

----Tim

What is output? #include using namespace std; class School { public: School( ); static int getNextId(); private: int id = 0; static int nextId; }; School::School( ) { id = nextId; nextId += 1; } int School::getNextId() { return nextId; } int School::nextId = 0; int main( ) { School( ); cout << School::getNextId() << " "; School( ); cout << School::getNextId() << " "; School( ); cout << School::getNextId() << " "; School( ); cout << School::getNextId() << " "; return 0; }

1 2 3 4

What is the value of fordFusion's odometer at the end of main( )? class SimpleCar { public: SimpleCar(); SimpleCar(int miles); void Drive(int miles); private: int odometer; }; SimpleCar::SimpleCar() { odometer = 0; } SimpleCar::SimpleCar(int miles) { odometer = miles; } void SimpleCar::Drive(int miles) { odometer = odometer + miles; } int main() { SimpleCar fordFusion; SimpleCar hondaAccord(30); fordFusion.Drive(100); fordFusion.Drive(20); return 0; }

120

What is the output if123ABCis the input? #include using namespace std; int main() { int number; cin >> number; cout << number; }

123

What is the output? #include void CheckValue(int* pointVar1, int* pointVar2) { if (pointVar1 == NULL && pointVar2 == NULL) { printf("Pointers are null\n"); } else if (*pointVar2 > *pointVar1) { printf("%p\n", *pointVar2); } else if (*pointVar1 > *pointVar2) { printf("%p\n", *pointVar1); } } int main() { int num1 = 5; int num2 = 9; CheckValue(&num1, &num2); return 0; }

9

Which of the following statements is true about a class' private helper function?

A private helper function helps private functions carry out their tasks.

Which of the following statements is false for a static data member?

A static data member is independent of any class object

Which is true?

A testbench should only print messages when a test case fails

Which of the following items should undergo regression testing

A tested class where three new functions have been added.

Which is true about accessors?

An accessor reads a class' data members

What is the output of the unit testing? #include using namespace std; class TempConvert { public: void SetTemp(int tempVal) { temp = tempVal; } int GetTemp() const { return temp; } TempConvert() { temp = 1; } int InFahrenheit() { return (temp * 1.8) - 32; } private: int temp; }; int main() { TempConvert testData; cout << "Beginning tests." << endl; if (testData.GetTemp() != 0) { cout << " FAILED initialize/get temp" << endl; } testData.SetTemp(10); if (testData.GetTemp() != 10) { cout << " FAILED set/get temp" << endl; } else (testData.InFahrenheit() != 50) { cout << " FAILED InFahrenheit for 10 degrees" << endl; } cout << "Tests complete." << endl; return 0; }

Beginning tests. FAILED initialize/get temp FAILED InFahrenheit for 10 degrees Tests complete

Features of a good testbench include

Border cases and extreme values

What is the output? #include #include using namespace std; int main() { unsigned int i; vector Xvector; Xvector.push_back(1); Xvector.push_back(2); Xvector.clear(); for (i = 0; i < Xvector.size(); ++i) cout << ' ' << Xvector.at(i); return 0; }

Compiler error

Which constructor will be called by the statementHouse myHouse(97373);for the given code? class House { House(); // Constructor A House(int zip, string street); // Constructor B House(int zip, int houseNumber); // Constructor C House(int zip); // Constructor D };

Constructor D

What is the return type for constructors?

Constructors do not have a return type.

Which of the following is true if a programmer has to create a class Clinic with the following data members and functions? class Clinic { int patientRecNum; string patientName; void SetDetails(int num, string name); string GetDetails(); };

Data members should be private items and function declarations should be public items.

What is output? #include using namespace std; class Database { public: Database() { cout << "Constructor called" << endl; } ~Database() { cout << "Destructor called" << endl; } void print() { cout << "Database loading" << endl; } }; int main() { Database db1; db1.print(); return 0; }

Database loading

Which of the following statements is true about destructors?

Destructors are used to deallocate the memory.

What is the output? void Area(double x, double y) { cout << x * y; } void Area(int base, int height) { cout << (base * height) / 2; } void Area(int length, int width) { cout << length * width; } int main() { int b; int h; b = 4; h = 5; Area(b, h); }

Error: Compiler cannot determine which function to call

A programmer defines the following: int CalcRoute(int x = -1, int y, int z) ... What is true for the following call: CalcRoute(2, 3)?

Error: If any default parameters are defined, all parameters must have default values

Given integer variables totalTickets, vipTickets, and sessionNum, which line of code correctly calls the following function? void FinalTally(int* totalAttendees, int* vipAttendees, int numSessions);

FinalTally(&totalTickets, &vipTickets, sessionNum);

What is the output for input values 1, 2, 3, 4, and 5? #include #include using namespace std; void AddJerseyNum(vector&jerseyNums, int num) { jerseyNums.push_back(num); } void Print(const vector&jerseyNums) { unsigned int i; for (i = 0; i < jerseyNums.size(); ++i) cout << " " << jerseyNums.at(i); } void DeleteJerseyNum(vector&jerseyNums) { jerseyNums.erase(jerseyNums.begin() + 1); } int main() { vector jerseyNums; int num = 0; for(int i = 0; i < 5; i++) { cout << "Add jersey numbers: "; cin >> num; AddJerseyNum(jerseyNums, num); } cout << "Jersey Numbers: "; Print(jerseyNums); DeleteJerseyNum(jerseyNums); Print(jerseyNums); return 0; }

Jersey Numbers: 1 2 3 4 5 1 3 4 5

What is the output? #include using namespace std; class Shape { public: Shape(int l = 5, int b = 5); void Print(); Shape operator-(Shape shape2); private: int length; int width; }; Shape Shape::operator-(Shape shape2) { Shape newShape; newShape.length = length - shape2.length; newShape.width = width - shape2.width; return newShape; } Shape::Shape(int l, int b) { length = l; width = b; } void Shape::Print() { cout << "Length = " << length << " and " << "Width = " << width << endl; } int main() { Shape s1(20, 20); Shape s2; Shape s3; s3 = s1 - s2; s3.Print(); return 0; }

Length = 15 and Width = 15

Given the following input, what is output? 4 1 1990 typedef struct Date_struct { int month; int day; int year; } Date; int main(void) { Date myDate; scanf("%d",&myDate.month); scanf("%d", &myDate.day); scanf("%d", &myDate.year); myDate.month = myDate.month+1; printf("Month %d Day %d Year %d\n", myDate.month, myDate.day , myDate.year); return 0; }

Month 5 Day 1 Year 1990

Which XXX completes the following code, assuming a class called Movie has been defined with public member functions GetDetails() and SetDetails()? int main() { double movieRating; string actors; XXX cout << "The movie's rating and its actors are: " << newMovie.GetDetails() << endl; return 0; }

Movie newMovie; newMovie.SetDetails(movieRating, actors);

What does the malloc() function return if the function fails to allocate memory?

NULL

What is the output? #include using namespace std; class Line { public: Line () { cout << "No such line"; } };. int main() { Line L1, *L2; return 0; }

No such line

What is the output? #include using namespace std; class Shape { public: void Print(); Shape(int x); private: int sides; }; Shape::Shape() { sides = 4; } Shape::Shape(int x) { this->sides = x; } void Shape::Print() { if(this->sides == 4) { cout << "It's a Square!" << endl; } else { cout << "Oops!"; } } int main() { Shape s(7); s.Print(); return 0; }

Oops!

Which XXX statement correctly defines a copy constructor function? #include #include using namespace std; class ObjCopy { private: char *cString; int sSize; public: ObjCopy(const ObjCopy&); }; ObjCopy::ObjCopy(const ObjCopy& OrigStr) { XXX } int main() { ObjCopy str1("Sample Copy"); ObjCopy str2 = str1; return 0; }

OrigStr.sSize = sSize; cString = new char[sSize+1]; strcpy(cString, OrigStr.cString);

Identify the type of function definition used in the code. class AgeCalculator { public: int CalcAge(int age) { ageMonths = age * 12; return ageMonths; } private: int ageMonths; }; int main() { AgeCalculator newAge; newAge.CalcAge(5); return 0; }

Overloaded function definition

What is a common error when using an ADT?

Passing an incorrect pointer to the ADT's functions

Which statement declares a copy assignment operator for a class named PatientDetails using inVal as the input parameter name?

PatientDetails& operator=(const PatientDetails& inVal);

What is a benefit of using pointers over an array to store a list?

Pointers require fewer processor instructions to insert, delete, and shift data.

What is the purpose of the & symbol in the following code? int* myVar; int distance = 132; myVar = &distance;

Refers to the memory address of distance

What is output? typedef struct Data_struct { int x; int y; int result; } Data; Data Greater(int val1, int val2) { Data inData; inData.x = val1; inData.y = val2; if(val1 > val2) { inData.result = val1; } else { inData.result = val2; } return inData; } int main(void) { int a = 5; int b = 9; int result; Data myInput; myInput = Greater(a, b); printf("Result: %d", myInput.result); return 0; }

Result: 9

A programmer is overloading the equality operator (==) and has created a function named operator==. What are the return type and arguments of this function?

Return type: bool, Arguments: 2 const class type references

What is the output if the user enters10 20 30 40 50? #include #include #include using namespace std; int main() { istringstream inSS; int number; int sum = 0; string numList; cout << "Enter numbers separated by spaces: "; getline(cin, numList); inSS.str(numList); while (inSS >> number) { sum = sum + number; } cout << "Sum: " << sum << endl; return 0; }

Sum: 150

Given the following function definition, which function call printsx, y, 0? void Test(char a, char b = 'y', int num = 0) { cout << a << ", " << b << ", " << num << endl; }

Test('x');

For the class Timer, which XXX initializes the variables to 0? class Timer { public: XXX void Print() { cout << minutes << ":" << seconds; }; private: int minutes; int seconds; };

Timer() { minutes = 0; seconds = 0; }

What is the output if the input isTom - Sawyer? #include using namespace std; int main() { string playerName; cout << "Enter name"; cin >> playerName; cout << endl << playerName; return 0; }

Tom

Given input 420, what is output? typedef struct PenniesToDollars_struct { int dollars; } PenniesToDollars; PenniesToDollars ComputeDollars(int pennies) { PenniesToDollars cal; cal.dollars = pennies / 100; return cal; } int main(void) { int somePennies; PenniesToDollars dollarValue; printf("Enter penny value:"); scanf("%d", &somePennies); dollarValue = ComputeDollars(somePennies); printf("You have %d pennies or %d dollars", somePennies, dollarValue.dollars); return 0; }

You have 420 pennies or 4 dollars

Given the following input, what is output? English 50 50.0 Math 1 20 75.5 #include typedef struct Books_struct { char name[12]; int pages; float price; } Books; int main(void) { int x = 2; char book_name[x][12]; int no_pages[x]; float book_price[x]; Books myBooks[x]; for (int i = 0; i < x ; i++) { printf("Enter a books name: \n"); scanf("%s", book_name[i]); printf("Enter book's no of pages: \n"); scanf("%d", &no_pages[i]); printf("Enter book's price: \n"); scanf("%f", &book_price[i]); strcpy(myBooks[i].name, book_name[i]); myBooks[i].pages = no_pages[i]; myBooks[i].price = book_price[i]; } for (int a = 0; a < x; a++) { printf("You have: %s book.\n",myBooks[a].name); }. return 0; }

You have: English book. You have: Math book.

Which of the following statements allocates memory in the heap?

a = (int*)malloc(sizeof(int));

What is output? typedef struct Data_struct { int a; int b; } Data; void AddData(Sum obj) { obj.a = obj.a + 5; obj.b = obj.b + 10; printf("a = %d b = %d\n " , obj.a , obj.b); } int main(void) { Data point; point.a = 10; point.b = 20; AddData(point); return 0; }

a = 15 b = 30

If realloc() cannot locate enough memory at the end of a memory block, what does realloc() return?

a pointer to a new memory block, where existing data has been copied

Which XXX calculates and prints the total cost? #include #include typedef struct Item_struct { double price; int quantity; double itemCost; } Item; typedef struct Order_struct { int OrderNumber; double total; } Order; int main(void) { Item book1; Item book2; Order amount; book1.itemCost = book1.price * book1.quantity; book2.itemCost = book2.price * book2.quantity; XXX }

amount.total = book1.itemCost + book2.itemCost;

AssumingbodyWeights = (double*)malloc(3 * sizeof(double));, which declaration will reallocate an array of 10 doubles?

bodyWeights = (double*)realloc(bodyWeights, 10 * sizeof(double));

Which of the following is the correct way to overload the >= operator to use School class type with function GetTotalStudents()?

bool operator>=(const School& lhs, const School& rhs) { return lhs.GetTotalStudents() >= rhs.GetTotalStudents(); }

Which allocates a new string carID, which is large enough to store the strings carModel, carMake, and an additional character?

carID = (char*)malloc((strlen(carMake) + strlen(carModel) + 2) * sizeof(char));

In a linked list, a node is comprised of a(n) _____.

data element and a pointer to the next node

When creating a vector ADT, the vector.c file would contain _____.

definitions of the vector functions

Which XXX will delete a node from a list? DeleteNode(IntNode* priorNode) { IntNode* delNode = NULL; XXX }

delNode = priorNode->nextNodePtr; priorNode->nextNodePtr = delNode->nextNodePtr;

Which statement XXX outputs each element of array customerName to a file called CustomerList.txt using a file pointer? char* customerName[5] = {"Bob", "Sally", "Jim", "Joe", "Denise"}; FILE *inputFile = NULL; int numberPlayers; inputFile = fopen ("CustomerList.txt", "w"); for (int i = 0; i < (5); ++i) { XXX }

fprintf (inputFile, "%s\n", customerName[i]);

Which function deallocates memory allocated by the malloc() function?

free()

Which XXX reads data into numberPlayers from the file stream, inputFile? int main(void) { FILE* inputFile = NULL; int numberPlayers; inputFile = fopen("playerNumber.txt", "r"); if (inputFile==NULL) { printf("Could not open file numFile.txt."); return 1; } else { XXX; printf("Players Number: " , numberPlayers); } return 0; }

fscanf(inputFile, "%d", &numberPlayers);

The _____ function reads an input line into a string.

getline();

Which XXX will search the input name in the GuestList.txt file? #include #include using namespace std; int main() { ifstream inFS; string userName; string listName; int flag = 0; inFS.open("GuestList.txt"); if (!inFS.is_open()) { cout << "Could not open file numFile.txt." << endl; return 1; } cout << "Enter guest name: "; cin >> userName; while (!inFS.eof()) { inFS >> listName; XXX { if(listName == userName) { flag = 1; } } } if(flag == 1){ cout << userName << " is in the guest list" << endl; } else { cout << userName << " not in the guest list" << endl; } inFS.close(); return 0; }

if (!inFS.fail())

Which XXX will generate the following output? "importantNum = 10" #include #include void main() { int* importantNum = NULL; XXX *importantNum = 10; printf("importantNum = %d", *importantNum); free(importantNum); }

importantNum = (int*)malloc(sizeof(int));

Which XXX is used to read and store the data into the variablenumberPlayersfromthe file that is opened by the stream inputFile? #include #include using namespace std; int main() { ifstream inputFile; int numberPlayers; inputFile.open("playerNumber.txt"); if (!inputFile.is_open()) { cout << "Could not open file numFile.txt." << endl; return 1; } XXX cout << "Players Number: " << numberPlayers; return 0; }

inputFile >> numberPlayers;

A linked list supports faster _____ than a vector.

inserts or deletes

Which function is called? p = ProcessData(9.5);

int ProcessData (double num, int x = 2){...};

Which XXX (string stream) returnsHello John Denveras the output? #include #include #include using namespace std; int main() { string userInfo = "John Denver "; XXX string firstName; string lastName; inSS >> firstName; inSS >> lastName; cout << "Hello " << firstName << " " << lastName << endl; return 0; }

istringstream inSS(userInfo);

Mustang is an object of type Car. Which statement invokes drive()?

mustang.drive(145);

Which XXX will result in the output "Area: 42"? #include #include void main() { int area; typedef struct polygon_struct { int height; int width; } polygon; polygon* newRect = NULL; XXX newRect->height = 21; newRect->width = 2; area = newRect->height * newRect->width; printf("Area: %d", area); free(newRect); }

newRect = (polygon*)malloc(sizeof(polygon));

Which XXX is the proper default constructor? public class Employee { private double mySalary; XXX }

public Employee( ) { mySalary = 10000; }

in the following code, what is the correct return statement for an overloaded + operator? Game Game::operator+(Game newGame) { Game myGame; myGame.score = score + newGame.score; //Return statement to be written here }

return myGame;

Which of the following is an accessor declaration?

string GetName() const;

Which XXX would generate "the USA has 50 states" as the output for "the usa has 50 states" as the input? #include #include int main(void) { char userInput[100]; char* stringPosition = NULL; printf("Enter a line of text: "); fgets(userInput, 100, stdin); stringPosition = strstr(userInput, "usa"); if (stringPosition != NULL) { XXX } printf("%s\n", userInput); return 0; }

strncpy(stringPosition, "USA", 3);

Which XXX completes the code to generate "Enter the student grade:" as the output? #include #include #include using namespace std; class Student { public: void SetDetails(int StuGrade, string name) { studentGrade = StuGrade; studentName = name; } private: int studentGrade; string studentName; }; int main() { vector studList; Student newStudent; int r; string nm; cout << "Enter the student grade: " << endl; cin >> r; XXX return 0; }

studList.push_back(newStudent);

Consider the class Student below. Which XXX is valid code? class Student { public: void SetName(string studentName); void SetGrade(int studentGrade); void Display(); private: string name; int grade; }; int main() { Student student1; XXX ... }

student1.Display();

Identify the existing statement in the code that results in an error. class Student { public: void SetName(string studentName); void Display(); private: string name; int grade; int Grade(); }; void Student::Display() { grade = Grade(); ... } int Student::Grade() { ... } void Student::SetName(string studentName) { name = studentName; } int main() { Student student1; student1.Display(); ... student1.Grade(); }

student1.Grade();

Which line of code makes the character pointer studentPointer point to the character variable userStudent? char userStudent = 'S'; char* studentPointer;

studentPointer = &userStudent;

Which XXX statement can be used to remove the third element from vector teamMember? #include #include using namespace std; int main() { vector teamMember; vctr.push_back(27); vctr.push_back(44); vctr.push_back(9); vctr.push_back(17); XXX return 0; }

teamMember.erase(teamMember.begin() + 3);


Related study sets

CMS2 Assignment 10: Employee Benefits - Key Feature of Total Rewards

View Set

InsuranceWhich of the following best describes the aleatory nature of an insurance contract?

View Set

74 - Global Transportation, Communication and Technology Networks (comprehensive)

View Set

OCI Foundations Practice Exam (1Z0-1085)

View Set