191k views
0 votes
two doubles are read as the radius and the height of a cone object. assign pointer mycone with a new cone object using the radius and the height as arguments in that order. ex: if the input is 3.0 8.5, then the output is:

User Aiko
by
6.3k points

1 Answer

3 votes

Read two doubles as radius and height, then assign a pointer `mycone` to a new Cone object. Example: Input - 3.0 8.5, Output - `mycone` points to a Cone with radius 3.0 and height 8.5.

If you have two doubles representing the radius and height of a cone, and you want to create a new cone object using pointers, you can do something like this in C++:

```cpp

#include <iostream>

class Cone {

public:

double radius;

double height;

// Constructor

Cone(double r, double h) : radius(r), height(h) {}

};

int main() {

double inputRadius, inputHeight;

// Read input values

std::cin >> inputRadius >> inputHeight;

// Create a new Cone object using pointers

Cone *mycone = new Cone(inputRadius, inputHeight);

// Now 'mycone' points to a new Cone object with the specified radius and height

// Perform operations with 'mycone' if needed

// Don't forget to release memory when done

delete mycone;

return 0;

}

```

This C++ program reads two doubles as input for the radius and height, creates a new Cone object using pointers, and then you can perform operations with the `mycone` object as needed. Finally, it deallocates the memory using `delete` to avoid memory leaks.