IT数码 购物 网址 头条 软件 日历 阅读 图书馆
TxT小说阅读器
↓语音阅读,小说下载,古典文学↓
图片批量下载器
↓批量下载图片,美女图库↓
图片自动播放器
↓图片自动播放器↓
一键清除垃圾
↓轻轻一点,清除系统垃圾↓
开发: C++知识库 Java知识库 JavaScript Python PHP知识库 人工智能 区块链 大数据 移动开发 嵌入式 开发工具 数据结构与算法 开发测试 游戏开发 网络协议 系统运维
教程: HTML教程 CSS教程 JavaScript教程 Go语言教程 JQuery教程 VUE教程 VUE3教程 Bootstrap教程 SQL数据库教程 C语言教程 C++教程 Java教程 Python教程 Python3教程 C#教程
数码: 电脑 笔记本 显卡 显示器 固态硬盘 硬盘 耳机 手机 iphone vivo oppo 小米 华为 单反 装机 图拉丁
 
   -> Python知识库 -> 使用Sellmeier方程(Sellmeier Dispersionfitting)拟合波长-折射率数据——Python实现 -> 正文阅读

[Python知识库]使用Sellmeier方程(Sellmeier Dispersionfitting)拟合波长-折射率数据——Python实现

作者:token keyword


一、前言

对于已测量出的 波长-折射率 数据,我们希望找到一个方程来拟合它,这里我们采用三阶 selmier 方程,其形式如下:

n ( x ) = 1 + B 1 x 2 x 2 ? C 1 2 + B 2 x 2 x 2 ? C 2 2 + B 3 x 2 x 2 ? C 3 2 n(x) = \sqrt{1 + \dfrac{B_1x^2}{x^2-C_1^2} + \dfrac{B_2x^2}{x^2-C_2^2} + \dfrac{B_3x^2}{x^2-C_3^2}} n(x)=1+x2?C12?B1?x2?+x2?C22?B2?x2?+x2?C32?B3?x2? ?

我们利用已知的波长数据(Wavelength)与折射率数据(Refractive Index)去拟合方程中的 B1, C1, B2, C2, B3, C3 等参数。


二、数据处理

我们有一段关于水的折射率与入射光波长的关系数据:

Wavelength(x)RefractiveIndex(n)
0.51.335
0.61.3321
0.71.3311
0.81.329
0.91.3281
11.3272
1.11.3255
1.21.3244
1.31.3225
1.41.3213
1.51.319

将其保存在 Water.txt 文档内,与我们接下来的 Python 文件放在同一个目录下。


三、Python代码

计算折射率的 selmier 方程代码如下:

def selmier(L, B1, C1, B2, C2, B3, C3):
    offset = 1
    # L = x ** 2
    ssum = B1 * L / (L - C1 ** 2) + B2 * L / (L - C2 ** 2) + B3 * L / (L - C3 ** 2)
    nn = offset + ssum
    return nn

拟合采用的是 pycse 包中的 nlinfit 函数,其用法和 MATLAB 类似,拟合代码如下:

pars, pint, se = nlinfit(selmier, Lambda ** 2, n ** 2, coeffs, 0.05)

注意这里的 coeffs 为我们给定的初始参数值,这里我初始参数(B1, C1, B2, C2, B3, C3)全部设为 0.1。完整代码如下:

#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Wed Mar 30 19:38:56 2022
@author: zq
"""

import numpy as np
import matplotlib.pyplot as plt
from pycse import nlinfit

def selmier(L, B1, C1, B2, C2, B3, C3):
    offset = 1
    # L = x ** 2
    ssum = B1 * L / (L - C1 ** 2) + B2 * L / (L - C2 ** 2) + B3 * L / (L - C3 ** 2)
    nn = offset + ssum
    return nn

def Welcome():
    w = """
===================================================\n
Created on Wed Mar 30 19:38:56 2022
        
\tThe fit function is Show in README.txt. 
        
\tThis code can solve this problem, but the requirements for the initial predicted value are relatively high. It is recommended that you use a matlab code. 
        
\tYou can contact me to obtain a copy of matlab code.
        
\t\tEmail: z.q.feng@qq.com\n
\t\t\tor\n
\t\tBlog: https://blog.csdn.net/weixin_46584887?spm=1010.2135.3001.5343
        
\tOf course if you know how to use matlab...
        
@author: z.q.feng\n
===================================================
        """
    print(w, end = '')

if __name__ == '__main__':
    Welcome()
    # coeffs = np.loadtxt('settings.txt')
    coeffs = np.array([0.1, 0.1, 0.1, 0.1, 0.1, 0.1])
    if len(coeffs) != 6:
        raise ValueError("The coefficients' number that noticed in the settings must be equal to 6 !")
        
    while (True):
        file = input("\nPlease enter the datas' filename(without .txt) : ")
        tmp = np.loadtxt(file + '.txt')
        Lambda, n = tmp[:, 0], tmp[:, 1]
        
        try:
            pars, pint, se = nlinfit(selmier, Lambda ** 2, n ** 2, coeffs, 0.05)
        except RuntimeError:
            print('\n\tOptimal parameters not found.\n\tPlease change the coefficients in settings...\n')
            break
        
        nn = selmier(Lambda ** 2, pars[0], pars[1], pars[2], pars[3], pars[4], pars[5]) ** 0.5
        tmp = np.linalg.norm(n - nn, 2)
        print('\n\tSuccessfully create coeffs-' + file + '.txt and fit-' + file + '.png.')
        print('\n\tThe recovery residual is %.6f.' % (tmp))
        
        with open("coeffs-" + file + ".txt", 'w') as f:
            f.write('\t' + file + '\n')
            for i in range(len(pars)):
                if i % 2 == 0:
                    f.write('B' + str(i // 2 + 1) + '\t' + str(pars[i]) + '\n')
                else:
                    f.write('C' + str(i // 2 + 1) + '\t' + str(pars[i]) + '\n')
        
        plt.figure(figsize = (8, 6))
        plt.plot(Lambda, n, 'r-', label = 'Original')
        plt.plot(Lambda, nn, 'b--', label = 'Fit')
        plt.xlabel('Wave length')
        plt.ylabel('Refractive index')
        plt.title('Original-curve vs. Fit-curve')
        plt.grid()
        plt.legend()
        plt.savefig("fit-" + file + ".png", dpi = 300)
        
        q = input("\nQuit ? (y / n) : ")
        if q == 'y':
            break
        else:
            continue

四、使用及其说明

运行上述代码,运行界面如下:
在这里插入图片描述
这里我们输入的为我们的 Water.txt 文件的文件名,可循环输入多个拟合多组数据。输出有两个:coeff-Water.txtfit-Water.png

coeff-Water.txt:

	Water
B1	7.876519563674877
C1	0.2569073177409549
B2	7.874100532538284
C2	0.25690470607109844
B3	-15.01175094249148
C3	0.2607512075672549

fit-Water.png:
在这里插入图片描述
其中,终端还会输出我们的拟合残差:

Please enter the datas' filename(without .txt) : Water

	Successfully create coeffs-Water.txt and fit-Water.png.

	The recovery residual is 0.004401.

Quit ? (y / n) : 

五、总结

Python 的 nlinfit 函数精度不如 MATLAB 的高,但是配置 MATLAB 环境远比配置搭建 Python 环境困难,此外,我还编写了一份 Windows 下可直接运行出结果的 EXE 文件来拟合参数,上传到资源里啦:

  Python知识库 最新文章
Python中String模块
【Python】 14-CVS文件操作
python的panda库读写文件
使用Nordic的nrf52840实现蓝牙DFU过程
【Python学习记录】numpy数组用法整理
Python学习笔记
python字符串和列表
python如何从txt文件中解析出有效的数据
Python编程从入门到实践自学/3.1-3.2
python变量
上一篇文章      下一篇文章      查看所有文章
加:2022-04-04 12:06:36  更:2022-04-04 12:07:11 
 
开发: C++知识库 Java知识库 JavaScript Python PHP知识库 人工智能 区块链 大数据 移动开发 嵌入式 开发工具 数据结构与算法 开发测试 游戏开发 网络协议 系统运维
教程: HTML教程 CSS教程 JavaScript教程 Go语言教程 JQuery教程 VUE教程 VUE3教程 Bootstrap教程 SQL数据库教程 C语言教程 C++教程 Java教程 Python教程 Python3教程 C#教程
数码: 电脑 笔记本 显卡 显示器 固态硬盘 硬盘 耳机 手机 iphone vivo oppo 小米 华为 单反 装机 图拉丁

360图书馆 购物 三丰科技 阅读网 日历 万年历 2025年10日历 -2025/10/26 4:50:33-

图片自动播放器
↓图片自动播放器↓
TxT小说阅读器
↓语音阅读,小说下载,古典文学↓
一键清除垃圾
↓轻轻一点,清除系统垃圾↓
图片批量下载器
↓批量下载图片,美女图库↓
  网站联系: qq:121756557 email:121756557@qq.com  IT数码