Giter Club home page Giter Club logo

pynmranalysis's Introduction

Pynmranalysis

Python library for NMR preprocessing and analysis

Build Status License: MIT Open In Collab GitHub release

Pynmranalysis make it possible to work with 1H NMR spectrum using python. It makes analysing the spectrum more effective by offering many preprocessing functions and makes it easy to perform statistical modeling with great plots.

With Pynmranalysis, you are no longer restricted to use R or matlab to work with NMR signals !

Installation

Install the pachage with pip command:

pip install pynmranalysis

You may also install directly from this repository for the current master:

pip install git+git://github.com/1feres1/pynmranalysis.git
Required dependencies:
  • numpy == 1.20.3
  • pandas == 1.2.4
  • scipy == 1.6.3
  • scikit-learn == 0.24.2
  • matplotlib == 3.4.2

Online Demo

The following notebook shows you how to use the main functions of our library. This includes performing the preprocessing steps on 1H NMR dataset, scaling this data using NMR specific normalization function and finaly performing statistical analysis methodes like PCA and PLS-DA.

You can test it yourself via this link:

https://colab.research.google.com/drive/1A5qS1ObiiYBXmPnlecCTxzV41BzQ3fG6?usp=sharing

How to use

✨Preprocessing✨

Preprocessing is a set of operations applyed to raw data in order to prepare it for further analysis

We will use a CSV file containing 1H-NMR spectra for 71 serum samples of patients with coronary heart disease (CHD) and healthy controls,located in example/CHD.csv in the exemple folder of this repository

# import 
import matplotlib.pyplot as plt
import pandas as pd
#read coronary heart disease data
spectrum = pd.read_csv("CHD.csv")
#convert columns from string to real numbers
columns = [float(x) for x in spectrum.columns]
spectrum.columns  = columns

Binning / Bucketing

In order to reduce the data dimensionality binning is commonly used. In binning, the spectra are divided into bins (so called buckets) and the total area within each bin is calculated to represent the original spectrum. Here is an example:

from pynmranalysis.nmrfunctions import binning
binned_data = binning(spectrum ,width=True ,  bin_size = 0.04 , int_meth='simps' , verbose=False)
fig , axs = plt.subplots(2,1 , figsize = (16,5))
fig.tight_layout()
axs[0].plot(spectrum.iloc[0] )
axs[0].set(title = 'spectrum before binning')
axs[1].plot(binned_data.iloc[0])
axs[1].set(title = 'spectrum after binning')
plt.show()

Region Removal

By default, this step sets to zero spectral areas that are of no interest or have a sigificant and unwanted amount of variation (e.g. the water area).

from pynmranalysis.nmrfunctions import region_removal
r_spectrum = region_removal(spectrum=binned_data )
fig , axs = plt.subplots(2,1, figsize = (16,5))
fig.tight_layout()
axs[0].plot(binned_data.iloc[0] )
axs[0].set(title = 'spectrum before region removal')
axs[1].plot(r_spectrum.iloc[0] )
axs[1].set(title = 'spectrum after region removal')
plt.show()

Note : The implementation of these functions is similar to R's PepsNMR library [1].

✨Normalization✨

The comparison between the spectra is impossible without prior normalization. Therefore, a normalization step allows the data from all the spectra to be directly comparable

Mean Normalization

Each spectrum is divided by its mean so that its mean becomes 1.

from pynmranalysis.normalization import median_normalization
norm_spectrum = median_normalization(r_spectrum , verbose=False)
fig , axs = plt.subplots(2,1, figsize = (16,5))
fig.tight_layout()
axs[0].plot(r_spectrum.iloc[0] )
axs[0].set(title = 'spectrum before normalization')
axs[1].plot(norm_spectrum.iloc[0] )
axs[1].set(title = 'spectrum without normalization')
plt.show()

Median Normalization

Each spectrum is divided by its median so that its median becomes 1.

from pynmranalysis.normalization import quantile_normalization
norm_spectrum = quantile_normalization(r_spectrum , verbose=False)
fig , axs = plt.subplots(2,1, figsize = (16,5))
fig.tight_layout()
axs[0].plot(r_spectrum.iloc[0] )
axs[0].set(title = 'spectrum before normalization')
axs[1].plot(norm_spectrum.iloc[0] )
axs[1].set(title = 'spectrum without normalization')
plt.show()

Quantile Normalization

Each spectrum is divided by its first quartile so that its first quartile becomes 1.

from pynmranalysis.normalization import mean_normalization
norm_spectrum = mean_normalization(r_spectrum , verbose=False)
fig , axs = plt.subplots(2,1, figsize = (16,5))
fig.tight_layout()
axs[0].plot(r_spectrum.iloc[0] )
axs[0].set(title = 'spectrum before normalization')
axs[1].plot(norm_spectrum.iloc[0] )
axs[1].set(title = 'spectrum without normalization')
plt.show()

Peak Normalization

Each spectrum is divided by the value of the peak of the spectrum contained between "peak_range" inclusive (i.e. the maximum value of spectral intensities in that interval).

from pynmranalysis.normalization import peak_normalization
norm_spectrum = peak_normalization(r_spectrum , verbose=False)
fig , axs = plt.subplots(2,1, figsize = (16,5))
fig.tight_layout()
axs[0].plot(r_spectrum.iloc[0] )
axs[0].set(title = 'spectrum before normalization')
axs[1].plot(norm_spectrum.iloc[0] )
axs[1].set(title = 'spectrum without normalization')
plt.show()

PQN Normalization

We used the definition from Dieterle et al [2]. If ref_norm is "median" or "mean", we will use the median or the mean spectrum as the reference spectrum ; if it is a single number, will use the spectrum located at that row in the spectral matrix ,it defines manually the reference spectrum.

from pynmranalysis.normalization import PQN_normalization
norm_spectrum = PQN_normalization(r_spectrum ,ref_norm = "median" , verbose=False)
fig , axs = plt.subplots(2,1, figsize = (16,5))
fig.tight_layout()
axs[0].plot(r_spectrum.iloc[0] )
axs[0].set(title = 'spectrum before normalization')
axs[1].plot(norm_spectrum.iloc[0] )
axs[1].set(title = 'spectrum without normalization')
plt.show()

Note : The implementation of these functions is similar to R's PepsNMR library [1].

✨Statistical Analysis✨

PyPCA

Principal component analysis, or PCA, is a statistical procedure that allows you to summarize the information content in large data tables by means of a smaller set of “summary indices” that can be more easily visualized and analyzed.

A pickle file containing 1H-NMR spectra for 64 serum samples of patients with two groups of digestive diseases, biliary/Pancreatic Disease and Intestinal Diseases is located in digestive_disease_data.pkl in the exemple folder of this repository.

# import 
import matplotlib.pyplot as plt
import pandas as pd
#read data
data = pd.read_pickle('digestive_disease_data.pkl')
# split data into predictive variables (spectrums) and target varibles (digestive disease group)
# target -->  1 :Biliary/Pancreatic Diseases | 0 : Intestinal Diseases
spectrum = data.iloc[ : , :-1]
target = data.iloc[ : , -1].values

PyPCA class and it's methods are used to perform PCA.

from pynmranalysis.analysis import PyPCA
#create pypca instance 
pca = PyPCA(n_comps=3) 
#fit the model to data
pca.fit(spectrum)

The score plot is the projection of samples in the dataset in lower dimension space of the first 2 components of the model

pca.score_plot()

The scree plot is a graph that shows each component of the PCA model with their explained variance.
pca.scree_plot()

Outiler plot is a plot that calculates the index of the outliers in the data and plot them with a different color.
pca.outlier_plot()

The target plot is a scatter plot that shows the projection of each simple in the first 2 components with colors that matchs their classses in the target variable.
pca.target_plot(target)

PyPLS_DA

Partial least squares-discriminant analysis (PLS-DA) is a versatile algorithm that can be used for predictive and descriptive modelling as well as for discriminative variable selection.

from pynmranalysis.analysis import PyPLS_DA
#create pyplsda instance 
plsda = PyPLS_DA(ncomps=3) 
#fit the model to data
plsda.fit(spectrum , target)

The interia plot is a paired barbot that shows R2Y (goodness of the fit ) score and R2Y (goodnes of predection with cross validation)

plsda.inertia_barplot(spectrum, target)

PLSDA score plot is a scatter plot that shows the projection of simples in the first 2 latent variables.
plsda.score_plot(target)

Note : The implementation of these functions is similar to R's PepsNMR library [3].

License

MIT

Reference

[1] PepsNMR for 1 H NMR metabolomic data pre-processing Manon Martin , Benoît Legat

[2] Probabilistic Quotient Normalization as Robust Method to Account for Dilution of Complex Biological Mixtures. Application in 1H NMR Metabonomics

[3] Partial least square for discrimination Matthew Barker1 and William Rayens

pynmranalysis's People

Contributors

1feres1 avatar

Stargazers

 avatar  avatar  avatar

Watchers

 avatar

Forkers

ayoubselmi

pynmranalysis's Issues

pynmranalysis.nmrfunctions

Hi,

Not so much of an issue when I tried to import from pynmranalysis.nmrfunctions it kept coming up with "ModuleNotFoundError: No module named 'pynmranalysis.nmrfunctions'".
When I checked the modules, it turned out the module where binning and region removal function is hosted is called preprocessing. It worked fine after I changed it to pynmranalysis.preprocessing.

Thanks for the package. So far I've tried the pre-processing and normalisation and they work really well.

Cheers,
Novia

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.