some changes ; mostly new examples

This commit is contained in:
rattatwinko
2025-04-29 21:21:54 +02:00
parent 79670e7723
commit e7d74b2ee5
10 changed files with 131 additions and 0 deletions

BIN
OOP/a.out

Binary file not shown.

View File

@@ -0,0 +1,24 @@
#include <iostream>
using namespace std;
class MyClass {
public:
int x;
private:
int y;
};
int main() {
MyClass classObject;
/*
Here we try to access the y variable ;
But that is not accessible to us cause its a private Value ;
If that y were accessed inside of that function everything would be fine!
*/
classObject.x = 25;
classObject.y = 50;
return 0;
}

BIN
OOP/constructor/a.out Executable file

Binary file not shown.

View File

@@ -0,0 +1,31 @@
#include <iostream>
/*
Here we have a more "practical" approach to Constructors ;
We use the constructor here to print out some predefined data from a Class Object
*/
using namespace std;
class Car {
public:
string brand;
string model;
int year;
Car (string x , string y , int z) {
brand = x;
model = y;
year = z;
}
};
int main() {
Car volvo("Volvo", "VolvoAuto", 1989);
Car volkswagen("Volkswagen", "Golf", 2004);
cout << volvo.brand << " " << volvo.model << " " << volvo.year << "\n";
cout << volkswagen.brand << " " << volkswagen.model << " " << volkswagen.year << "\n";
return 0;
}

View File

@@ -0,0 +1,34 @@
#include <iostream>
/*
We copied the main function from the last example , but here we just have the Constructor outside of the class definition;
So the Constructor then gets defined like:
class::constructor
Like that you can make it more "readable";
*/
using namespace std;
class Car {
public:
string brand;
string model;
int year;
Car(string x , string y, int z);
};
Car::Car(string x, string y, int z) {
brand = x;
model = y;
year = z;
}
int main() {
Car volvo("Volvo", "VolvoAuto", 1989);
Car volkswagen("Volkswagen", "Golf", 2004);
cout << volvo.brand << " " << volvo.model << " " << volvo.year << "\n";
cout << volkswagen.brand << " " << volkswagen.model << " " << volkswagen.year << "\n";
return 0;
}

View File

@@ -0,0 +1,20 @@
#include <iostream>
/*
Here we have a example of a Constructor ;
When we create a Class Object we auto-call the Constructor
*/
using namespace std;
class MyClass {
public:
MyClass() { // This is the constructor!
cout << "Construct!";
}
};
int main() {
MyClass classobj; // When we create this the Constructor autocalls!
return 0;
}

View File

@@ -0,0 +1,22 @@
#include <iostream>
/*
This here that we have is just another demo of the OOP in c++ ; we have the function that we have in the last example and then we usefully do something
with this function ;
*/
using namespace std;
class Car {
public:
int speed(int max_speed);
};
int Car::speed(int max_speed) {
return max_speed;
}
int main() {
Car volvo;
volvo.speed(600);
}