#include <iostream>
using namespace std;
// 1) що негаразд із кодом з погляду інкапсуляції? Як виправити?
// 2) додайте можливість виклику конструктора без параметрів, щоб створювалася матриця розміру 1Х1
//3) реалізувати деструктор
// 4) перевантажити операцію + додавання 2х матриць
// 5) перевантажити операцію - віднімання 2х матриць
// 6) обробити створення матриці з негативною розмірністю
// 7)перевантажити операцію * множення матриці на матрицю
// 9) написати клас спадкоємець квадратна матриця, з методом обчислює слід матриці (сума елементів головної діаганалі)
template <typename T>
class Matrix
{
protected:
T **a;
int size1;
int size2;
public:
Matrix() : size1(1), size2(1) {
a = new T * [1];
a[0] = new T [1];
}
Matrix(int n, int m) : size1(n), size2(m){
if ((n<0) or (m<0)) {
cout<<"cannot create matrix"<<endl;
}
else {
a = new T * [n];
for (int i = 0; i < n; i++){
a[i] = new T [m];
}
}
}
T* operator [](const int i) {return a[i];}
Matrix operator+(const Matrix& lhs)const{
Matrix c(size1,size2);
for(int i=0;i<size1;i++){
for(int j=0;j<size2;j++){
c.a[i][j]=a[i][j]+lhs.a[i][j];
}
}
return c;
}
Matrix operator-(const Matrix& lhs)const{
Matrix d(size1,size2);
for(int i=0;i<size1;i++){
for(int j=0;j<size2;j++){
d.a[i][j]=a[i][j]-lhs.a[i][j];
}
}
return d;
}
Matrix operator*(const Matrix& lhs)const{
Matrix sum(size1,lhs.size2);
for (int i=0;i<size1;i++) {
for (int j=0;j<size2;i++) {
for (int z=0;z<size2;i++) {
sum.a[i][j]=a[i][z]*lhs.a[z][j]+sum.a[i][j];
}
}
}
return sum;
}
friend ostream& operator<< (ostream& os, const Matrix& a) {
// countT++;
for(int i=0;i<a.size1;i++){
for(int j=0;j<a.size2;j++){
os<<a.a[i][j]<<" ";
}
os<<endl;
}
return os;
}
friend istream& operator>> (istream& is, const Matrix& a) {
// countT++;
for(int i=0;i<a.size1;i++){
for(int j=0;j<a.size2;j++){
is>>a.a[i][j];
}
}
return is;
}
~Matrix() {//delete a;
}
};
template<typename F>
class Square {
protected:
F **a;
int size;
public:
Square(int n): size(n) {
if (n<0) {
cout<<"cannot create square matrix"<<endl;
}
else {
a=new F* [n];
for (int i=0;i<n;i++) {
a[i]=new F [n];
}
}
}
friend istream& operator>> (istream& is, const Square& a) {
for(int i=0;i<a.size;i++){
for (int j=0;j<a.size;j++) {
is>>a.a[i][j];
}
}
return is;
}
F* operator[](const int i) {
return a[i];
}
F determant(Square &a) {
F det=0;
for (int i=0;i<size;i++) {
det=a[i][i]+det;
}
cout<<det;
return det;
}
};
int main(void)
{
Matrix<double> a(2,2);
cin>>a;
Matrix<double> b(2,2);
cin>>b;
Matrix<double> c(2,2);
Matrix<double> d(2,2);
Matrix<double> e(2,2);
c=a+b;
d=a-b;
//e=a*b;
Matrix<int> f(-5,6);
cout<<c;
cout<<d;
cout<<e;
Square<int> skr(2);
cin>>skr;
skr.determant(skr);
return 0;
}