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
Chat with our AI personalities
sprintf is the most common solution
Java has auto-boxing introduced in Java 5 and converts ints to Integer objects as needed.Or you can explictly call Integer.valueOf(int) or new Integer(int) to return an Integer object with the value of the primitive int argument.Example:int i = 14; // i = 14Integer a = Integer.valueOf(i); // a = 14Integer b = new Integer(i); // b = 14or simplyInteger c = i;
dim a as integer dim b as integer dim c as integer dim d as integer private sub command1_click () a=-1 b=1 d=1 while (d<=10) c=a+b print c a=b b=c next d end sub
Yes
atoi