Наследования класс Matrix - как вызвать наследника - C#

Узнай цену своей работы

Формулировка задачи:

Помогите разобраться. Мне нужно было создать класс-наследник класса Matrix. Как его теперь вызвать и как в него добавить вызов всех других методов из Matrix?
Листинг программы
  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5. using System.Threading.Tasks;
  6. namespace ConsoleApplication49
  7. {
  8. class Program
  9. {
  10. public class Matrix
  11. {
  12. public double[,] matrix;
  13. public int Row = 0, Col = 0;
  14. //конструктор
  15. public Matrix(int row, int col)
  16. {
  17. matrix = new double[row, col];
  18. Row = row; Col = col;
  19. }
  20. //доступ к элементу по индексам
  21. public double this[int i, int j]//индексатор
  22. {
  23. get { return matrix[i, j]; }
  24. set { matrix[i, j] = value; }
  25. }
  26. //произведение матриц
  27. public static Matrix operator *(Matrix first, Matrix second)
  28. {
  29. Matrix matr = new Matrix(first.Row, first.Col);
  30. if (first.Col != second.Row) throw new ArgumentException("Число столбцов матрицы А не равно числу строк матрицы В.");
  31. for (int i = 0; i < first.Row; i++)
  32. {
  33. for (int j = 0; j < second.Col; j++)
  34. {
  35. double sum = 0;
  36. for (int r = 0; r < first.Col; r++)
  37. sum += first[i, r] * second[r, j];
  38. matr[i, j] = sum;
  39. }
  40. }
  41. return matr;
  42. }
  43. //умножение на число
  44. public static Matrix operator *(Matrix m, int t)
  45. {
  46. Matrix mat = new Matrix(m.Row, m.Col);
  47. for (int i = 0; i < m.Row; i++)
  48. for (int j = 0; j < m.Col; j++)
  49. mat[i, j] = m[i, j] * t;
  50. return mat;
  51. }
  52. //деление на число
  53. public static Matrix operator /(Matrix m, int t)
  54. {
  55. Matrix mat = new Matrix(m.Row, m.Col);
  56. for (int i = 0; i < m.Row; i++)
  57. for (int j = 0; j < m.Col; j++)
  58. mat[i, j] = m[i, j] / t;
  59. return mat;
  60. }
  61. //детерминант
  62. public double Determinant()
  63. {
  64. if (Col != Row) throw new ArgumentException("Вычисление определителя возможно только для квадратных матриц.");
  65. Matrix matr = new Matrix(Row, Col);
  66. matr.matrix = (double[,])this.matrix.Clone();
  67. double det = 1;
  68. int order = Row;
  69. for (int i = 0; i < order - 1; i++)
  70. {
  71. double[] masterRow = matr.GetRow(i);
  72. det *= masterRow[i];
  73. if (det == 0) return 0;
  74. for (int t = i + 1; t < order; t++)
  75. {
  76. double[] slaveRow = matr.GetRow(t);
  77. double[] tmp = MulArrayConst(masterRow, slaveRow[i] / masterRow[i]);
  78. double[] source = matr.GetRow(t);
  79. matr.SetRow(SubArray(source, tmp), t);
  80. }
  81. }
  82. det *= matr[order - 1, order - 1];
  83. return det;
  84. }
  85. // возвращает массив соответствующий указанной строке матрицы
  86. public double[] GetRow(int row)
  87. {
  88. if (row >= Row) throw new IndexOutOfRangeException("Индекс строки не принадлежит массиву.");
  89. double[] ret = new double[Col];
  90. for (int i = 0; i < Col; i++)
  91. ret[i] = matrix[row, i];
  92. return ret;
  93. }
  94. // заполняет указанную строку матрицы значениями из массива
  95. public void SetRow(double[] values, int row)
  96. {
  97. if (row >= Row) throw new IndexOutOfRangeException("Индекс строки не принадлежит массиву.");
  98. for (int i = 0; i < (Col > values.Length ? values.Length : Col); i++)
  99. matrix[row, i] = values[i];
  100. }
  101. double[] SubArray(double[] A, double[] B)
  102. {
  103. double[] ret = (double[])A.Clone();
  104. for (int i = 0; i < (A.Length > B.Length ? A.Length : B.Length); i++)
  105. ret[i] -= B[i];
  106. return ret;
  107. }
  108. double[] MulArrayConst(double[] array, double number)
  109. {
  110. double[] ret = (double[])array.Clone();
  111. for (int i = 0; i < ret.Length; i++)
  112. ret[i] *= number;
  113. return ret;
  114. }
  115. //вывод матрицы
  116. public void PrintMatrix()
  117. {
  118. for (int i = 0; i < this.Row; i++)
  119. {
  120. for (int j = 0; j < this.Col; j++)
  121. Console.Write("{0} ", this[i, j]);
  122. Console.Write("\n");
  123. }
  124. }
  125. }
  126. class Matrix_Step:Matrix
  127. {
  128. Matrix_Step(int Row, int Col):base(Row, Col){}
  129. //возведение в степень
  130. public static Matrix_Step operator ^(Matrix_Step first, int pow)
  131. {
  132. Matrix_Step matr = new Matrix_Step(first.Row, first.Col);
  133. matr = first;
  134. for (int z = 1; z < pow; z++)
  135. {
  136. Matrix_Step bufer = new Matrix_Step(first.Row, first.Col);
  137. for (int i = 0; i < first.Row; i++)
  138. {
  139. for (int j = 0; j < first.Row; j++)
  140. {
  141. double sum = 0;
  142. for (int r = 0; r < first.Row; r++)
  143. sum += matr[i, r] * first[r, j];
  144. bufer[i, j] = sum;
  145. }
  146. }
  147. matr = bufer;
  148. }
  149. return matr;
  150. }
  151. }
  152. static void Main(string[] args)
  153. {
  154. Console.WriteLine("Введите размерность первой матрицы:\n");
  155. int N = Convert.ToInt32(Console.ReadLine());
  156. int M = Convert.ToInt32(Console.ReadLine());
  157. Matrix first = new Matrix(N, M);//обьект класса
  158. Console.WriteLine("Введите элементы матрицы:\n");
  159. for (int i = 0; i < N; i++)
  160. for (int j = 0; j < M; j++)
  161. {
  162. first[i, j] = double.Parse(Console.ReadLine());
  163. }
  164. Console.WriteLine("Введите размерность второй матрицы:\n");
  165. int K = Convert.ToInt32(Console.ReadLine());
  166. int L = Convert.ToInt32(Console.ReadLine());
  167. Matrix second = new Matrix(K, L);//обьект класса
  168. Console.WriteLine("Введите элементы матрицы:\n");
  169. for (int i = 0; i < K; i++)
  170. for (int j = 0; j < L; j++)
  171. {
  172. second[i, j] = double.Parse(Console.ReadLine());
  173. }
  174. Console.WriteLine("Введите степень:\n");
  175. int pow = Convert.ToInt32(Console.ReadLine());
  176. Console.WriteLine("Первая матрица:\n\n");
  177. first.PrintMatrix();
  178. Console.WriteLine("\n\nВторая матрица:\n\n");
  179. second.PrintMatrix();
  180. Console.WriteLine("\n\nУмножение на число:\n\n");
  181. (first * 3).PrintMatrix();
  182. Console.WriteLine("\n\nДеление на число:\n\n");
  183. (first / 3).PrintMatrix();
  184. Console.WriteLine("\n\nПроизведение матриц:\n\n");
  185. (first * second).PrintMatrix();
  186. Console.WriteLine("\n\n{0} степень матрицы:\n\n", pow);
  187. (first ^ pow).PrintMatrix();
  188. Console.WriteLine("\n\nДетерминант матрицы:\n\n");
  189. Console.WriteLine(first.Determinant());
  190. Console.ReadKey();
  191. }
  192. }
  193. }

Решение задачи: «Наследования класс Matrix - как вызвать наследника»

textual
Листинг программы
  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5. using System.Threading.Tasks;
  6.  
  7. namespace ConsoleApplication49
  8. {
  9.     class Program
  10.     {
  11.         public class Matrix
  12.         {
  13.             public double[,] matrix;
  14.             public int Row = 0, Col = 0;
  15.             //конструктор
  16.             public Matrix(int row, int col)
  17.             {
  18.                 matrix = new double[row, col];
  19.                 Row = row; Col = col;
  20.                 d1 = row;
  21.                 d2 = col;
  22.             }
  23.  
  24.             //доступ к элементу по индексам
  25.             public double this[int i, int j]//индексатор
  26.             {
  27.                 get { return matrix[i, j]; }
  28.                 set { matrix[i, j] = value; }
  29.             }
  30.             //произведение матриц
  31.             public static Matrix operator *(Matrix first, Matrix second)
  32.             {
  33.                 Matrix matr = new Matrix(first.Row, first.Col);
  34.                 if (first.Col != second.Row) throw new ArgumentException("Число столбцов матрицы А не равно числу строк матрицы В.");
  35.  
  36.                 for (int i = 0; i < first.Row; i++)
  37.                 {
  38.                     for (int j = 0; j < second.Col; j++)
  39.                     {
  40.                         double sum = 0;
  41.                         for (int r = 0; r < first.Col; r++)
  42.                             sum += first[i, r] * second[r, j];
  43.                         matr[i, j] = sum;
  44.                     }
  45.  
  46.                 }
  47.                 return matr;
  48.             }
  49.             //умножение на число
  50.             public static Matrix operator *(Matrix m, int t)
  51.             {
  52.                 Matrix mat = new Matrix(m.Row, m.Col);
  53.                 for (int i = 0; i < m.Row; i++)
  54.                     for (int j = 0; j < m.Col; j++)
  55.                         mat[i, j] = m[i, j] * t;
  56.                 return mat;
  57.             }
  58.             //деление на число
  59.             public static Matrix operator /(Matrix m, int t)
  60.             {
  61.                 Matrix mat = new Matrix(m.Row, m.Col);
  62.                 for (int i = 0; i < m.Row; i++)
  63.                     for (int j = 0; j < m.Col; j++)
  64.                         mat[i, j] = m[i, j] / t;
  65.                 return mat;
  66.             }
  67.  
  68.             //детерминант
  69.             public double Determinant()
  70.             {
  71.                 if (Col != Row) throw new ArgumentException("Вычисление определителя возможно только для квадратных матриц.");
  72.                 Matrix matr = new Matrix(Row, Col);
  73.                 matr.matrix = (double[,])this.matrix.Clone();
  74.                 double det = 1;
  75.                 int order = Row;
  76.  
  77.                 for (int i = 0; i < order - 1; i++)
  78.                 {
  79.                     double[] masterRow = matr.GetRow(i);
  80.                     det *= masterRow[i];
  81.                     if (det == 0) return 0;
  82.                     for (int t = i + 1; t < order; t++)
  83.                     {
  84.                         double[] slaveRow = matr.GetRow(t);
  85.                         double[] tmp = MulArrayConst(masterRow, slaveRow[i] / masterRow[i]);
  86.                         double[] source = matr.GetRow(t);
  87.                         matr.SetRow(SubArray(source, tmp), t);
  88.                     }
  89.                 }
  90.                 det *= matr[order - 1, order - 1];
  91.                 return det;
  92.             }
  93.             // возвращает массив соответствующий указанной строке матрицы
  94.             public double[] GetRow(int row)
  95.             {
  96.                 if (row >= Row) throw new IndexOutOfRangeException("Индекс строки не принадлежит массиву.");
  97.                 double[] ret = new double[Col];
  98.                 for (int i = 0; i < Col; i++)
  99.                     ret[i] = matrix[row, i];
  100.  
  101.                 return ret;
  102.             }
  103.             // заполняет указанную строку матрицы значениями из массива
  104.             public void SetRow(double[] values, int row)
  105.             {
  106.                 if (row >= Row) throw new IndexOutOfRangeException("Индекс строки не принадлежит массиву.");
  107.                 for (int i = 0; i < (Col > values.Length ? values.Length : Col); i++)
  108.                     matrix[row, i] = values[i];
  109.             }
  110.  
  111.             double[] SubArray(double[] A, double[] B)
  112.             {
  113.                 double[] ret = (double[])A.Clone();
  114.                 for (int i = 0; i < (A.Length > B.Length ? A.Length : B.Length); i++)
  115.                     ret[i] -= B[i];
  116.                 return ret;
  117.             }
  118.  
  119.             double[] MulArrayConst(double[] array, double number)
  120.             {
  121.                 double[] ret = (double[])array.Clone();
  122.                 for (int i = 0; i < ret.Length; i++)
  123.                     ret[i] *= number;
  124.                 return ret;
  125.             }
  126.  
  127.             //вывод матрицы
  128.             public void PrintMatrix()
  129.             {
  130.                 for (int i = 0; i < this.Row; i++)
  131.                 {
  132.                     for (int j = 0; j < this.Col; j++)
  133.                         Console.Write("{0}  ", this[i, j]);
  134.                     Console.Write("\n");
  135.                 }
  136.  
  137.             }
  138.             private int d1;//объект динам. метода
  139.             private int d2;//объект динам. метода
  140.             public void din1()//динамический метод
  141.             {
  142.                 Console.WriteLine("Я динамический метод класса Matrix");
  143.                 Console.WriteLine("Мои поля {0},{1}", d1, d2);
  144.             }
  145.             public static void stat1()//статический метод
  146.             {
  147.                 Console.WriteLine("Я статический метод класса Matrix");
  148.             }
  149.         }
  150.         class Matrix_1 : Matrix
  151.         {
  152.  
  153.             public Matrix_1(int row, int col) : base(row, col) { }
  154.             //возведение в степень
  155.             public static Matrix operator ^(Matrix_1 first, int pow)
  156.             {
  157.                 Matrix matr = new Matrix(first.Row, first.Col);
  158.                 matr = first;
  159.                 for (int z = 1; z < pow; z++)
  160.                 {
  161.                     Matrix bufer = new Matrix(first.Row, first.Col);
  162.                     for (int i = 0; i < first.Row; i++)
  163.                     {
  164.                         for (int j = 0; j < first.Row; j++)
  165.                         {
  166.                             double sum = 0;
  167.                             for (int r = 0; r < first.Row; r++)
  168.                                 sum += matr[i, r] * first[r, j];
  169.                             bufer[i, j] = sum;
  170.                         }
  171.                     }
  172.                     matr = bufer;
  173.                 }
  174.                 return matr;
  175.             }
  176.  
  177.         }
  178.         class client//подкласс
  179.         {
  180.             public client(int row, int col)//конструктор
  181.             {
  182.                 owner = new Matrix(row, col);
  183.             }
  184.             Matrix owner;
  185.             public void din2()//динамический метод
  186.             {
  187.                 Console.WriteLine("Я динамический метод класса client");
  188.                 Console.WriteLine("Я вызываю динамический метод класса ");
  189.                 owner.din1();//вызов динам метода
  190.             }
  191.             public void stat2()
  192.             {
  193.                 Console.WriteLine("Я динамический метод класса client");
  194.                 Console.WriteLine("Я вызываю статический метод класса Matrix");
  195.                 Matrix.stat1();
  196.             }
  197.         }
  198.         static void Main(string[] args)
  199.         {
  200.             Console.WriteLine("Введите размерность первой матрицы:\n");
  201.             int N = Convert.ToInt32(Console.ReadLine());
  202.             int M = Convert.ToInt32(Console.ReadLine());
  203.             Matrix_1 first = new Matrix_1(N, M);//обьект класса
  204.             Console.WriteLine("Введите элементы матрицы:\n");
  205.             for (int i = 0; i < N; i++)
  206.                 for (int j = 0; j < M; j++)
  207.                 {
  208.                     first[i, j] = double.Parse(Console.ReadLine());
  209.  
  210.                 }
  211.             Console.WriteLine("Введите размерность второй матрицы:\n");
  212.             int K = Convert.ToInt32(Console.ReadLine());
  213.             int L = Convert.ToInt32(Console.ReadLine());
  214.             Matrix second = new Matrix(K, L);//обьект класса
  215.             Console.WriteLine("Введите элементы матрицы:\n");
  216.             for (int i = 0; i < K; i++)
  217.                 for (int j = 0; j < L; j++)
  218.                 {
  219.                     second[i, j] = double.Parse(Console.ReadLine());
  220.  
  221.                 }
  222.             Console.WriteLine("Введите степень:\n");
  223.             int pow = Convert.ToInt32(Console.ReadLine());
  224.             Console.WriteLine("Первая матрица:\n\n");
  225.             first.PrintMatrix();
  226.             Console.WriteLine("\n\nВторая матрица:\n\n");
  227.             second.PrintMatrix();
  228.             Console.WriteLine("\n\nУмножение на число:\n\n");
  229.             (first * 3).PrintMatrix();
  230.             Console.WriteLine("\n\nДеление на число:\n\n");
  231.             (first / 3).PrintMatrix();
  232.             Console.WriteLine("\n\nПроизведение матриц:\n\n");
  233.             (first * second).PrintMatrix();
  234.             Console.WriteLine("\n\n{0} степень матрицы:\n\n", pow);
  235.             (first ^ pow).PrintMatrix();
  236.             Console.WriteLine("\n\nДетерминант матрицы:\n\n");
  237.             Console.WriteLine(first.Determinant());
  238.             client obj = new client(2, 3);
  239.             obj.din2();//вызов метода
  240.             obj.stat2();//вызов метода
  241.             Console.ReadKey();
  242.         }
  243.     }
  244. }

ИИ поможет Вам:


  • решить любую задачу по программированию
  • объяснить код
  • расставить комментарии в коде
  • и т.д
Попробуйте бесплатно

Оцени полезность:

6   голосов , оценка 3.833 из 5

Нужна аналогичная работа?

Оформи быстрый заказ и узнай стоимость

Бесплатно
Оформите заказ и авторы начнут откликаться уже через 10 минут
Похожие ответы