帮我运行下面代码,并修改正确#include <iostream> #define OK 1 #define ERROR 0 #define OVERFLOW -1 #define MAXSIZE 20 using namespace std; typedef int Status; typedef int InfoType; typedef int KeyType; typedef struct { KeyType key; InfoType info; }ElemType; typedef struct { ElemType* R; int length; }SSTable; //初始化查找表 Status InitSSTable(SSTable& ST) { ST.R = new ElemType[MAXSIZE+1]; if (!ST.R) exit(OVERFLOW); ST.length = 0; return OK; } //插入元素 Status SSTableInsert(SSTable& ST, int i, ElemType e) { if ((i < 1) || (i > ST.length + 1)|| (ST.length == MAXSIZE + 1)) return ERROR; for (int j = ST.length; j >= i ; --j) ST.R[j + 1] = ST.R[j]; ST.R[i] = e; ++ST.length; return OK; } //折半查找 int Search_Bin(SSTable ST, KeyType key,int low,int high) { int mid; low = 1; high = ST.length; mid = (low + high) / 2; if(low > high) return -1; if (key = ST.R[mid].key) return mid; else if (key < ST.R[mid].key) return Search_Bin(ST, key, low, mid - 1); else return Search_Bin(ST, key, mid + 1, high); return -1; } int main() { SSTable ST; ElemType e; KeyType key; cout << "自动生成了一个1-20的顺序表" << endl; for (int i = 1; i < MAXSIZE+1; ++i) { e.key = i; SSTableInsert(ST, i, e); } for (int i = 1; i <ST.length; ++i) { cout << ST.R[i].key << " "; } cout <<"\n" << "请输入查找的元素:" << endl; cin >> key; cout << "查找元素的位置在:" << Search_Bin(ST, key, 1, ST.length); return 0; }
时间: 2024-01-12 20:05:08 浏览: 117
c\c++顺序栈源代码
4星 · 用户满意度95%
这段代码有两个问题:
1. `ST.R`数组没有初始化,会导致插入元素时出现错误。
2. 折半查找的实现有误,会导致无法正确查找到目标元素。
以下是修改过的代码,可以正常运行并正确查找目标元素:
```c++
#include <iostream>
#define OK 1
#define ERROR 0
#define OVERFLOW -1
#define MAXSIZE 20
using namespace std;
typedef int Status;
typedef int InfoType;
typedef int KeyType;
typedef struct {
KeyType key;
InfoType info;
} ElemType;
typedef struct {
ElemType* R;
int length;
} SSTable;
// 初始化查找表
Status InitSSTable(SSTable& ST) {
ST.R = new ElemType[MAXSIZE + 1]();
if (!ST.R) exit(OVERFLOW);
ST.length = 0;
return OK;
}
// 插入元素
Status SSTableInsert(SSTable& ST, int i, ElemType e) {
if ((i < 1) || (i > ST.length + 1) || (ST.length == MAXSIZE + 1)) return ERROR;
for (int j = ST.length; j >= i; --j)
ST.R[j + 1] = ST.R[j];
ST.R[i] = e;
++ST.length;
return OK;
}
// 折半查找
int Search_Bin(SSTable ST, KeyType key, int low, int high) {
int mid;
while (low <= high) {
mid = (low + high) / 2;
if (key == ST.R[mid].key) return mid;
else if (key < ST.R[mid].key) high = mid - 1;
else low = mid + 1;
}
return -1;
}
int main() {
SSTable ST;
ElemType e;
KeyType key;
cout << "自动生成了一个1-20的顺序表" << endl;
InitSSTable(ST);
for (int i = 1; i < MAXSIZE + 1; ++i) {
e.key = i;
SSTableInsert(ST, i, e);
}
for (int i = 1; i < ST.length; ++i) {
cout << ST.R[i].key << " ";
}
cout << "\n" << "请输入查找的元素:" << endl;
cin >> key;
cout << "查找元素的位置在:" << Search_Bin(ST, key, 1, ST.length);
return 0;
}
```
这里修改了两个地方:
1. 在 `InitSSTable` 函数中,初始化了 `ST.R` 数组,避免了插入元素时的错误。
2. 折半查找的实现中,用了一个循环来代替递归,更加简洁和可读,也可以正确查找到目标元素。
阅读全文