寒假作业2024.2.5

 1.请编程实现哈希表的创建存储数组(12,24,234,234,23,234,23),输入key查找的值,实现查找功能

头文件:

#ifndef _HEAD_H_
#define _HEAD_H_

#include 
#include 
#include 
#include 
#include 
typedef int datatype;
//定义节点结构体
typedef struct Node
{
	//数据域
	datatype data;
	//指针域:下一个节点的地址
	struct Node *next;
}*node;

int maxprime(int m);
node creat();
void insert_hash(int key,int p,node hash[]);
void output(node hash[],int m);
int search_hash(datatype key,int p,node hash[]);

#endif

主函数:

#include "head.h"
int main(int argc, const char *argv[])
{
	int arr[]={12,24,234,234,23,234,23};
	//计算数组长度
	int len=sizeof(arr)/sizeof(arr[0]);
	//计算哈希表长度
	int m=len*4/3;
	//定义哈希表,初始化防止野指针
	node hash[m];

	for(int i=0;i

封装函数:

 

#include "head.h"
//定义函数计算不大于哈希表长度的最大质数p
int maxprime(int m)
{
	for(int i=m;i>=2;i--)
	{
		int flag=0;
		for(int j=2;j<=sqrt(m);j++)
		{
			if(i%j==0)
			{
				flag=-1;
				break;
			}
		}
		if(flag==0)
		{
			return i;
		}
	}
}
//创建新节点
node creat()
{
	node s=(node)malloc(sizeof(struct Node));
	if(NULL==s)
		return NULL;
	s->data=0;
	s->next=NULL;
	return s;
}
//把数组元素依次插入到哈希表中
void insert_hash(int key,int p,node hash[])
{
	//创建新节点
	node s=creat();
	s->data=key;
	//哈希函数
	int index=key%p;//index是哈希表指针数组的下标
	hash[index];//创建哈希表指针数组的一个元素,代表其对应链表的头指针
	if(hash[index]==NULL)//判断头指针是否为空
	{
		hash[index]=s;
	}
	else
	{
		s->next=hash[index];
		hash[index]=s;
	}
}
//输出哈希表中所有元素
void output(node hash[],int m)
{
	for(int i=0;idata);
			head=head->next;
		}
		puts("NULL");
	}
}
//查找哈希表中是否存在要查找的元素
int search_hash(datatype key,int p,node hash[])
{
	int index=key%p;
	node head=hash[index];
	while(head!=NULL)
	{
		if(head->data==key)
		{
			return 0;
		}
		head=head->next;
	}
	return -1;
}

现象展示:

 

 寒假作业2024.2.5_第1张图片

 2.现有数组12,23,45,56,445,5676,6888,请输入key实现二分查找

#include 
#include 
#include 
#include 
#include 
// 递归实现二分查找
int Search(int arr[], int low, int high, int element) 
{
	if (low<=high) 
	{
		int mid=(low+high)/2;

		// 找到目标值
		if (arr[mid]==element) 
		{
			return mid;
		}

		// 目标值在数组的左半部分
		if (arr[mid]>element) 
		{
			return Search(arr, low, mid - 1, element);
		}
		// 目标值在数组的右半部分
		else if(arr[mid]

现象展示:

 

寒假作业2024.2.5_第2张图片

你可能感兴趣的:(哈希算法,散列表,算法)