Ricky
Ricky

Reputation: 122

Make a function return something with different properties

I'll get straight to the point. To be honest, I think there is an answer to this, but I don't know how to word it.

int playerXCoord = Player.getPosition().x
//this is just an example

How do you define something in C++?

I am familiar with classes and instances but I would like to know how to do this (in C/C++).

Upvotes: 0

Views: 87

Answers (2)

Matt Black
Matt Black

Reputation: 31

If you want to do something like that, try to use setters and getters methods, e.g. :

class Player
{
private:
    int m_X;
    int m_Y;

public:
    int getX() const;
    int getY() const;
    void setX(int x);
    void setY(int y);
}

Getters methods should be like:

int Player::getX()
{
   return m_X;
}

And setters like:

void Player::setX(int x)
{
   m_X = x;
}

Then you can do something them in this way:

Player player;
player.setX(5);
player.setY(10);
int playerXcoord = player.getX();
...

You can also handle both coords in one method:

void Player::setCoords(int x, int y)
{
   m_X = x;
   m_Y = y;
}

The advantage of this approach is that all of your class components can't be accessed directly outside the class. It prevents from accidental modifications.

Upvotes: 1

Some programmer dude
Some programmer dude

Reputation: 409176

Something like this perhaps:

class Player
{
public:
    struct Coordinates
    {
        int x;
        int y;
    };

    Coordinates const& getPosition() const
    {
        return position_;
    }

private:
    Coordinates position_;
};

Now you can do e.g.

Player player;
int x = player.getPosition().x;

Note that you don't have to return a reference, the getPosition function could just as easily have been defined as

Coordinates getPosition() const { ... }

The "trick" is to have a function which returns the correct structure. That structure can of course be a complete class with its own member functions, which means you can easily "chain" many member function calls as long as you return an object of some kind.

Upvotes: 3

Related Questions