一直想把这几个插值公式用代码实现一下,今天闲着没事,尝试尝试。

先从最简单的拉格朗日插值开始!关于拉格朗日插值公式的基础知识就不赘述,百度上一搜一大堆。

基本思路是首先从文件读入给出的样本点,根据输入的插值次数和想要预测的点的x选择合适的样本点区间,最后计算基函数得到结果。直接看代码!(注:这里说样本点不是很准确,实在词穷找不到一个更好的描述。。。)

str2double

一个小问题就是怎样将python中的str类型转换成float类型,毕竟我们给出的样本点不一定总是整数,而且也需要做一些容错处理,比如多个+、多个-等等,也应该能识别为正确的数。所以实现了一个str2double方法。

  1. import re
  2. def str2double(str_num):
  3. pattern = re.compile(r'^((\+*)|(\-*))?(\d+)(.(\d+))?$')
  4. m = pattern.match(str_num)
  5. if m is None:
  6. return m
  7. else:
  8. sign = 1 if str_num[0] == '+' or '0' <= str_num[0] <= '9' else -1
  9. num = re.sub(r'(\++)|(\-+)', "", m.group(0))
  10. matchObj = re.match(r'^\d+$', num)
  11. if matchObj is not None:
  12. num = sign * int(matchObj.group(0))
  13. else:
  14. matchObj = re.match(r'^(\d+).(\d+)$', num)
  15. if matchObj is not None:
  16. integer = int(matchObj.group(1))
  17. fraction = int(matchObj.group(2)) * pow(10, -1*(len(matchObj.group(2))))
  18. num = sign * (integer + fraction)
  19. return num

我使用了正则表达式来实现,pattern = re.compile(r'^((\+*)|(\-*))?(\d+)(.(\d+))?$')可以匹配我上面提到的所有类型的整数和浮点数,之后进行匹配,匹配成功,如果是整数,直接return整数部分,这个用(int)强制转换即可;如果是浮点数,那么用(\d+)这个正则表达式再次匹配,分别得到整数部分和小数部分,整数部分的处理和上面类似,小数部分则用乘以pow(10, -小数位数)得到,之后直接相加即可。这里为了支持多个+或者-,使用re.sub方法将符号去掉,所以就需要用sign来记录数字的正负,在最后return时乘上sign即可。

binary_search

  1. def binary_search(point_set, n, x):
  2. first = 0
  3. length = len(point_set)
  4. last = length
  5. while first < last:
  6. mid = (first + last) // 2
  7. if point_set[mid][0] < x:
  8. first = mid + 1
  9. elif point_set[mid][0] == x:
  10. return mid
  11. else:
  12. last = mid
  13. last = last if last != length else last-1
  14. head = last - 1
  15. tail = last
  16. while n > 0:
  17. if head != -1:
  18. n -= 1
  19. head -= 1
  20. if tail != length:
  21. n -= 1
  22. tail += 1
  23. return [head+1, tail-1] if n == 0 else [head+1, tail-2]

这里point_set是全部样本点的集合,n是输入的插值次数,x是输入的预测点。返回合适的插值区间,即尽可能地把x包在里面。

因为要根据输入得到合适的插值区间,所以就涉及查找方面的知识。这里使用了二分查找,先对样本点集合point_set进行排序(升序),找到第一个大于需要预测点的样本点,在它的两侧扩展区间,直到满足插值次数要求。这里我的实现有些问题,可能会出现n=-1因为tail多加了一次,就在while循环外又进行了一次判断,n=-1tail-2,这个实现的确不好,可能还会有bug。。。

最后,剩下的内容比较好理解,直接放上全部代码。

  1. import re
  2. import matplotlib.pyplot as plt
  3. import numpy as np
  4. def str2double(str_num):
  5. pattern = re.compile(r'^((\+*)|(\-*))?(\d+)(.(\d+))?$')
  6. m = pattern.match(str_num)
  7. if m is None:
  8. return m
  9. else:
  10. sign = 1 if str_num[0] == '+' or '0' <= str_num[0] <= '9' else -1
  11. num = re.sub(r'(\++)|(\-+)', "", m.group(0))
  12. matchObj = re.match(r'^\d+$', num)
  13. if matchObj is not None:
  14. num = sign * int(matchObj.group(0))
  15. else:
  16. matchObj = re.match(r'^(\d+).(\d+)$', num)
  17. if matchObj is not None:
  18. integer = int(matchObj.group(1))
  19. fraction = int(matchObj.group(2)) * pow(10, -1*(len(matchObj.group(2))))
  20. num = sign * (integer + fraction)
  21. return num
  22. def preprocess():
  23. f = open("input.txt", "r")
  24. lines = f.readlines()
  25. lines = [line.strip('\n') for line in lines]
  26. point_set = list()
  27. for line in lines:
  28. point = list(filter(None, line.split(" ")))
  29. point = [str2double(pos) for pos in point]
  30. point_set.append(point)
  31. return point_set
  32. def lagrangeFit(point_set, x):
  33. res = 0
  34. for i in range(len(point_set)):
  35. L = 1
  36. for j in range(len(point_set)):
  37. if i == j:
  38. continue
  39. else:
  40. L = L * (x - point_set[j][0]) / (point_set[i][0] - point_set[j][0])
  41. L = L * point_set[i][1]
  42. res += L
  43. return res
  44. def showbasis(point_set):
  45. print("Lagrange Basis Function:\n")
  46. for i in range(len(point_set)):
  47. top = ""
  48. buttom = ""
  49. for j in range(len(point_set)):
  50. if i == j:
  51. continue
  52. else:
  53. top += "(x-{})".format(point_set[j][0])
  54. buttom += "({}-{})".format(point_set[i][0], point_set[j][0])
  55. print("Basis function{}:".format(i))
  56. print("\t\t{}".format(top))
  57. print("\t\t{}".format(buttom))
  58. def binary_search(point_set, n, x):
  59. first = 0
  60. length = len(point_set)
  61. last = length
  62. while first < last:
  63. mid = (first + last) // 2
  64. if point_set[mid][0] < x:
  65. first = mid + 1
  66. elif point_set[mid][0] == x:
  67. return mid
  68. else:
  69. last = mid
  70. last = last if last != length else last-1
  71. head = last - 1
  72. tail = last
  73. while n > 0:
  74. if head != -1:
  75. n -= 1
  76. head -= 1
  77. if tail != length:
  78. n -= 1
  79. tail += 1
  80. return [head+1, tail-1] if n == 0 else [head+1, tail-2]
  81. if __name__ == '__main__':
  82. pred_x = input("Predict x:")
  83. pred_x = float(pred_x)
  84. n = input("Interpolation times:")
  85. n = int(n)
  86. point_set = preprocess()
  87. point_set = sorted(point_set, key=lambda a: a[0])
  88. span = binary_search(point_set, n+1, pred_x)
  89. print("Chosen points: {}".format(point_set[span[0]:span[1]+1]))
  90. showbasis(point_set[span[0]:span[1]+1])
  91. X = np.linspace(-np.pi, np.pi, 256, endpoint=True)
  92. S = np.sin(X)
  93. L = [lagrangeFit(point_set, x) for x in X]
  94. L1 = [lagrangeFit(point_set[span[0]:span[1]+1], x) for x in X]
  95. plt.figure(figsize=(8, 4))
  96. plt.plot(X, S, label="$sin(x)$", color="red", linewidth=2)
  97. plt.plot(X, L, label="$LagrangeFit-all$", color="blue", linewidth=2)
  98. plt.plot(X, L1, label="$LagrangeFit-special$", color="green", linewidth=2)
  99. plt.xlabel('x')
  100. plt.ylabel('y')
  101. plt.title("$sin(x)$ and Lagrange Fit")
  102. plt.legend()
  103. plt.show()

About Input

使用了input.txt进行样本点读入,每一行一个点,中间有一个空格。

结果

感觉挺好玩的hhh,过几天试试牛顿插值!掰掰!

【数值分析】Python实现Lagrange插值的更多相关文章

  1. Python实现Newton和lagrange插值

    一.介绍Newton和lagrange插值:给出一组数据进行Newton和lagrange插值,同时将结果用plot呈现出来1.首先是Lagrange插值:根据插值的方法,先对每次的结果求积,在对结果 ...

  2. 数值分析案例:Newton插值预测2019城市(Asian)温度、Crout求解城市等温性的因素系数

    数值分析案例:Newton插值预测2019城市(Asian)温度.Crout求解城市等温性的因素系数 文章目录 数值分析案例:Newton插值预测2019城市(Asian)温度.Crout求解城市等温 ...

  3. Python数值计算之插值曲线拟合-01

        3 插值与曲线拟合 Interpolation and Curve Fitting 给定n+1个数据点(xi,yi), i = 0,1,2,…,n,评估y(x). 3.1 介绍(introdu ...

  4. Note -「Lagrange 插值」学习笔记

    目录 问题引入 思考 Lagrange 插值法 插值过程 代码实现 实际应用 「洛谷 P4781」「模板」拉格朗日插值 「洛谷 P4463」calc 题意简述 数据规模 Solution Step 1 ...

  5. Lagrange插值C++程序

    输入:插值节点数组.插值节点处的函数值数组,待求点 输出:函数值 代码如下:把printf的注释取消掉,能打印出中间计算过程,包括Lagrange多项式的求解,多项式每一项等等(代码多次修改,这些pr ...

  6. Python SciPy库——插值与拟合

    插值与拟合 原文链接:https://zhuanlan.zhihu.com/p/28149195 1.最小二乘拟合 实例1 # -*- coding: utf-8 -*- import numpy a ...

  7. 数值计算方法实验之Lagrange 多项式插值 (Python 代码)

    一.实验目的 在已知f(x),x∈[a,b]的表达式,但函数值不便计算,或不知f(x),x∈[a,b]而又需要给出其在[a,b]上的值时,按插值原则f(xi)= yi(i= 0,1…….,n)求出简单 ...

  8. 转Python SciPy库——拟合与插值

    1.最小二乘拟合 实例1 import numpy as np import matplotlib.pyplot as plt from scipy.optimize import leastsq p ...

  9. OpenCASCADE Interpolation - Lagrange

    OpenCASCADE Interpolation - Lagrange eryar@163.com Abstract. Power basis polynomial is the most simp ...

随机推荐

  1. JS中的七大数据类型

    js中有7种数据类型,包括五种基本数据类型(Number,String,Boolean,Undefined,Null),和一种复杂数据类型(Object)以及es6语法新增的Symbol数据类型 es ...

  2. SocksCap代理

    所有Windows应用都可以使用Socks代理上网,即使不支持Socks代理的应用也可以用Socks代理上网 配置代理 点击"添加",代理类型可以修改, 支持代理测试 运行程序 点 ...

  3. 如何封装一个自己的win7系统并安装到电脑做成双系统

    说明: 目前我是刚试玩所以总结得没有很详细,先粗略放一个,下次有时间再分开整理系统封装或者如何制作双系统. 教程参考地址: 1. https://www.sysceo.com/forum/thread ...

  4. union的使用

    将多条select语句的结果,合并到一起,称为联合查询 使用union关键字 场景: 获取数据的条件,出现逻辑冲突,或者很难在一个逻辑内表示,就可以拆成多个逻辑,分别实现,最后将结果合并到一起 sel ...

  5. 【Spring Boot】Spring Boot之自定义配置参数绑定到Java Bean

    一.@Value方式 1.我的配置文件:application-dev.yml # 自定义项目配置 startproject: pro1: pro2: pro3: pro4: lists: - ' - ...

  6. Centos7源码部署apache/httpd服务

    httpd:是一个提供网站服务的程序 监听端口:80 环境准备: Linux CentOS7.3系统 使用一台服务端,一台客户端即可: 一.安装httpd 1:安装 [root@localhost ~ ...

  7. Mysql【第三课】

  8. .gitignore文件配置的内容为:

    /target/ !.mvn/wrapper/maven-wrapper.jar ### STS ### .apt_generated .classpath .factorypath .project ...

  9. UVA 13024: Saint John Festival(凸包+二分 ,判定多个点在凸包内)

    题意:给定N个点,Q次询问,问当前点知否在N个点组成的凸包内. 思路:由于是凸包,我们可以利用二分求解. 二分思路1:求得上凸包和下凸包,那么两次二分,如果点在对应上凸包的下面,对应下凸包的上面,那么 ...

  10. HBase数据结构

    1 RowKey 与nosql数据库们一样,RowKey是用来检索记录的主键.访问HBASE table中的行,只有三种方式: 1.通过单个RowKey访问 2.通过RowKey的range(正则) ...