No he codificado en c ++ durante algún tiempo y me quedé atascado cuando intenté compilar este simple fragmento:
class A
{
public:
void f() {}
};
int main()
{
{
A a;
a.f(); // works fine
}
{
A *a = new A();
a.f(); // this doesn't
}
}
c++
class
new-operator
adrianton3
fuente
fuente
Respuestas:
Es un puntero, así que intente:
Básicamente, el operador
.
(utilizado para acceder a los campos y métodos de un objeto) se utiliza en objetos y referencias, por lo que:Si tiene un tipo de puntero, primero debe eliminar la referencia para obtener una referencia:
A* ptr = new A(); (*ptr).f(); ptr->f();
La
a->b
notación suele ser una abreviatura de(*a).b
.Una nota sobre los punteros inteligentes
El
operator->
puede estar sobrecargado, lo que es utilizado principalmente por punteros inteligentes. Cuando usa punteros inteligentes , también usa->
para referirse al objeto puntiagudo:auto ptr = make_unique<A>(); ptr->f();
fuente
Permitir un análisis.
#include <iostream> // not #include "iostream" using namespace std; // in this case okay, but never do that in header files class A { public: void f() { cout<<"f()\n"; } }; int main() { /* // A a; //this works A *a = new A(); //this doesn't a.f(); // "f has not been declared" */ // below // system("pause"); <-- Don't do this. It is non-portable code. I guess your // teacher told you this? // Better: In your IDE there is prolly an option somewhere // to not close the terminal/console-window. // If you compile on a CLI, it is not needed at all. }
Como consejo general:
0) Prefer automatic variables int a; MyClass myInstance; std::vector<int> myIntVector; 1) If you need data sharing on big objects down the call hierarchy, prefer references: void foo (std::vector<int> const &input) {...} void bar () { std::vector<int> something; ... foo (something); } 2) If you need data sharing up the call hierarchy, prefer smart-pointers that automatically manage deletion and reference counting. 3) If you need an array, use std::vector<> instead in most cases. std::vector<> is ought to be the one default container. 4) I've yet to find a good reason for blank pointers. -> Hard to get right exception safe class Foo { Foo () : a(new int[512]), b(new int[512]) {} ~Foo() { delete [] b; delete [] a; } }; -> if the second new[] fails, Foo leaks memory, because the destructor is never called. Avoid this easily by using one of the standard containers, like std::vector, or smart-pointers.
Como regla general: si necesita administrar la memoria por su cuenta, generalmente ya existe un administrador superior o una alternativa disponible, uno que sigue el principio RAII.
fuente
Resumen : en lugar de
a.f();
hacerloa->f();
En main, ha definido a como un puntero al objeto de A , por lo que puede acceder a las funciones utilizando el
->
operador.Una forma alternativa , pero menos legible, es
(*a).f()
a.f()
podría haberse utilizado para acceder a f (), si a se declaró como:A a;
fuente
a
es un puntero. Necesitas usar->
, no.
fuente