-
Notifications
You must be signed in to change notification settings - Fork 0
/
range.cpp
76 lines (68 loc) · 2.23 KB
/
range.cpp
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
/*
* Struct per intervalli
* Author: ER
* Date: 2023/02/22
* Note:
*/
/*
Intervallo (range)
In un file range.h, dopo aver dichiarato la struct di nome range con membri di
tipo double min e max, rappresentanti rispettivamente l’estremo inferiore e
quello superiore di un intervallo finito e chiuso di numeri reali, si dichiarino ed
implementino le funzioni con i seguenti prototipi:
a. void print(const range &r, ostream& out = cout);
// visualizza sullo stream out (per default cout) l’intervallo
// r in forma testuale come “[-5,2]” (con minr =−5 e max r=2 )
b. range getRange(double min, double max);
// restituisce l’intervallo con valori min e max specificati
c. range getFromKeyboard();
// restituisce l’intervallo con valori min e max da tastiera
d. double length(const range &r);
// restituisce la lunghezza dell’intervallo r
// ovvero maxr −minr
e. range intersection(const range &a, const range &b);
// restituisce l’intersezione degli intervalli a e b
// ovvero l’intervallo dei valori appartenenti ad entrambi
f. bool contains(const range &r, double x);
// restituisce true se x appartiene a r, false altrimenti
Realizzare quindi nel file range.cpp un’applicazione che consenta all’utente di
verificare il funzionamento della libreria range.h.
*/
#include <iostream>
#include <limits>
#include "range.h"
using namespace std;
const bool DEBUG = true;
const size_t MAX_RANGES = 10;
range theRanges[MAX_RANGES];
size_t numRanges = 0;
void test(const range &r, double x)
{
cout << "Test di: ";
print(r);
cout << endl;
cout << "Length: " << length(r) << endl;
cout << "r does " << (contains(r, x) ? "" : "not ") << "contain " << x << endl;
for (size_t i = 0; i < numRanges; i++)
{
range intersect = intersection(r, theRanges[i]);
print(r);
cout << " intersection ";
print(theRanges[i]);
cout << " = ";
print(intersect);
cout << endl;
}
if (numRanges < MAX_RANGES)
{
theRanges[numRanges] = r;
numRanges++;
}
}
int main(int argc, char *argv[])
{
test({-3, 5}, 0);
test(getRange(-5, 3), -10);
test(getFromKeyboard(), 0);
return 0;
}