五种常用距离的代码实现:欧式距离、曼哈顿距离、闵可夫斯基距离、余弦相似度、杰卡德距离

《博主简介》

小伙伴们好,我是阿旭。专注于人工智能、AIGC、python、计算机视觉相关分享研究。
更多学习资源,可关注公-仲-hao:【阿旭算法与机器学习】,共同学习交流~
感谢小伙伴们点赞、关注!

《------往期经典推荐------》

一、AI应用软件开发实战专栏【链接】

项目名称 项目名称
1.【人脸识别与管理系统开发】 2.【车牌识别与自动收费管理系统开发】
3.【手势识别系统开发】 4.【人脸面部活体检测系统开发】
5.【图片风格快速迁移软件开发】 6.【人脸表表情识别系统】
7.【YOLOv8多目标识别与自动标注软件开发】 8.【基于YOLOv8深度学习的行人跌倒检测系统】
9.【基于YOLOv8深度学习的PCB板缺陷检测系统】 10.【基于YOLOv8深度学习的生活垃圾分类目标检测系统】
11.【基于YOLOv8深度学习的安全帽目标检测系统】 12.【基于YOLOv8深度学习的120种犬类检测与识别系统】
13.【基于YOLOv8深度学习的路面坑洞检测系统】 14.【基于YOLOv8深度学习的火焰烟雾检测系统】
15.【基于YOLOv8深度学习的钢材表面缺陷检测系统】 16.【基于YOLOv8深度学习的舰船目标分类检测系统】
17.【基于YOLOv8深度学习的西红柿成熟度检测系统】 18.【基于YOLOv8深度学习的血细胞检测与计数系统】
19.【基于YOLOv8深度学习的吸烟/抽烟行为检测系统】 20.【基于YOLOv8深度学习的水稻害虫检测与识别系统】
21.【基于YOLOv8深度学习的高精度车辆行人检测与计数系统】 22.【基于YOLOv8深度学习的路面标志线检测与识别系统】
22.【基于YOLOv8深度学习的智能小麦害虫检测识别系统】 23.【基于YOLOv8深度学习的智能玉米害虫检测识别系统】

二、机器学习实战专栏【链接】,已更新31期,欢迎关注,持续更新中~~
三、深度学习【Pytorch】专栏【链接】
四、【Stable Diffusion绘画系列】专栏【链接】

《------正文------》

from math import*
from decimal import Decimal
 
class Similarity():
 
    """ Five similarity measures function """
 
	def euclidean_distance(self,x,y):
	# 欧式距离
	 
	        """ return euclidean distance between two lists """
	 
	        return sqrt(sum(pow(a-b,2) for a, b in zip(x, y)))
	 
	def manhattan_distance(self,x,y):
	# 曼哈顿距离
	 
	        """ return manhattan distance between two lists """
	 
	        return sum(abs(a-b) for a,b in zip(x,y))
	 
	def minkowski_distance(self,x,y,p_value):
	# 闵可夫斯基距离
	 
	        """ return minkowski distance between two lists """
	 
	        return self.nth_root(sum(pow(abs(a-b),p_value) for a,b in zip(x, y)),
	           p_value)
	 
	def nth_root(self,value, n_root):
	# 开n次方
	 
	        """ returns the n_root of an value """
	 
	        root_value = 1/float(n_root)
	        return round (Decimal(value) ** Decimal(root_value),3)
	 
	def cosine_similarity(self,x,y):
	# 余弦相似度
	 
	        """ return cosine similarity between two lists """
	 
	        numerator = sum(a*b for a,b in zip(x,y))
	        denominator = self.square_rooted(x)*self.square_rooted(y)
	        return round(numerator/float(denominator),3)
	 
	def square_rooted(self,x):
	# 平方根距离
	 
	        """ return 3 rounded square rooted value """
	 
	        return round(sqrt(sum([a*a for a in x])),3)
	 
	def jaccard_similarity(self,x,y):
	# 杰卡德距离
	 
	    """ returns the jaccard similarity between two lists """
	 
	        intersection_cardinality = len(set.intersection(*[set(x), set(y)]))
	        union_cardinality = len(set.union(*[set(x), set(y)]))
	        return intersection_cardinality/float(union_cardinality)

你可能感兴趣的:(算法与数据结构,向量距离计算)