Search This Blog(textbook name or author as the keywords)You can cantact me by the Contact Form

Showing posts with label 8/E. Show all posts
Showing posts with label 8/E. Show all posts

9/13/13

Problem Solving with C++ 8/E Savitch solutions manual and test bank and lab manual


Problem Solving with C++ 8/E Savitch solutions manual and test bank and lab manual
 
I can get the  Problem Solving with C++ 8/E Savitch solutions manual and test bank and lab manual, please send the email to me
Problem Solving with C++ plus MyProgrammingLab with Pearson eText -- Access Card, 8/E
Walter Savitch
  Book cover

ISBN-10: 0132576341 • ISBN-13: 9780132576345
©2012 • Online • Live
More info
1. Source Code Listings (ZIP) (0.3MB)
Zip file of all chapters
· Instructor Solutions Manual for Problem Solving with C++, 8/E
Savitch & Mock
ISBN-10: 0132317060 • ISBN-13: 9780132317061
©2012 • Online • Live
More info
1. Instructor Solutions Manual (ZIP) (0.6MB)
Zip file of all chapters
· Lab Manual for Problem Solving with C++, 8/E
Savitch
ISBN-10: 0132872595 • ISBN-13: 9780132872591
©2012 • Online • Live
More info
1. Lab Manual (ZIP) (0.8MB)
· PowerPoint Lecture Slides for Problem Solving with C++, 8/E
Savitch & Mock
ISBN-10: 0132317028 • ISBN-13: 9780132317023
©2012 • Online • Live
More info
1. PowerPoint Lecture Slides (ZIP) (29.1MB)
Zip file of all chapters
2. PowerPoint Figure Slides (ZIP) (57.4MB)
Zip file of all chapters
· Test Bank for Problem Solving with C++, 8/E
Savitch & Mock
ISBN-10: 0132317044 • ISBN-13: 9780132317047
©2012 • Online • Live
More info
1. Test Bank (Word files) (ZIP) (0.2MB)
Zip file of all chapters.
2. TestGen Testbank - Blackboard 9 TIF (ZIP) (0.5MB)
Click here for installation and file use instructions.
· Test Generator for Problem Solving with C++, 8/E
Savitch & Mock
ISBN-10: 0132317036 • ISBN-13: 9780132317030
©2012 • Online • Live





Chapter 2

C++ Basics

1. Solutions to the Programming Projects:

1. Metric - English units Conversion
A metric ton is 35,273.92 ounces. Write a C++ program to read the weight of a box of cereal in ounces then output this weight in metric tons, along with the number of boxes to yield a metric ton of cereal.

Design: To convert 14 ounces (of cereal) to metric tons, we use the 'ratio of units' to tell us whether to divide or multiply:
The use of units will simplify the determination of whether to divide or to multiply in making a conversion. Notice that ounces/ounce becomes unit-less, so that we are left with metric ton units. The number of ounces will be very, very much larger than the number of metric tons. It is then reasonable to divide the number of ounces by the number of ounces in a metric ton to get the number of metric tons.

Now let metricTonsPerBox be the weight of the cereal box in metric tons. Let ouncesPerBox the be the weight of the cereal box in ounces. Then in C++ the formula becomes:

const double ouncesPerMetric_ton = 35272.92;
metricTonsPerBox = ouncesPerBox / ouncesPerMetricTon;

This is metric tons PER BOX, whence the number of BOX(es) PER metric ton should be the reciprocal:

     boxesPerMetricTon = 1 / metricTonsPerBox;

Once this analysis is made, the code proceeds quickly:

//Purpose: To convert cereal box weight from ounces to
// metric tons to compute number of boxes to make up a
// metric ton of cereal.

#include <iostream>
using namespace std;

const double ouncesPerMetricTon = 35272.92;

int main()
{
double ouncesPerBox, metricTonsPerbox,
       boxesPerMetricTon;
char ans = 'y';
while( 'y' == ans || 'Y' == ans )
{
    cout << “enter the weight in ounces of your”
         << “favorite cereal:” <<endl;
    cin >> ouncesPerBox;
    metricTonsPerbox =
             ouncesPerBox / ouncesPerMetricTon;
    boxesPerMetricTon = 1 / metricTonsPerbox;
    cout << "metric tons per box = "
         << metricTonsPerbox << endl;
    cout << "boxes to yield a metric ton = "
         << boxesPerMetricTon << endl;
    cout << " Y or y continues, any other character ”
         << “terminates." << endl;
    cin >> ans;
    }
    return 0;
}

A sample run follows:

enter the weight in ounces of your favorite cereal:
14
metric tons per box = 0.000396905
boxes to yield a metric ton = 2519.49
Y or y continues, any other characters terminates.
y
enter the weight in ounces of your favorite cereal:
20
metric tons per box = 0.000567007
boxes to yield a metric ton = 1763.65
Y or y continues, any other characters terminates.
n






TRUE/FALSE
  1. A struct variable is declared differently from a predefined type such as an int.
ANSWER: FALSE
  1. Two different structure definitions may have the same member names.
ANSWER: TRUE.
  1. A structure can only be passed to a function as a call-by-value parameter
ANSWER: FALSE
  1. A function may return a structure.
ANSWER: TRUE
  1. Different class may not have member functions with the same name.
ANSWER: FALSE
  1. A class member function may be private.
ANSWER: TRUE
  1. Class data members are almost always public.
ANSWER: FALSE
  1. It is possible to have multiple private labels in a class definition.
ANSWER: TRUE
  1. The assignment operator may not be used with objects of a class.
ANSWER: FALSE
  1. All constructors for a class must be private.
ANSWER: FALSE
  1. A derived class is more specific than its parent, or base class.
ANSWER: TRUE

Short Answer
  1. The keyword ________ defines a structure type definition.
ANSWER: struct
  1. A structure definition ends with the closing brace and a _________.
ANSWER: semicolon
  1. A structure variable is a collection of smaller values called ____________ values
ANSWER: member
  1. When a structure contains another structure variable as one of its members, it is known as a ___________________.
ANSWER: hierarchical structure
  1. When several items (variables or variables and functions) are grouped together into a single package, that is known as ______________.
ANSWER: (data) encapsulation
  1. The double colon (::) is known as the __________ operator.
ANSWER: scope resolution operator
  1. Who can access private members in a class?
ANSWER: only other members of the class
  1. A member function that allows the user of the class to find out the value of a private data type is called a  ___________________.
ANSWER: accessor function.
  1. A member function that allows the user of the class to change the value of a private data type is called  a ____________________.
ANSWER: mutator function.
  1. If you have a class with a member function called display(ostream& out), that will send the values in the class to the parameter stream, and you need to call that function from within another member function, how would you call it to print the data to the screen? ___________________________
ANSWER: display(cout);
  1. What can a constructor return? _______________
ANSWER: nothing
  1. The name of a constructor is _____________
ANSWER: the name of the class
  1. The constructor of a class that does not have any parameters is called a __________ constructor.
ANSWER: default
  1. In the following class constructor definition, the part of the header starting with a single colon is called the ________________.

BankAccount::BankAccount(): balance(0), interest(0.0)

ANSWER: initialization section
  1. A class in which modifications to the implementation appear to be invisible to the user of the class is known as _________________.
ANSWER: an Abstract Data Type (ADT)
  1. A member function that gets called automatically when an object of the class is declared is called a _______________.
ANSWER: constructor
  1. If class A is derived from class B, then B is a _______ of A.
ANSWER: parent

Multiple Choice
  1. In  a structure definition, the identifiers declared in the braces are called
    1. classes
    2. structs
    3. member names
    4. variables
ANSWER: C
  1. You specify an individual member of a struct by using
    1. the assignment operator
    2. an ampersand
    3. an underscore
    4. The dot operator
ANSWER: D
  1. To assign values to a structure variable, you use the
    1. equals operator
    2. assignment operator
    3. extraction operator
    4. less than operator
ANSWER: B
  1. What is wrong with the following structure definition?
struct MyStruct
{
  int size;
  float weight;
}
    1. Nothing
    2. Can not have mixed data types in a structure
    3. missing semicolon
    4. Braces are not needed.
ANSWER: C
  1. Given the following strucure definitions, what is the correct way to print the person's birth year?
struct DateType
{
  int day;
  int month;
  int year;
}

struct PersonType
{
  int age;
  float weight;
  DateType birthday;
}

PersonType person;
    1. cout << person.birthday.year;
    2. cout << year;
    3. cout << birthday.year;
    4. cout << peson.year;
ANSWER: A
  1. Given the following strucure definition, what is the correct way to initialize a variable called today?
struct DateType
{
  int day;
  int month;
  int year;
}

    1. DateType today(1,1,2000);
    2. DateType today = (1,1,2000);
    3. DateType today = {1,1,2000);
    4. DateType today = {1,1,2000,0);
ANSWER: C
  1. When defining a class, the class should be composed of the kind of values a variable of the class can contain, and
    1. member functions for that class
    2. the keyword private
    3. other class definitions
    4. nothing else
ANSWER: A
  1. Which of the following is the correct function definition header for the getAge function which is a member of the Person class?
    1. int getAge();
    2. int getAge()
    3. int Person:getAge()
    4. int Person::getAge()
ANSWER: D
  1. Given the following class definition and the following member function header, which is the correct way to output the private data?
class Person
{
public:
  void outputPerson(ostream& out);
private:
int age;
float weight;
int id;
};

void Person::outputPerson(ostream& out)
{
  //what goes here?
}
    1. out << person.age << person.weight << person.id;
    2. out << person;
    3. out << age << weight << id;
    4. outputPerson(person);
ANSWER: C
  1. Why do you want to usually make data members private in a class?
    1. so that no one can use the class.
    2. ensure data integrity
    3. provide data abstraction.
    4. provide information hiding.
    5. B and D
    6. B, C and D
ANSWER: F
  1. A member function of a class should be made private
    1. always
    2. only if it will never be used
    3. if it will only be used by other members of the class
    4. never, it is illegal to make a member function private.
ANSWER: C
  1. A member function that allow the user of the class to change the value in a data member is known as
    1. a mutator function
    2. a mutation
    3. a manipulator function
    4. an accessor function
ANSWER: A
  1. A Member function that allows the user of the class to see the value in a data member is known as
    1. a mutator function
    2. a mutation
    3. a manipulator function
    4. an accessor function
ANSWER: D
  1. If you design a class with private data members, and do not provide mutators and accessors, then
    1. The private data members can still be accessed from outside the class by using the & operator
    2. The data can not be changed or viewed by anyone.
    3. None of the above
    4. A and B
ANSWER: B
  1. A class member function that automatically initializes the data members of a class is called
    1. the init function
    2. an operator
    3. a constructor
    4. a cast
ANSWER: C
  1. If you have a class named myPersonClass, which of the following correctly declare a constructor in the class definition?
    1. myPersonClass::myPersonClass();
    2. myPersonClass();
    3. init();
    4. cast();
ANSWER: B
  1. given the following class definition, how could you use the constructor to assign values to an object of this class?

class CDAccount
{
public:
  CDAccount();
  CDAccount(float interest, float newBalance);
  float getBalance();
  float getRate();
  void setRate(float interest);
  void setBalance(float newBalance);
private:
  float balance, rate;
};

and the following object declaration
CDAccount myAccount;
    1. myAccount = CDAccount(float myRate, float myBalance);
    2. myAccount = CDAccount {myRate, myBalance};
    3. myAccount = CDAccount[myRate, myBalance];
    4. myAccount = CDAccount(myRate, myBalance);
ANSWER: D
  1. Given the following class definition, what is missing?
class ItemClass
{
public:
  ItemClass(int newSize, float newCost);
  int getSize();
  float getCost();
  void setSize(int newSize);
  void setCost(float newCost);
private:
  int size;
float cost;
};
    1. nothing
    2. a default constructor
    3. accessor functions
    4. mutator functions
ANSWER: B
  1. Given the following class definition, how would you declare an object of the class, so that the object automatically called the default constructor?
class ItemClass
{
public:
  ItemClass();
  ItemClass(int newSize, float newCost);
  int getSize();
  float getCost();
  void setSize(int newSize);
  void setCost(float newCost);
private:
  int size;
float cost;
};
    1. ItemClass() myItem;
    2. ItemClass myItem(1, 0.0);
    3. ItemClass myItem;
    4. ItemClass myItem();
    5. You can not do this

ANSWER: C





































9/10/13

Macroeconomics 8/E solutions manual and test bank Croushore, Bernanke & Abel

Macroeconomics 8/E solutions manual and test bank Croushore, Bernanke & Abel


the download link of the sample of  Macroeconomics 8/E solutions manual and test bank Croushore, Bernanke & Abel  Solutions Manual (in pdf format)
 http://www.mediafire.com/download/v7wqgtxw8x6918b/Abel_8e_IM2_Word.zip
the download link of the sample of Macroeconomics 8/E solutions manual and test bank Croushore, Bernanke & Abel  test bank  
http://www.mediafire.com/view/8uqdpavdilqn9fu/chapter_2.doc

 

Book cover
View larger cover
Macroeconomics Plus NEW MyEconLab with Pearson eText -- Access Card Package, 8/E
Andrew B. Abel, Wharton School of the University of Pennsylvania
Ben Bernanke
Dean Croushore
http://www.mediafire.com/download/v7wqgtxw8x6918b/Abel_8e_IM2_Word.zip


- See more at: http://www.pearsonhighered.com/educator/product/Macroeconomics-Plus-NEW-MyEconLab-with-Pearson-eText-Access-Card-Package/9780133407921.page#sthash.0tGEUHle.dpuf

  • Instructor's Resource Manual (Download only) for Macroeconomics, 8/E
    Abel, Bernanke & Croushore
    ISBN-10: 0133020819 • ISBN-13: 9780133020816
    ©2014 • Online • Live
    More info
    1. Download PDF files (ZIP) (3.9MB) This compressed file contains the PDFs of the Instructor's Resource Manual for Abel/Bernanke/Croushore, Macroeconomics, 8e
    2. Download Word files (ZIP) (6.0MB) This compressed file contains the Word files of the Instructor's Resource Manual for Abel/Bernanke/Croushore, Macroeconomics, 8e
    3. Answer Key (ZIP) (2.3MB) This file provides solutions to end-of-chapter problems from the Instructor's Resource Manual



  • PowerPoint Presentation (Download only) for Macroeconomics, 8/E
    Abel, Bernanke & Croushore
    ISBN-10: 0132993791 • ISBN-13: 9780132993791
    ©2014 • Online • Live
    More info
    1. Download PPT files (ZIP) (11.0MB) This compressed file contains the PowerPoint slides of Abel/Bernanke/Croushore, Macroeconomics, 8e



  • Test Bank (Download only) for Macroeconomics, 8/E
    Abel, Bernanke & Croushore
    ISBN-10: 0132993813 • ISBN-13: 9780132993814
    ©2014 • Online • Live
    More info
    1. Download compressed files (ZIP) (1.4MB) Test items in Word document format (15 chapter files).



  • TestGen Computerized Test Bank for Macroeconomics, 8/E
    Abel, Bernanke & Croushore
    ISBN-10: 013299383X • ISBN-13: 9780132993838
    ©2014 • Online • Live
    More info
      Please note:This testbank file must be used in conjunction with Pearson's TestGen application. Go to the TestGen website to download software, upgrade, and access "getting started" TestGen resources.
    1. TestGen Testbank file - PC (ZIP) (2.1MB) Compressed file for TestGen version 7.4. TestGen test software is required. Download the latest version by clicking on the "Help downloading Instructor Resources" link
    2. TestGen Testbank file - MAC (SIT) (1.7MB) Compressed file for TestGen version 7.4. TestGen test software is required. Download the latest version by clicking on the "Help downloading Instructor Resources" link
    3. TestGen Testbank - Blackboard 9 TIF (ZIP) (44.8MB) Click here for installation and file use instructions
    4. TestGen Testbank - Blackboard CE/Vista (WebCT) TIF (ZIP) (0.4MB) Click
      href="http://media.pearsoncmg.com/cmg/webct/cevista_satif_readme.html" target="new">here for installation and file use instructions. Compatible with Vista and all currently supported versions of Campus Edition</A
    5. Angel TestGen Conversion (ZIP) (0.9MB) Test bank questions for import into Angel courses. Click here for installation and file use instructions
    6. Desire2Learn TestGen Conversion (ZIP) (0.3MB) Test bank questions for import into D2L courses. Click here for installation and file use instructions
    7. Moodle TestGen Conversion (ZIP) (0.3MB) Test bank questions for import into Moodle courses. Click here for installation and file use instructions
    8. Sakai TestGen Conversion (ZIP) (0.5MB) Test bank questions for import into Sakai courses




    - See more at: http://www.pearsonhighered.com/educator/product/Macroeconomics-Plus-NEW-MyEconLab-with-Pearson-eText-Access-Card-Package/9780133407921.page#sthash.0tGEUHle.dpuf

  • Search This Blog(textbook name or author as the keywords)

    *

  • 4/11/13

    Statistics for Business and Economics 8/E Paul Newbold solutions manual and test bank

    Statistics for Business and Economics plus MyStatLab with Pearson eText -- Access Card Package, 8/E Paul Newbold solutions manual and test bank
    Paul Newbold, University of Nottingham
    William Carlson
    Betty Thorne



    Book cover 


    Downloadable Instructor Resources

    Help downloading instructor resources
    1. Instructor's Solutions Manual (Download only) for Statistics for Business and Economics, 8/E
      Newbold, Carlson & Thorne
      ISBN-10: 0132745674 • ISBN-13: 9780132745673
      ©2013 • Online • Live
      More info
      1. Instructor's Solutions Manual (ZIP) (9.4MB)
        Available for download
    2. PowerPoint Presentation (Download only) for Statistics for Business and Economics, 8/E
      Newbold, Carlson & Thorne
      ISBN-10: 0132745704 • ISBN-13: 9780132745703
      ©2013 • Online • Live
      More info
      1. Powerpoint Presentation (ZIP) (10.4MB)
        Available for Download
      2. Image Library (ZIP) (63.6MB)
        Available for download
    3. Test Item File (Download only) for Statistics for Business and Economics, 8/E
      Newbold, Carlson & Thorne
      ISBN-10: 0132745666 • ISBN-13: 9780132745666
      ©2013 • Online • Live
      More info
      1. Test Item File (ZIP) (9.7MB)
        Available for download
    4. TestGen Computerized Test Bank for Statistics for Business and Economics, 8/E
      Newbold, Carlson & Thorne
      ISBN-10: 0132745690 • ISBN-13: 9780132745697
      ©2013 • Online • Live
      More info
        Please note:This testbank file must be used in conjunction with Pearson's TestGen application. Go to the TestGen website to download software, upgrade, and access "getting started" TestGen resources.

      1. TestGen Testbank file - PC (ZIP) (8.0MB)
        Compressed file for TestGen version 7.4. TestGen test software is required. Download the latest version by clicking on the "Help downloading Instructor Resources" link
      2. TestGen Testbank file - MAC (SIT) (7.5MB)
        Compressed file for TestGen version 7.4. TestGen test software is required. Download the latest version by clicking on the "Help downloading Instructor Resources" link
    Chapter 2:

    Describing Data: Numerical



    2.1
    Cruise agency – number of weekly specials to the Caribbean:  20, 73, 75, 80, 82
    a.  Compute the mean, median and mode
                    
                     median = middlemost observation = 75
                     mode = no unique mode exists
    b.     The median best describes the data due to the presence of the outlier of 20.  This skews the distribution to the left.  The agency should first check to see if the value ‘20’ is correct.

    2.2
    Number of complaints:  8, 8, 13, 15, 16
    a.      Compute the mean number of weekly complaints: 
                 
    b.     Calculate the median = middlemost observation = 13
    c.      Find the mode = most frequently occurring value = 8

    2.3
    CPI percentage growth forecasts:  3.0, 3.1, 3.4, 3.4, 3.5, 3.6, 3.7, 3.7, 3.7, 3.9
    a.      Compute the sample mean: 
    b.     Compute the sample median = middlemost observation:
    c.      Mode = most frequently occurring observation = 3.7

    2.4
    Department store % increase in dollar sales: 2.9, 3.1, 3.7, 4.3, 5.9, 6.8, 7.0, 7.3, 8.2, 10.2
    a.      Calculate the mean number of weekly complaints:
    b.     Calculate the median = middlemost observation: 

    2.5      Percentage of total compensation derived from bonus payments: 10.2, 13.1, 15, 15.8, 16.9, 17.3, 18.2, 24.7, 25.3, 28.4, 29.3, 34.7
    a.  Median % of total compensation from bonus payments =                         
    b.  Mean % 

    2.6 
    Daily sales (in hundreds of dollars): 6, 7, 8, 9, 10, 11, 11, 12, 13, 14
    a.      Find the mean, median, and mode for this store
    Mean = 
    Median = middlemost observation = 
    Mode = most frequently occurring observation = 11
    b.     Find the five-number summary
    Q1 = the value located in the 0.25(n + 1)th ordered position
          = the value located in the 2.75th ordered position
          = 7 + 0.25(8 –7) = 7.25
    Q3 = the value located in the 0.75(n + 1)th ordered position
                = the value located in the 8.25th ordered position
                = 12 + 0.75(13 –12) = 12.75
       Minimum = 6
       Maximum = 14
    Five - number summary:
    minimum < Q1 < median < Q3 < maximum
                 6 < 7.25 < 10.5 < 12.75 < 14

    2.7
    Find the measures of central tendency for the number of imperfections in a sample of 50 bolts
    Mean number of imperfections =  = 0.44 imperfections per bolt
    Median = 0 (middlemost observation in the ordered array)
    Mode = 0 (most frequently occurring observation)

    2.8
    Ages of 12 students: 18, 19, 21, 22, 22, 22, 23, 27, 28, 33, 36, 36
    a.     
    b.     Median = 22.50
    c.      Mode = 22

    2.9
    a.      First quartile, Q1 = the value located in the 0.25(n + 1)th ordered position
                    = the value located in the 39.25th ordered position
                                   = 2.98 + 0.25(2.98 –2.99) = 2.9825
       Third quartile, Q3 = the value located in the 0.75(n + 1)th ordered position
                                    = the value located in the 117.75th ordered position
                                    = 3.37 + 0.75(3.37 –3.37) = 3.37
    b.     30th percentile = the value located in the 0.30(n + 1)th ordered position
                                   = the value located in the 47.1th ordered position
                       = 3.10 + 0.1(3.10 –3.10) = 3.10
    80th percentile = the value located in the 0.80(n + 1)th ordered position
                                   = the value located in the 125.6th ordered position
                              = 3.39 + 0.6(3.39 –3.39) = 3.39

    2.10
    a.  
    b.   Median = 9.0
    c.   The distribution is slightly skewed to the left since the mean is less than the median.
    d.   The five-number summary
          Q1 = the value located in the 0.25(n + 1)th ordered position
          = the value located in the 8.5th ordered position
          = 6 + 0.5(6 – 6) = 6
    Q3 = the value located in the 0.75(n + 1)th ordered position
          = the value located in the 25.5th ordered position
          = 10 + 0.5(11 –10) = 10.5
    Minimum = 2
    Maximum = 21
    Five - number summary:
       minimum < Q1 < median < Q3 < maximum
                         2 < 6 < 9 < 10.5 < 21

    2.11
    a.   .  The mean volume of the random sample of 100 bottles (237 mL) of a new suntan lotion was 236.99 mL.
    b.   Median = 237.00
    c.   The distribution is symmetric.  The mean and median are nearly the same.
    d.   The five-number summary
          Q1 = the value located in the 0.25(n + 1)th ordered position
          = the value located in the 25.25th ordered position
          = 233 + 0.25(234 – 233) = 233.25
    Q3 = the value located in the 0.75(n + 1)th ordered position
          = the value located in the 75.75th ordered position
          = 241 + 0.75(241 –241) = 241
    Minimum = 224
    Maximum = 249
    Five - number summary:
       minimum < Q1 < median < Q3 < maximum
                   224 < 233.25 < 237 < 241 < 249


    2.12
    The variance and standard deviation are 
    xi
    DEVIATION ABOUT THE MEAN,
    SQUARED DEVIATION ABOUT THE MEAN,
    6
    –1
    1
    8
    1
    1
    7
    0
    0
    10
    3
    9
    3
    –4
    16
    5
    –2
    4
    9
    2
    4
    8
    1
    1



    Statistics for Business and Economics, 8e (Newbold)
    Chapter 2   Describing Data: Numerical

    1) If you are interested in comparing variation in sales for small and large stores selling similar goods, which of the following is the most appropriate measure of dispersion?
    A) the range
    B) the interquartile range
    C) the standard deviation
    D) the coefficient of variation
    Answer:  D
    Difficulty:  Easy
    Topic:  Measures of Variability
    AACSB:  Reflective Thinking Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    2) Suppose you are told that the mean of a sample is below the median. What does this information suggest about the distribution?
    A) The distribution is symmetric.
    B) The distribution is skewed to the right or positively skewed.
    C) The distribution is skewed to the left or negatively skewed.
    D) There is insufficient information to determine the shape of the distribution.
    Answer:  C
    Difficulty:  Easy
    Topic:  Measures of Central Tendency and Location
    AACSB:  Reflective Thinking Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    3) For the following scatter plot, what would be your best estimate of the correlation coefficient?
    A) -0.8
    B) -1.0
    C) 0.0
    D) -0.3
    Answer:  A
    Difficulty:  Moderate
    Topic:  Measures of Relationships Between Variables
    AACSB:  Analytic Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    4) Given a set of 25 observations, for what value of the correlation coefficient would we be able to say that there is evidence that a relationship exists between the two variables?
    A)  ≥ 0.40
    B)  ≥ 0.35
    C)  ≥ 0.30
    D)  ≥ 0.25
    Answer:  A
    Difficulty:  Moderate
    Topic:  Measures of Relationships Between Variables
    AACSB:  Analytic Skills
    Course LO:  Identify and apply formulas for calculating descriptive statistics

    5) Which of the following statements is true about the correlation coefficient and covariance?
    A) The covariance is the preferred measure of the relationship between two variables since it is generally larger than the correlation coefficient.
    B) The correlation coefficient is a preferred measure of the relationship between two variables since its calculation is easier than the covariance.
    C) The covariance is a standardized measure of the linear relationship between two variables.
    D) The covariance and corresponding correlation coefficient are represented by different signs, one is negative while the other is positive and vice versa.
    Answer:  C
    Difficulty:  Moderate
    Topic:  Measures of Relationships Between Variables
    AACSB:  Reflective Thinking Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    6) For the following scatter plot, what would be your best estimate of the correlation coefficient?
    A) 1.0
    B) 0.7
    C) 0.3
    D) 0.1
    Answer:  B
    Difficulty:  Moderate
    Topic:  Measures of Relationships Between Variables
    AACSB:  Analytic Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    7) Which of the following descriptive statistics is least affected by outliers?
    A) mean
    B) median
    C) range
    D) standard deviation
    Answer:  B
    Difficulty:  Easy
    Topic:  Measures of Central Tendency and Location
    AACSB:  Reflective Thinking Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    8) Which of the following statements is true?
    A) The correlation coefficient is always greater than the covariance.
    B) The covariance is always greater than the correlation coefficient.
    C) The covariance may be equal to the correlation coefficient.
    D) Neither the covariance nor the correlation coefficient can be equal to zero.
    Answer:  C
    Difficulty:  Moderate
    Topic:  Measures of Relationships Between Variables
    AACSB:  Reflective Thinking Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    9) Which measures of central location are not affected by extremely small or extremely large data values?
    A) arithmetic mean and median
    B) median and mode
    C) mode and arithmetic mean
    D) geometric mean and arithmetic mean
    Answer:  B
    Difficulty:  Moderate
    Topic:  Measures of Central Tendency and Location
    AACSB:  Reflective Thinking Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    10) Suppose you are told that sales this year are 30% higher than they were six years ago. What has been the average annual increase in sales over the past six years?
    A) 5.0%
    B) 4.5%
    C) 4%
    D) 3.5%
    Answer:  B
    Difficulty:  Moderate
    Topic:  Measures of Central Tendency and Location
    AACSB:  Analytic Skills
    Course LO:  Identify and apply formulas for calculating descriptive statistics

    11) Suppose you are told that sales this year are 20% higher than they were five years ago. What has been the annual average increase in sales over the past five years?
    A) 5.2%
    B) 4.7%
    C) 4.2%
    D) 3.7%
    Answer:  D
    Difficulty:  Moderate
    Topic:  Measures of Central Tendency and Location
    AACSB:  Analytic Skills
    Course LO:  Identify and apply formulas for calculating descriptive statistics

    12) Suppose you are told that over the past four years, sales have increased at rates of 10%, 8%, 6%, and 4%. What has been the average annual increase in sales over the past four years?
    A) 7.0%
    B) 6.7%
    C) 6.4%
    D) 6.5%
    Answer:  A
    Difficulty:  Moderate
    Topic:  Measures of Central Tendency and Location
    AACSB:  Analytic Skills
    Course LO:  Identify and apply formulas for calculating descriptive statistics

    13) Suppose you are told that the average return on investment for a particular class of investments was 7.8% with a standard deviation of 2.3. Furthermore, the histogram of the distribution of returns is approximately bell-shaped. We would expect that 95 percent of all of these investments had a return between what two values?
    A) 5.5% and 10.1%
    B) 0% and 15%
    C) 3.2% and 12.4%
    D) 0.9% and 14.7%
    Answer:  C
    Difficulty:  Moderate
    Topic:  Measures of Central Tendency and Location
    AACSB:  Analytic Skills
    Course LO:  Identify and apply formulas for calculating descriptive statistics

    14) What is the relationship among the mean, median, and mode in a positively skewed distribution?
    A) They are all equal.
    B) The mean is always the smallest value.
    C) The mean is always the largest value.
    D) The mode is the largest value.
    Answer:  B
    Difficulty:  Moderate
    Topic:  Measures of Central Tendency and Location
    AACSB:  Reflective Thinking Skills
    Course LO:  Compare and contrast methods of summarizing and describing data

    15) The manager of a local RV sales lot has collected data on the number of RVs sold per month for the last five years. That data is summarized below:

    # of Sales
    0
    1
    2
    3
    4
    5
    6
    # of Months
    2
    6
    9
    13
    21
    7
    2

    What is the weighted mean number of sales per month?
    A) 3.31
    B) 3.23
    C) 3.54
    D) 3.62
    Answer:  B
    Difficulty:  Moderate
    Topic:  Weighted Mean and Measures of Grouped Data
    AACSB:  Analytic Skills
    Course LO:  Identify and apply formulas for calculating descriptive statistics

    Linkwithin

    Related Posts Plugin for WordPress, Blogger...