ดีเทอร์มีแนนต์ของเมทริกซ์สี่เหลี่ยมจัตุรัสสามารถคำนวณได้โดยใช้ค่าองค์ประกอบ ดีเทอร์มีแนนต์ของเมทริกซ์ A สามารถแสดงเป็น det(A) และสามารถเรียกได้ว่าเป็นปัจจัยสเกลของการแปลงเชิงเส้นที่อธิบายโดยเมทริกซ์ในเรขาคณิต
ตัวอย่างของดีเทอร์มีแนนต์ของเมทริกซ์มีดังนี้
The matrix is: 3 1 2 7 The determinant of the above matrix = 7*3 - 2*1 = 21 - 2 = 19 So, the determinant is 19.
โปรแกรมคำนวณดีเทอร์มีแนนต์ของเมทริกซ์มีดังนี้
ตัวอย่าง
#include<iostream> #include<math.h> using namespace std; int determinant( int matrix[10][10], int n) { int det = 0; int submatrix[10][10]; if (n == 2) return ((matrix[0][0] * matrix[1][1]) - (matrix[1][0] * matrix[0][1])); else { for (int x = 0; x < n; x++) { int subi = 0; for (int i = 1; i < n; i++) { int subj = 0; for (int j = 0; j < n; j++) { if (j == x) continue; submatrix[subi][subj] = matrix[i][j]; subj++; } subi++; } det = det + (pow(-1, x) * matrix[0][x] * determinant( submatrix, n - 1 )); } } return det; } int main() { int n, i, j; int matrix[10][10]; cout << "Enter the size of the matrix:\n"; cin >> n; cout << "Enter the elements of the matrix:\n"; for (i = 0; i < n; i++) for (j = 0; j < n; j++) cin >> matrix[i][j]; cout<<"The entered matrix is:"<<endl; for (i = 0; i < n; i++) { for (j = 0; j < n; j++) cout << matrix[i][j] <<" "; cout<<endl; } cout<<"Determinant of the matrix is "<< determinant(matrix, n); return 0; }
ผลลัพธ์
Enter the size of the matrix: 3 Enter the elements of the matrix: 7 1 3 2 4 1 1 5 1 The entered matrix is: 7 1 3 2 4 1 1 5 1 Determinant of the matrix is 10
ในโปรแกรมข้างต้น ขนาดและองค์ประกอบของเมทริกซ์มีอยู่ในฟังก์ชัน main() จากนั้นฟังก์ชันดีเทอร์มิแนนต์ () จะถูกเรียก ส่งคืนดีเทอร์มีแนนต์ของเมทริกซ์ที่แสดง ซึ่งแสดงให้เห็นด้วยข้อมูลโค้ดต่อไปนี้
cout << "Enter the size of the matrix:\n"; cin >> n; cout <<"Enter the elements of the matrix:\n"; for (i = 0; i < n; i++) for (j = 0; j < n; j++) cin >> matrix[i][j]; cout<<"The entered matrix is:"<<endl; for (i = 0; i < n; i++) { for (j = 0; j < n; j++) cout << matrix[i][j] <<" "; cout<<endl; } cout<<"Determinant of the matrix is "<< determinant(matrix, n);
ในฟังก์ชันดีเทอร์มิแนนต์ () ถ้าขนาดของเมทริกซ์เท่ากับ 2 ดีเทอร์มีแนนต์จะถูกคำนวณโดยตรงและส่งกลับค่า ดังแสดงไว้ดังนี้
if (n == 2) return ((matrix[0][0] * matrix[1][1]) - (matrix[1][0] * matrix[0][1]));
ถ้าขนาดของเมทริกซ์ไม่ใช่ 2 ดีเทอร์มีแนนต์จะถูกคำนวณซ้ำ มี 3 ซ้อนสำหรับลูปที่ใช้กับตัวแปรลูป x, i และ j ลูปเหล่านี้ใช้ในการคำนวณดีเทอร์มิแนนต์และฟังก์ชันดีเทอร์มิแนนต์ () จะถูกเรียกซ้ำเพื่อคำนวณดีเทอร์มีแนนต์ภายในแล้วคูณด้วยค่าภายนอก สิ่งนี้แสดงให้เห็นโดยข้อมูลโค้ดต่อไปนี้
for (int x = 0; x < n; x++) { int subi = 0; for (int i = 1; i < n; i++) { int subj = 0; for (int j = 0; j < n; j++) { if (j == x) continue; submatrix[subi][subj] = matrix[i][j]; subj++; } subi++; } det = det + (pow(-1, x) * matrix[0][x] * determinant( submatrix, n - 1 )); }