answersLogoWhite

0

There are no objects in C, so you can't.

However, in C++ you can convert an integer to an object if the object's class exposes a public conversion constructor that accepts an integer argument. For example:

class X {

public:

X (int); // conversion constructor

// ...

};

How the conversion is implemented depends on the class designer. In the following example, a user can construct a complex number type from an integer:

class complex {

private:

double r;

double i;

public:

complex (double real, double imaginary): r {real}, i {imaginary} {}

complex (int real): r {real}, i {0.0} {}

// ...

};

Here, the implementation implicitly converts the integer to a double and assigns that value to the real representation and assigns the value 0.00 to the imaginary representation. This class may be used as follows:

complex c = 42; // e.g., c.r = 42.0, c.i = 0.0

If a conversion constructor is provided, a corresponding conversion assignment is usually provided as well:

class complex { private:

double r;

double i;

public:

complex (double real, double imaginary): r {real}, i {imaginary} {}

complex (int real): r {real}, i {0.0} {}

complex& operator= (int real) { r = real; i = 0.0; }

// ...

};

This class may be used as follows:

complex c {1.1, -3.14};

// ...

c = 42; // e.g., c.r = 42.0, c.i = 0.0

User Avatar

Wiki User

7y ago

Still curious? Ask our experts.

Chat with our AI personalities

RossRoss
Every question is just a happy little opportunity.
Chat with Ross
BlakeBlake
As your older brother, I've been where you are—maybe not exactly, but close enough.
Chat with Blake
EzraEzra
Faith is not about having all the answers, but learning to ask the right questions.
Chat with Ezra

Add your answer:

Earn +20 pts
Q: How do you convert integer to objects in c?
Write your answer...
Submit
Still have questions?
magnify glass
imp