1

I am working with my own custom header file for the first time in C++. The goal of this program is to create a dice class that can be used to create an object oriented dice game.

When I go to run my program (made of three files (header/class specification file, class implementation file, and finally the application file), I am getting an error:

undefined reference to `Die::Die(int)'

I have about six of these errors when running app.cpp, one for every time I try to access information from my Die class.

Full Error Message

error message image

My Three Files

Die.h

#ifndef DIE_H
#define DIE_H
#include <ctime>
//#include 
    
class Die
{
private:
    int numberOfSides=0;
    int value=0;
public:
        
    Die(int=6);
    void setSide(int);
    void roll();
    int getSides();
    int getValue();
};
    
#endif 

Die.cpp

#include <iostream>
#include <cstdlib>
#include <ctime> 
#include "Die.h"
using namespace std;
    
Die::Die(int numSides)
{
    // Get the system time.
    unsigned seed = time(0);
    // Seed the random number generator.
    srand(seed);
    // Set the number of sides.
    numberOfSides = numSides;
    // Perform an initial roll.
    roll();
}
    
void Die::setSide(int side=6){
    if (side > 0){
        numberOfSides = side; 
    }
    else{
        cout << "Invalid amount of sides\n";
        exit(EXIT_FAILURE);
    }
}
    
void Die::roll(){
    const int MIN_VALUE = 1; // Minimum die value
    value = (rand() % (numberOfSides - MIN_VALUE + 1)) + MIN_VALUE;
}
    
int Die::getSides()
{
    return numberOfSides;
}

int Die::getValue()
{
    return value;
}

app.cpp

#include <iostream>
#include "Die.h"
using namespace std;
    
bool getChoice();
void playGame(Die,Die,int &, int &);
    
int main()
{
    int playerTotal=0;
    int compTotal=0;
    Die player(6);
    Die computer(6);
    while(getChoice()){
        playGame(player, computer, playerTotal, compTotal);
        getChoice();
    }
}
    
void playGame(Die play, Die comp, int &pTotal, int &cTotal){
    //add points
    play.roll();
    pTotal += play.getValue();
    comp.roll();
    cTotal += comp.getValue();
        
    //show points each round
    cout << "You have " << pTotal << " points;\n";
}

bool getChoice(){
    bool choice;
    cout << "Would you like to roll the dice? (Y/N): ";
    cin>> choice;
    return choice;
}
Remy Lebeau
  • 555,201
  • 31
  • 458
  • 770
Oscar
  • 33
  • 2

1 Answers1

0

You should compile both app.cpp and Die.cpp at the same time:

g++ app.cpp Die.cpp 
Marcin
  • 215,873
  • 14
  • 235
  • 294