-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathalocations.cc
87 lines (77 loc) · 2.61 KB
/
alocations.cc
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
// Copyright [2022] <PABLO LOPES TEIXEIRA>
#include <string>
class Aluno {
public:
Aluno() {} // construtor
~Aluno() {} // destrutor
std::string devolveNome() {
return nome;
}
int devolveMatricula() {
return matricula;
}
void escreveNome(std::string nome_) {
nome = nome_;
}
void escreveMatricula(int matricula_) {
matricula = matricula_;
}
private:
std::string nome;
int matricula;
};
/*
(1) cria um vetor de 'Alunos' a partir de nomes e matriculas; exemplo:
vetor de nomes: ['Fulano', 'Beltrano', 'Ciclano']
vetor de matriculas: [1010, 2020, 3030]
vetor t alocado de saida: [{'Fulano',1010}, {'Beltrano',2020}, {'Ciclano':3030}]
*/
Aluno *turma(std::string nomes[], int matriculas[], int N) {
Aluno *t;
t = new Aluno[N];
for (int i = 0; i < N; i++) {
t[i].escreveNome(nomes[i]);
t[i].escreveMatricula(matriculas[i]);
}
return t;
}
/*
(2) cria um novo vetor contendo outros dois vetores de alunos (acrescenta vetor 2 apos o vetor 1); exemplo:
t1 de estrada: [{'Fulano',1010}, {'Beltrano',2020}]; N1 = 2
t2 de entrada: [{'Fulana',7070}, {'Beltrana',8080}, {'Cicrana',9090}]; N2 = 3
tu de saída: [{'Fulano',1010}, {'Beltrano',2020}, {'Fulana',7070}, {'Beltrana',8080}, {'Cicrana':9090}]
*/
Aluno *turmas_uniao(Aluno t1[], Aluno t2[], int N1, int N2) {
Aluno *tu;
tu = new Aluno[N1+N2];
for (int i = 0; i < N1; i++) {
tu[i].escreveNome(t1[i].devolveNome());
tu[i].escreveMatricula(t1[i].devolveMatricula());
}
for (int i = 0; i < N2; i++) {
tu[i+N1].escreveNome(t2[i].devolveNome());
tu[i+N1].escreveMatricula(t2[i].devolveMatricula());
}
return tu;
}
/*
(3) divide uma turma t existente em duas outras (os conteúdos dos ponteiros pt1 e pt2 serão as duas saídas; inicialmente são iguais a 'nullptr'), a primeira com k elementos e a segunda com o restante (N-k elementos); exemplo:
t de entrada: [{'Fulano',1010}, {'Beltrano',2020}, {'Fulana',7070}, {'Beltrana',8080}, {'Cicrana':9090}]
k = 2
conteudo de pt1: [{'Fulano',1010}, {'Beltrano',2020}]
conteudo de pt2: [{'Fulana',7070}, {'Beltrana',8080}, {'Cicrana',9090}]
*/
void turmas_divisao(Aluno t[], int k, int N, Aluno **pt1, Aluno **pt2) {
Aluno *t1 = new Aluno[k];
Aluno *t2 = new Aluno[N-k];
for (int i = 0; i < k; i++) {
t1[i].escreveNome(t[i].devolveNome());
t1[i].escreveMatricula(t[i].devolveMatricula());
}
for (int i = 0; i < N-k; i++) {
t2[i].escreveNome(t[i+k].devolveNome());
t2[i].escreveMatricula(t[i+k].devolveMatricula());
}
*pt1 = t1;
*pt2 = t2;
}