Форум программистов, компьютерный форум, киберфорум
С++ для начинающих
Войти
Регистрация
Восстановить пароль
Карта форума Темы раздела Блоги Сообщество Поиск Заказать работу  
 
Рейтинг 4.75/4: Рейтинг темы: голосов - 4, средняя оценка - 4.75
10 / 10 / 5
Регистрация: 30.01.2013
Сообщений: 99
1

Ошибка записи и чтения объектов

06.10.2013, 17:35. Показов 697. Ответов 2
Метки нет (Все метки)

Author24 — интернет-сервис помощи студентам
Всем привет.

Говорю сразу: Кто сделает этот код рабочим, заплачу 300 р. на PayPal аккаунт (если таковой имеется)

Делаю задание из университета. Код был длиной в 300 строк, я его урезал до 160-ти строк. Кроме того, чтобы вам было легче вникнуть, я опишу общую концепцию.

Есть базовый абстрактный класс Person и два его наследника: Student и Laborer, дополняющие базовый класс полями id, tel и buro:

C++
1
2
3
4
5
6
7
8
9
10
11
12
13
class Person
{
    char name[100];
}
class Student : public Person
{
    unsigned int id;
}
class Laborer : public Person
{
    char tel[100];
    char buro[100];
}
Также есть класс Database, который хранит в себе неограниченное количество объектов Student и Laborer с помощью контейнера std::list<Person const *>

В классе Database есть метод saveToFile() для записи в файл всех объектов из контейнера list в один файл.
Сначала в файл записывается идентификатор типа объекта (Student или Laborer), а за ним уже и сам объект.
Для чтения есть метод readFromFile(), работающий по такому же принципу.

В этих двух методах и кроется ошибка(и). Прошу помочь найти их.

Полный код:

C++
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
#include <iostream>
#include <list>
#include <typeinfo>
#include <fstream>
#include <string.h>
using namespace std;
 
class Person;
class Student;
class Laborer;
typedef list<Person const *> Perslist;
 
enum PersType { tstudent, tlaborer };
////////////////////////////////////////////////////////////////
class Person
{
protected:
    char name[100];
 
public:
    virtual void print() const
    { cout << "  Name: " << name << endl; }
 
    virtual PersType getType() const;
 
    virtual void pure() = 0; // pure virtual func
};
////////////////////////////////////////////////////////////////
class Student : public Person
{
    unsigned int id;
 
public:
    Student() {}
 
    Student(char const *n, unsigned int m)
    {
        strcpy(Person::name, n);
        id = m;
    }
    void print() const
    {
        Person::print();
        cout << "  ID: " << id << endl << endl;
    }
    void pure() {}
};
////////////////////////////////////////////////////////////////
class Laborer : public Person
{
    char tel[100];
    char buro[100];
public:
    Laborer() {}
 
    Laborer(char const *n, char const *t, char const *b)
    {
        strcpy(Person::name, n);
        strcpy(tel, t);
        strcpy(buro, b);
    }
    void print() const
    {
        Person::print();
        cout << "  Telefon: " << tel << endl
             << "  Buro: " << buro << endl << endl;
    }
    void pure() {}
};
////////////////////////////////////////////////////////////////
class Database
{
    Perslist plist;
 
public:
    void add(Person const *p)
    { plist.push_back(p); }
 
    void printList()
    {
        Perslist::iterator it = plist.begin();
        for (int i=0; i < plist.size(); ++i, ++it)
        {
            (*it)->print();
        }
    }
    void saveToFile(const char *filename)
    {
        PersType ptype;
        int size;
 
        fstream ofile;
        ofile.open(filename, ios::app | ios::out | ios::binary);
 
        Perslist::iterator it = plist.begin();
 
        for(int i=0; i < plist.size(); ++i, ++it)
        {
            ptype = (*it)->getType();
            ofile.write((char*)&ptype, sizeof(ptype));
 
            switch(ptype)           // найти его размер
            {
                case tstudent:   size  = sizeof(Student); break;
                case tlaborer: size  = sizeof(Laborer); break;
            }
            ofile.write((char*)*it, size);
        }
        ofile.close();
    }
 
    void readFromFile(const char *filename)
    {
        PersType ptype;
        int size;
        fstream ifile;
        Person *p;
 
        ifile.open(filename, ios::in | ios::binary);
 
        Perslist::iterator it = plist.begin();
        Perslist::iterator endit = plist.end();
        while(it != endit)
        {
            ifile.read((char*)&ptype, sizeof(ptype));
 
            switch(ptype)
            {
            case tstudent:
                p = new Student;
                size = sizeof(Student);
                ifile.read((char*)p, size);
                plist.push_back(p);
                break;
            case tlaborer:
                p = new Laborer;
                size = sizeof(Laborer);
                ifile.read((char*)p, size);
                plist.push_back(p);
                break;
            default:
                cout << "Unknown format" << endl;
            }
        }
        ifile.close();
    }
};
////////////////////////////////////////////////////////////////
 PersType Person::getType() const
 {
        if(typeid(*this) == typeid(Student))
            return tstudent;
        else if(typeid(*this) == typeid(Laborer))
            return tlaborer;
 }
////////////////////////////////////////////////////////////////
 int main()
{
   Student s1("Martin", 311452);
   Student s2("Kirill", 276018);
   Laborer l1("Larry", "0170-4081883", "B345");
 
    Database db;
 
    db.add(&s1);
    db.add(&s2);
    db.add(&l1);
 
    db.saveToFile("Proverka.dat");
 
//    db.readFromFile("Proverka.dat");
    db.printList();
    return 0;
}
0
Programming
Эксперт
94731 / 64177 / 26122
Регистрация: 12.04.2006
Сообщений: 116,782
06.10.2013, 17:35
Ответы с готовыми решениями:

В программе реализовать возможность записи объектов в файл и чтения объектов из файла
Добрый день, помогите, пожалуйста! У меня есть программа: #include &lt;iostream&gt; #include...

Объясните синтаксис записи и чтения объектов из файлов
#include&lt;iostream&gt; #include&lt;fstream&gt; #include&lt;locale.h&gt; #include&lt;iomanip&gt; #include &lt;cstdlib&gt; ...

Ошибка : Попытка чтения или записи в защищенную память
выходит ошибка после того как выполняется функция void poisk_cena(). Подскажите пожалуйста где...

Создать массив объектов пользовательского типа "Car" (каталог машин) и функции чтения/записи из/в каталог(а)
Добрый день! Нужно составить программу, которая будет дополнять каталог автомобилей Имеется...

2
5499 / 4894 / 831
Регистрация: 04.06.2011
Сообщений: 13,587
06.10.2013, 22:50 2
C++
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
#include <iostream>
#include <list>
#include <typeinfo>
#include <fstream>
#include <string.h>
using namespace std;
 
class Person;
class Student;
class Laborer;
typedef list<Person const *> Perslist;
 
enum PersType { tstudent, tlaborer };
////////////////////////////////////////////////////////////////
class Person
{
protected:
    char name[100];
 
public:
    virtual void print() const
    { cout << "  Name: " << name << endl; }
 
    virtual PersType getType() const;
 
    virtual void pure() = 0; // pure virtual func
};
////////////////////////////////////////////////////////////////
class Student : public Person
{
    unsigned int id;
 
public:
    Student() {}
 
    Student(char const *n, unsigned int m)
    {
        strcpy(Person::name, n);
        id = m;
    }
    void print() const
    {
        Person::print();
        cout << "  ID: " << id << endl << endl;
    }
    void pure() {}
};
////////////////////////////////////////////////////////////////
class Laborer : public Person
{
    char tel[100];
    char buro[100];
public:
    Laborer() {}
 
    Laborer(char const *n, char const *t, char const *b)
    {
        strcpy(Person::name, n);
        strcpy(tel, t);
        strcpy(buro, b);
    }
    void print() const
    {
        Person::print();
        cout << "  Telefon: " << tel << endl
             << "  Buro: " << buro << endl << endl;
    }
    void pure() {}
};
////////////////////////////////////////////////////////////////
class Database
{
    Perslist plist;
 
public:
    void add(Person const *p)
    { plist.push_back(p); }
 
    void printList()
    {
        Perslist::iterator it = plist.begin();
        for (int i=0; i < plist.size(); ++i, ++it)
        {
            (*it)->print();
        }
    }
    void saveToFile(const char *filename)
    {
        PersType ptype;
        int size;
 
        fstream ofile;
        ofile.open(filename, ios::app | ios::out | ios::binary);
 
        Perslist::iterator it = plist.begin();
 
        for(int i=0; i < plist.size(); ++i, ++it)
        {
            ptype = (*it)->getType();
            ofile.write((char*)&ptype, sizeof(ptype));
 
            switch(ptype)           // найти его размер
            {
                case tstudent:   size  = sizeof(Student); break;
                case tlaborer: size  = sizeof(Laborer); break;
            }
            ofile.write((char*)*it, size);
        }
        ofile.close();
    }
 
    void readFromFile(const char *filename)
    {
        PersType ptype;
        int size;
        fstream ifile;
        Person *p;
 
        ifile.open(filename, ios::in | ios::binary);
 
        //Perslist::iterator it = plist.begin();
        //Perslist::iterator endit = plist.end();
        plist.clear();
        
        while(ifile.read((char*)&ptype, sizeof(ptype)))
        {
            switch(ptype)
            {
            case tstudent:
                p = new Student;
                size = sizeof(Student);
                ifile.read((char*)p, size);
                plist.push_back(p);
                break;
            case tlaborer:
                p = new Laborer;
                size = sizeof(Laborer);
                ifile.read((char*)p, size);
                plist.push_back(p);
                break;
            default:
                cout << "Unknown format" << endl;
            }
        }
        ifile.close();
    }
};
////////////////////////////////////////////////////////////////
 PersType Person::getType() const
 {
        if(typeid(*this) == typeid(Student))
            return tstudent;
        else if(typeid(*this) == typeid(Laborer))
            return tlaborer;
 }
////////////////////////////////////////////////////////////////
 int main()
{
   Student s1("Martin", 311452);
   Student s2("Kirill", 276018);
   Laborer l1("Larry", "0170-4081883", "B345");
 
    Database db;
 
    db.add(&s1);
    db.add(&s2);
    db.add(&l1);
 
    db.saveToFile("Proverka.dat");
 
    db.readFromFile("Proverka.dat");
    db.printList();
    
    system("pause");
    return 0;
}
1
10 / 10 / 5
Регистрация: 30.01.2013
Сообщений: 99
06.10.2013, 22:54  [ТС] 3
alsav22, большое спасибо, прям изменили мой день))
Как я могу перечислить вам средства? Есть PayPal?
0
06.10.2013, 22:54
IT_Exp
Эксперт
87844 / 49110 / 22898
Регистрация: 17.06.2006
Сообщений: 92,604
06.10.2013, 22:54
Помогаю со студенческими работами здесь

Ошибка чтения или обнуление массива объектов
Суть, есть абстрактный класс А от него наследие идет к классу B extends A, B еще и implements...

Ошибка чтения записи №
Добрый день! Может кто-то сможет подсказать. Формирую отчет в Excel появляется &quot;Ошибка чтения...

Ошибка чтения и записи в сокет
Всем доброго времени суток. С сетями только начал разбираться и решил написать простейший сервер,...

Ошибка чтения/записи в/из файла
Добрый день. Имеется программа для отправки запросов на биржу для покупки/продажи по определенной...


Искать еще темы с ответами

Или воспользуйтесь поиском по форуму:
3
Ответ Создать тему
КиберФорум - форум программистов, компьютерный форум, программирование
Powered by vBulletin
Copyright ©2000 - 2024, CyberForum.ru