Lernen Sie C++ kennen und versuchen Sie, eine Klasse so zu erstellen, dass sie mit Ints und Pointers für eine Struktur arbeitet. Die Ausgabe ist wie erwartet, aber das Testen mit Valgrind scheint ein Speicher-Lauch zu sein, aus einem unfertigen Speicher.Speicherleck mit Vorlage für Zeiger und Ints. Was mache ich falsch?
Ich glaube, es hat etwas damit zu tun, wie ich die Listenvariable in der Klasse init deklariere.
Was vermisse ich und wie kann ich es beheben? Danke.
#include <stdio.h>
template <class T>
class List {
T* list;
public:
int length;
List(int len) {
list = new T[len];
length = len;
}
virtual ~List() {
delete[] list;
}
T get(int index) {
return list[index];
}
void set(int index, T val) {
list[index] = val;
}
};
/*
You shouldn't change the code below, unless you want to _temporarily_ change the main function while testing.
Change it back when you're done.
*/
typedef struct Point_ {
int x;
int y;
} Point;
int main(){
List<int> integers(10);
for(int i = 0; i < integers.length; i++){
integers.set(i, i * 100);
printf("%d ", integers.get(i));
}
printf("\n"); // this loop should print: 0 100 200 300 400 500 600 700 800 900
List<Point *> points(5);
for(int i = 0; i < points.length; i++) {
Point *p = new Point;
p->x = i * 10;
p->y = i * 100;
points.set(i, p);
printf("(%d, %d) ", points.get(i)->x, points.get(i)->y);
delete p;
}
printf("\n"); // this loop should print: (0, 0) (10, 100) (20, 200) (30, 300) (40, 400)
}
mit g ++ kompiliert wie folgt aus:
g++ -Wall p2_templates.cpp -o p2_templates
Gebrauchte valgrind mit diesem Befehl:
valgrind --tool=memcheck ./p2_templates
dieses Ergebnis aus valgrind Anfahrt:
==22396== Memcheck, a memory error detector
==22396== Copyright (C) 2002-2015, and GNU GPL'd, by Julian Seward et al.
==22396== Using Valgrind-3.11.0 and LibVEX; rerun with -h for copyright info
==22396== Command: ./p2_templates
==22396==
0 100 200 300 400 500 600 700 800 900
(0, 0) (10, 100) (20, 200) (30, 300) (40, 400)
==22396==
==22396== HEAP SUMMARY:
==22396== in use at exit: 72,704 bytes in 1 blocks
==22396== total heap usage: 9 allocs, 8 frees, 73,848 bytes allocated
==22396==
==22396== LEAK SUMMARY:
==22396== definitely lost: 0 bytes in 0 blocks
==22396== indirectly lost: 0 bytes in 0 blocks
==22396== possibly lost: 0 bytes in 0 blocks
==22396== still reachable: 72,704 bytes in 1 blocks
==22396== suppressed: 0 bytes in 0 blocks
==22396== Rerun with --leak-check=full to see details of leaked memory
==22396==
==22396== For counts of detected and suppressed errors, rerun with: -v
==22396== ERROR SUMMARY: 0 errors from 0 contexts (suppressed: 0 from 0)
Warum nicht einfach einen 'Vektor' verwenden? –
Was ist 'points.length'? –
Warum ist dein Destruktor "virtuell"? –