app

Nanobiosensors: From Design to Applications


 

Containing cutting edge research on the hot topic of nanobiosensor, this book will become highly read

Biosensor research has recently re-emerged as most vibrant area in recent years particularly after the advent of novel nanomaterials of multidimensional features and compositions. Nanomaterials of different types and striking properties have played a positive role in giving the boost and accelerated pace to biosensors development technology.



Read More...




app

A high-throughput and untargeted lipidomics approach reveals new mechanistic insight and the effects of salvianolic acid B on the metabolic profiles in coronary heart disease rats using ultra-performance liquid chromatography with mass spectrometry

RSC Adv., 2020, 10,17101-17113
DOI: 10.1039/D0RA00049C, Paper
Open Access
Ying-peng Li, Cong-ying Wang, Hong-tao Shang, Rui-rui Hu, Hui Fu, Xue-feng Xiao
High-throughput lipidomics provides the possibility for the development of new therapeutic drugs.
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Post-synthetic modification of imine linkages of a covalent organic framework for its catalysis application

RSC Adv., 2020, 10,17396-17403
DOI: 10.1039/D0RA02142C, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Qianqian Yan, Huanjun Xu, Xuechao Jing, Hui Hu, Shenglin Wang, Chaoyuan Zeng, Yanan Gao
A new approach for post-synthetic modification of covalent organic frameworks has been developed based on the modification of the linkages and the resulting COF exhibited excellent catalytic performance towards cycloaddition of epoxides and CO2.
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Chlorotrifluoroethylidenes: an efficient and convenient approach to their synthesis

RSC Adv., 2020, 10,17427-17431
DOI: 10.1039/D0RA02481C, Paper
Open Access
Abhay Atmaram Upare, Pradip K. Gadekar, Kiran Jadhav, H. Sivaramakrishnan, Selvaraj Mohana Roopan
A convenient one step synthesis of chlorotrifluoroalkyl olefins starting from aldehydes was developed.
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Polypyrrole modified magnetic reduced graphene oxide composites: synthesis, characterization and application for selective lead adsorption

RSC Adv., 2020, 10,17524-17533
DOI: 10.1039/D0RA01546F, Paper
Open Access
Zhanmeng Liu, Zhimin Gao, Lichun Xu, Fengping Hu
Compared to Fe3O4/rGO, the PPy-FG composites showed desirable adsorption capacity and selectivity for Pb(II) from water.
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Selective modification of Ti6Al4V surfaces for biomedical applications

RSC Adv., 2020, 10,17642-17652
DOI: 10.1039/C9RA11000C, Paper
Open Access
Gabriela Melo Rodriguez, James Bowen, Mischa Zelzer, Artemis Stamboulis
The surface of a medical implant is required to interact favourably with ions, biomolecules and cells in vivo, commonly resulting in the formation of the extracellular matrix.
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Position-locking of volatile reaction products by atmosphere and capping layers slows down photodecomposition of methylammonium lead triiodide perovskite

RSC Adv., 2020, 10,17534-17542
DOI: 10.1039/D0RA03572F, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Fengshuo Zu, Thorsten Schultz, Christian M. Wolff, Dongguen Shin, Lennart Frohloff, Dieter Neher, Patrick Amsalem, Norbert Koch
Gas pressure and capping layers under ultrahigh vacuum prevent methylammonium lead triiodide photo-degradation due to efficient back-reaction of volatile compounds.
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Mechanochemical approach to synthesize citric acid-soluble fertilizer of dittmarite (NH4MgPO4·H2O) from talc/NH4H2PO4 mixture

RSC Adv., 2020, 10,17686-17693
DOI: 10.1039/D0RA00387E, Paper
Open Access
Yonghao Tan, Lin Sha, Nengkui Yu, Zhengshuo Yang, Jun Qu, Zhigao Xu
Dittmarite synthesis by a mechanochemical route for application as a citric acid-soluble fertilizer.
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Correction: Narrowing band gap and enhanced visible-light absorption of metal-doped non-toxic CsSnCl3 metal halides for potential optoelectronic applications

RSC Adv., 2020, 10,17869-17869
DOI: 10.1039/D0RA90054K, Correction
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Jakiul Islam, A. K. M. Akther Hossain
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Making SVG icon libraries for React apps

Using SVG is currently the best way to create icon libraries for apps. Icons built with SVG are scalable and adjustable, but also discrete, which allows them to be incrementally loaded and updated. In contrast, icons built as fonts cannot be incrementally loaded or updated. This alone makes SVG icons the better choice for high-performance apps that rely on code-splitting and incremental deploys.

This post describes how to make a package of React components from a library of SVG icons. Although I’m focusing on React, making any other type of package is also possible. At Twitter I used the approach described here to publish the company’s SVG icon library in several different formats: optimized SVGs, plain JavaScript modules, React DOM components, and React Native components.

Using the icons

The end result is a JavaScript package that can be installed and used like any other JavaScript package.

yarnpkg add @acme/react-icons

Each icon is available as an individually exported React component.

import IconCamera from '@acme/react-icons/camera';

This allows your module bundler to package only the icons that are needed, and icons can be efficiently split across chunks when using code-splitting. This is a significant advantage over icon libraries that require fonts and bundle all icons into a single component.

// entire icon library is bundled with your app
import Icon from '@acme/react-icons';
const IconCamera = <Icon name='camera' />;

Each icon is straightforward to customize (e.g., color and dimensions) on a per-use basis.

import IconCamera from '@twitter/react-icons/camera';
const Icon = (
  <IconCamera
    style={{ color: 'white', height: '2em' }}
  />
);

Although the icons render to SVG, this is an implementation detail that isn’t exposed to users of the components.

Creating components

Each React component renders an inline SVG, using path and dimensions data extracted from the SVG source files. A helper function called createIconComponent means that only a few lines of boilerplate are needed to create a component from SVG data.

import createIconComponent from './utils/createIconComponent';
import React from 'react';
const IconCamera = createIconComponent({
  content: <g><path d='...'></g>,
  height: 24,
  width: 24
});
IconCamera.displayName = 'IconCamera';
export default IconCamera;

This is an example of what the createIconComponent function looks like when building components for a web app like Twitter Lite, which is built with React Native for Web.

// createIconComponent.js
import { createElement, StyleSheet } from 'react-native-web';
import React from 'react';

const createIconComponent = ({ content, height, width }) =>
  (initialProps) => {
    const props = {
      ...initialProps,
      style: StyleSheet.compose(styles.root, initialProps.style),
      viewBox: `0 0 ${width} ${height}`
    };

    return createElement('svg', props, content);
  };

const styles = StyleSheet.create({
  root: {
    display: 'inline-block',
    fill: 'currentcolor',
    height: '1.25em',
    maxWidth: '100%',
    position: 'relative',
    userSelect: 'none',
    textAlignVertical: 'text-bottom'
  }
});

Setting the fill style to currentcolor allows you to control the color of the SVG using the color style property instead.

All that’s left is to use scripts to process the SVGs and generate each React component.

Creating icon packages

A complete example of one way to do this can be found in the icon-builder-example repository on GitHub.

The project structure of the example tool looks like this.

.
├── README.md
├── package.json
├── scripts/
    ├── build.js
    ├── createReactPackage.js
    └── svgOptimize.js
└── src/
    ├── alerts.svg
    ├── camera.svg
    ├── circle.svg
    └── ...

The build script uses SVGO to optimize the SVGs, extract SVG path data, and extract metadata. The example packager for React then uses templates to create a package.json and the React icon components shown earlier.

import createIconComponent from './utils/createIconComponent';
import React from 'react';
const ${componentName} = createIconComponent({
  height: ${height},
  width: ${width},
  content: <g>${paths}</g>
});
${componentName}.displayName = '${componentName}';
export default ${componentName};

Additional packagers can be included to build other package types from the same SVG source. When the underlying icon library changes, it only takes a couple of commands to rebuild hundreds of icons and publish new versions of each package.




app

Streamlining business requirements [electronic resource] : the XCellR8 approach / Gerrie Caudle

Caudle, Gerrie




app

Successes and failures of knowledge management [electronic resource] / edited by Jay Liebowitz, Distinguished Chair of Applied Business and Finance, Harrisburg University of Science and Technology, Harrisburg, Pennsylvania




app

Tapping into unstructured data [electronic resource] : integrating unstructured data and textual analytics into business intelligence / William H. Inmon, Anthony Nesavich

Inmon, William H




app

Web development with MongoDB and Node JS [electronic resource] : build an interactive and full-featured web application from scratch using Node.js and MongoDB / Mithun Sathessh, Bruno Joseph D'mello, Jason Krol

Satheesh, Mithun, author




app

When a Western 3PL meets an Asian 3PL, something magical happens [electronic resource] / Chuck Munson with Shong-Iee Ivan Su

Munson, Chuck, author




app

Wise money [electronic resource] : how the smart money invests using the endowment investment approach to minimize volatility and increase control / Daniel Wildermuth

Wildermuth, Daniel




app

XML and JSON Recipes for SQL Server [electronic resource] : A Problem-Solution Approach / by Alex Grinberg

Grinberg, Alex. author




app

The you of leadership [electronic resource] : an intuitive approach to effective business leadership / Twan van de Kerkhof

Kerkhof, Twan van de, author







app

Market Wrap, May 7: Here's all that happened in the markets today

Bank of England's statement that Britain could be headed for its biggest economic slump in over 300 years due to the coronavirus lockdown also weighed on the investor sentiment




app

Market Wrap, May 8: Here's all that happened in the markets today

BSE Sensex ended at 31,642.70, up 199 points or 0.63 per cent, with HUL (up nearly 5 per cent) being the top gainer and NTPC (down nearly 4 per cent) the biggest loser




app

Indian-American woman appointed CIO of top US university



  • DO NOT USE Indians Abroad
  • World

app

Indian Taxi driver who raped drunk schoolgirl loses appeal bid



  • DO NOT USE Indians Abroad
  • World

app

Indian-American Civil Rights lawyer Vanita Gupta appointed to head US Justice Department



  • DO NOT USE Indians Abroad
  • World

app

Indian-American scientist appointed as US Science Envoy



  • DO NOT USE Indians Abroad
  • World

app

US apex court denies former Goldman Sachs director Rajat Gupta’s appeal against lifetime ban



  • DO NOT USE Indians Abroad
  • World

app

Indian-American appointed minority floor leader in Michigan



  • DO NOT USE Indians Abroad
  • World

app

US President Barack Obama appoints Indian-American executive Ajay Banga to key administrative post



  • DO NOT USE Indians Abroad
  • World

app

Indian-American appointed to key federal aviation post



  • DO NOT USE Indians Abroad
  • World

app

Indian-origin counsel appointed as Judicial Commissioner to Singapore Supreme Court



  • DO NOT USE Indians Abroad
  • World

app

Indian doctors in UK appeal to PM Modi over ‘victimisation’



  • DO NOT USE Indians Abroad
  • World

app

Indian man attacked in apparent hate crime in New Jersey



  • DO NOT USE Indians Abroad
  • World

app

Rajat Gupta files appeal to overturn insider trading conviction



  • DO NOT USE Indians Abroad
  • World

app

Plant systematics : an integrated approach / Gurcharan Singh

Singh, Gurcharan, 1945- author




app

Air pollution : concepts, theory, and applications / Christian Seigneur

Seigneur, Christian, 1952- author




app

Bacterial pathogenesis : a molecular approach / Brenda A. Wilson, Malcolm E. Winkler, Brian T. Ho

Wilson, Brenda A., author




app

Recent advances in coordination-driven polymeric gel materials: design and applications

Dalton Trans., 2020, Advance Article
DOI: 10.1039/D0DT00863J, Frontier
Papri Sutar, Tapas Kumar Maji
In this article, we reviewed recent advances in coordination-driven polymeric gels and highlighted their design and applications in various fields.
To cite this article before page numbers are assigned, use the DOI form of citation above.
The content of this RSS Feed (c) The Royal Society of Chemistry




app

A Review: Recent Advances in Preparations and Applications of Heteroatom-Doped Carbon Quantum Dots

Dalton Trans., 2020, Accepted Manuscript
DOI: 10.1039/D0DT01004A, Perspective
Xiaoli Kou, Shicui Jiang, Soo-Jin Park, Long-Yue Meng
Carbon quantum dots (CQDs) are widely used in optoelectronic catalysis, biological imaging, and ion probes owing to their low toxicity, stable photoluminescence, and ease of chemical modification. However, the low...
The content of this RSS Feed (c) The Royal Society of Chemistry




app

Regulatory counter-terrorism: a critical appraisal of proactive global governance / Nathanael Tilahun Ali

Dewey Library - KZ7220.A9565 2018




app

The 'ecosystem approach' in international environmental law: genealogy and biopolitics / Vito de Lucia

Dewey Library - K3585.D38 2019




app

Tallinn manual 2.0 on the international law applicable to cyber operations / prepared by the International Groups of Experts at the invitation of the NATO Cooperative Cyber Defence Centre of Excellence ; general editor, Michael N. Schmitt ; managing edit

Dewey Library - KZ6718.T35 2017




app

United States v. Apple: competition in America / Chris Sagers

Dewey Library - KF1627.S242 2019




app

Protected areas: a legal geography approach / Josephine Gillespie

Online Resource




app

Mergers in the global markets: a comparative approach to the competition and national security laws among the US, EU, and China / Felix I. Lessambo

Online Resource




app

Poetry 180: Poem 136 - "We Lived Happily During the War"

A poem by Ilya Kaminsky from the Library's Poetry 180 Project.




app

Poetry 180: Poem 148 - "Happiness"

A poem by Jane Kenyon from the Library's Poetry 180 Project.





app

Postdoctoral Researcher in Data Driven Prediction and Interpretation of Spectra, Applications in Climate Research: University of Oulu

£Attractive: University of Oulu
For more latest jobs and jobs in Finland visit brightrecruits.com