c++实现简单的银行家算法
时间: 2023-11-24 19:52:35 浏览: 105
以下是C++实现简单的银行家算法的代码示例:
```c++
#include <iostream>
using namespace std;
const int P = 5; // 进程数
const int R = 3; // 资源种类数
int available[R] = {3, 3, 2}; // 各类资源总数
int maxm[P][R] = {{7, 5, 3}, {3, 2, 2}, {9, 0, 2}, {2, 2, 2}, {4, 3, 3}}; // 最大需求矩阵
int allocation[P][R] = {{0, 1, 0}, {2, 0, 0}, {3, 0, 2}, {2, 1, 1}, {0, 0, 2}}; // 已分配矩阵
int need[P][R]; // 需求矩阵
bool isSafe() {
int work[R];
bool finish[P] = {false};
// 初始化 work 数组
for (int i = 0; i < R; i++) {
work[i] = available[i];
}
// 找到一个未完成的进程,且它所需的资源小于等于 work 数组中的资源
for (int i = 0; i < P; i++) {
if (finish[i] == false) {
bool flag = true;
for (int j = 0; j < R; j++) {
if (need[i][j] > work[j]) {
flag = false;
break;
}
}
if (flag) {
for (int j = 0; j < R; j++) {
work[j] += allocation[i][j];
}
finish[i] = true;
i = -1; // 重新开始循环
}
}
}
// 判断是否所有进程都能完成
for (int i = 0; i < P; i++) {
if (finish[i] == false) {
return false;
}
}
return true;
}
int main() {
// 计算 need 矩阵
for (int i = 0; i < P; i++) {
for (int j = 0; j < R; j++) {
need[i][j] = maxm[i][j] - allocation[i][j];
}
}
// 判断是否安全
if (isSafe()) {
cout << "系统是安全的" << endl;
} else {
cout << "系统是不安全的" << endl;
}
return 0;
}
```
阅读全文