roll

Controlling wall–particle interactions with activity

Soft Matter, 2024, 20,8395-8406
DOI: 10.1039/D4SM00634H, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Luke Neville, Jens Eggers, Tanniemola B. Liverpool
The interaction between a disk and wall in an active nematic depends on a combination of activity and anchoring, with contractile nematics repelling disks with planar anchoring.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Mechanical characterization of freestanding lipid bilayers with temperature-controlled phase

Soft Matter, 2024, 20,8524-8537
DOI: 10.1039/D4SM00706A, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Arash Yahyazadeh Shourabi, Roland Kieffer, Djanick de Jong, Daniel Tam, Marie-Eve Aubin-Tam
Lipid membranes formed in a microfluidic device are studied with temperature-controlled optical tweezers, revealing how mechanical properties of ripple phase and gel-fluid phase-separated membranes change when heated above the transition temperature.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Rolling and ordering of micro rods in shear flow induced by rod wall interactions

Soft Matter, 2024, Advance Article
DOI: 10.1039/D4SM00999A, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Martin Wittmann, Igor M. Kulić, Antonio Stocco, Juliane Simmchen
We use experiments and theoretical models to investigate the rolling and translational motion of rod-shaped micro particles close to a solid wall in the presence or absence of shear flow.
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




roll

Extended kinetic theory applied to pressure-controlled shear flows of frictionless spheres between rigid, bumpy planes

Soft Matter, 2024, 20,8702-8715
DOI: 10.1039/D4SM00831F, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Dalila Vescovi, Astrid S. de Wijn, Graham L. W. Cross, Diego Berzi
We perform discrete simulations of steady, pressure-imposed, heterogeneous flows of frictionless spheres sheared between parallel bumpy planes, and use the results to test the predictions of the extended kinetic theory of granular gases.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Fibrotaxis: gradient-free, spontaneous and controllable droplet motion on soft solids

Soft Matter, 2024, Accepted Manuscript
DOI: 10.1039/D4SM01022A, Paper
Open Access
Sthavishtha Bhopalam, Jesus Bueno, Hector Gomez
Most passive droplet transport strategies rely on spatial variations of material properties to drive droplet motion, leading to gradient-based mechanisms with intrinsic length scales that limit the droplet velocity or...
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Beautiful Scrolling Experiences – Without Libraries

Michelle Barker appears as one of a heavenly host, coming forth with scroll in hand to pronounce an end to janky scrolljacking! Unto us a new specification is born, in the city of TimBL, and its name shall be called Scroll Snap.


Sponsor: Order any Standard paperback(s) and get a surprise gift card in the box for YOU. While supplies last, from your pals at A Book Apart!


One area where the web has traditionally lagged behind native platforms is the perceived “slickness” of the app experience. In part, this perception comes from the way the UI responds to user interactions – including the act of scrolling through content.

Faced with the limitations of the web platform, developers frequently reach for JavaScript libraries and frameworks to alter the experience of scrolling a web page – sometimes called “scroll-jacking” – not always a good thing if implemented without due consideration of the user experience. More libraries can also lead to page bloat, and drag down a site’s performance. But with the relatively new CSS Scroll Snap specification, we have the ability to control the scrolling behaviour of a web page (to a degree) using web standards – without resorting to heavy libraries. Let’s take a look at how.

Scroll Snap

A user can control the scroll position of a web page in a number of ways, such as using a mouse, touch gesture or arrow keys. In contrast to a linear scrolling experience, where the rate of scroll reflects the rate of the controller, the Scroll Snap specification enables a web page to snap to specific points as the user scrolls. For this, we need a fixed-height element to act as the scroll container, and the direct children of that element will determine the snap points. To demonstrate this, here is some example HTML, which consists of a <div> containing four <section> elements:

<div class="scroll-container">
  <section>
    <h2>Section 1</h2>
  </section>
  <section>
    <h2>Section 2</h2>
  </section>
  <section>
    <h2>Section 3</h2>
  </section>
  <section>
    <h2>Section 4</h2>
  </section>
</div>

Scroll snapping requires the presence of two main CSS properties: scroll-snap-type and scroll-snap-align. scroll-snap-type applies to the scroll container element, and takes two keyword values. It tells the browser:

  • The direction to snap
  • Whether snapping is mandatory

scroll-snap-align is applied to the child elements – in this case our <section>s.

We also need to set a fixed height on the scroll container, and set the relevant overflow property to scroll.

.scroll-container {
  height: 100vh;
  overflow-y: scroll;
  scroll-snap-type: y mandatory;
}

section {
  height: 100vh;
  scroll-snap-align: center;
}

In the above example, I’m setting the direction in the scroll-snap-type property to y to specify vertical snapping. The second value specifies that snapping is mandatory. This means that when the user stops scrolling their scroll position will always snap to the nearest snap point. The alternative value is proximity, which determines that the user’s scroll position will be snapped only if they stop scrolling in the proximity of a snap point. (It’s down to the browser to determine what it considers to be the proximity threshold.)

If you have content of indeterminate length, which might feasibly be larger than the height of the scroll container (in this case 100vh), then using a value of mandatory can cause some content to be hidden above or below the visible area, so is not recommended. But if you know that your content will always fit within the viewport, then mandatory can produce a more consistent user experience.

See the Pen Simple scroll-snap example by Michelle Barker (@michellebarker) on CodePen.

In this example I’m setting both the scroll container and each of the sections to a height of 100vh, which affects the scroll experience of the entire web page. But scroll snapping can also be implemented on smaller components too. Setting scroll snapping on the x-axis (or inline axis) can produce something like a carousel effect.

In this demo, you can scroll horizontally scroll through the sections:

See the Pen Carousel-style scroll-snap example by Michelle Barker (@michellebarker) on CodePen.

The Intersection Observer API

By implementing the CSS above, our web page already has a more native-like feel to it. To improve upon this further we could add some scroll-based transitions and animations. We’ll need to employ a bit of Javascript for this, using the Intersection Observer API. This allows us to create an observer that watches for elements intersecting with the viewport, triggering a callback function when this occurs. It is more efficient than libraries that rely on continuously listening for scroll events.

We can create an observer that watches for each of our scroll sections coming in and out of view:

const sections = [...document.querySelectorAll('section')]

const options = {
  rootMargin: '0px',
  threshold: 0.25
}

const callback = (entries) => {
  entries.forEach((entry) => {
    if (entry.intersectionRatio >= 0.25) {
      target.classList.add("is-visible");
    } else {
      target.classList.remove("is-visible");
    }
  })
}

const observer = new IntersectionObserver(callback, options)

sections.forEach((section, index) => {
  observer.observe(section)
})

In this example, a callback function is triggered whenever one of our sections intersects the container by 25% (using the threshold option). The callback adds a class of is-visible to the section if it is at least 25% in view when the intersection occurs (which will take effect when the element is coming into view), and removes it otherwise (when the element is moving out of view). Then we can add some CSS to transition in the content for each of those sections:

section .content {
  opacity: 0:
}

section.is-visible .content {
  opacity: 1;
  transition: opacity 1000ms:
}

This demo shows it in action:

See the Pen Scrolling with Intersection Observer by Michelle Barker (@michellebarker) on CodePen.

You could, of course, implement some much more fancy transition and animation effects in CSS or JS!

As an aside, it’s worth pointing out that, in practice, we shouldn’t be setting opacity: 0 as the default without considering the experience if JavaScript fails to load. In this case, the user would see no content at all! There are different ways to handle this: We could add a .no-js class to the body (which we remove on load with JS), and set default styles on it, or we could set the initial style (before transition) with JS instead of CSS.

Position: sticky

There’s one more CSS property that I think has the potential to aid the scroll experience, and that’s the position property. Unlike position: fixed, which locks the position of an element relative to the nearest relative ancestor and doesn’t change, position: sticky is more like a temporary lock. An element with a position value of sticky will become fixed only until it reaches the threshold of its parent, at which point it resumes relative positioning.

By “sticking” some elements within scroll sections we can give the impression of them being tied to the action of scrolling between sections. It’s pretty cool that we can instruct an element to respond to it’s position within a container with CSS alone!

Browser support and fallbacks

The scroll-snap-type and scroll-snap-align properties are fairly well-supported. The former requires a prefix for Edge and IE, and older versions of Safari do not support axis values. In newer versions of Safari it works quite well. Intersection Observer similarly has a good level of support, with the exception of IE.

By wrapping our scroll-related code in a feature query we can provide a regular scrolling experience as a fallback for users of older browsers, where accessing the content is most important. Browsers that do not support scroll-snap-type with an axis value would simply scroll as normal.

@supports (scroll-snap-type: y mandatory) {
  .scroll-container {
    height: 100vh;
    overflow-y: scroll;
    scroll-snap-type: y mandatory;
  }

  section {
    height: 100vh;
    scroll-snap-align: center;
  }
}

The above code would exclude MS Edge and IE, as they don’t support axis values. If you wanted to support them you could do so using a vendor prefix, and using @supports (scroll-snap-type: mandatory) instead.

Putting it all together

This demo combines all three of the effects discussed in this article.

Summary

Spending time on scroll-based styling might seem silly or frivolous to some. But I believe it’s an important part of positioning the web as a viable alternative to native applications, keeping it open and accessible. While these new CSS features don’t offer all of the control we might expect with a fully featured JS library, they have a major advantage: simplicity and reliability. By utilising web standards where possible, we can have the best of both worlds: Slick and eye-catching sites that satisfy clients’ expectations, with the added benefit of better performance for users.


About the author

Michelle is a Lead Front End Developer at Bristol web agency Atomic Smash, author of front-end blog CSS { In Real Life }, and a Mozilla Tech Speaker. She has written articles for CSS Tricks, Smashing Magazine, and Web Designer Magazine, to name a few. She enjoys experimenting with new CSS features and helping others learn about them.

More articles by Michelle




roll

Monsoon ball has been set rolling!

Expectations of a normal southwest monsoon for India are gaining ground




roll

Trolls: Pursuit of happiness

A moderately entertaining albeit predictable story in a novel universe




roll

Lewis acid-controlled Pd-catalyzed chemodivergent hydrocyanation of cyclopropenes

Org. Chem. Front., 2024, Advance Article
DOI: 10.1039/D4QO01609B, Research Article
Rongrong Yu, Song-Zhou Cai, Xianjie Fang
We report a Lewis acid-controlled Pd-catalyzed chemodivergent hydrocyanation of cyclopropenes. In the absence of Al Lewis acid, the reaction predominantly yields ring-opened allylic nitrile products while the addition of Lewis acid favors the formation of cyano-substituted cyclopropane products.
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




roll

Phosphine-controlled divergent reactions of MBH-carbonates with azaheptafulvenes: access to o-anilinyl diene and benzazepine derivatives

Org. Chem. Front., 2024, 11,6418-6425
DOI: 10.1039/D4QO01298D, Research Article
Wei Hao, Yiwen Zhang, Xiao Han, Zhen Wang, Weijun Yao
A phosphine controlled divergent cascade reaction of MBH-carbonates with azaheptafulvenes was disclosed. PPh3 provided o-aminophenyl diene while PCy3 offered benzazepine derivative through formal [8 + 3] annulation/ring contraction cascade.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Stereocontrolled synthesis of heterocycles from unactivated alkynes by photoredox/nickel dual-catalyzed cyclization

Org. Chem. Front., 2024, Advance Article
DOI: 10.1039/D4QO01627K, Research Article
Bo-Rong Leng, Feng Yang, Jin-Lian Bai, Yu-Wen Huang, Qing-Quan Liu, Ping Wei, De-Cai Wang, Yi-Long Zhu
We report a nickel/photoredox dual catalysis method for synthesizing heterocyclics from unactivated alkynes and aryl iodides, offering a direct, selective, and green alternative to traditional synthesis with potential in medicinal chemistry.
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




roll

Raid on hospitals in Hyderabad and Secunderabad leads to seizure of controlled drugs

The raiding teams found substances which are are classified as controlled drugs and their sale and possession are strictly regulated under the Narcotic Drugs and Psychotropic Substances (NDPS) Act




roll

Revolutionizing applications: the impact of controlled surface chemistry on marble powder

RSC Adv., 2024, 14,35727-35742
DOI: 10.1039/D4RA06342B, Review Article
Open Access
Ali Zia Noor, Sadia Bibi, Maryam Asrar, Muhammad Imran, Sadia Afzal, Sadiqa Abdal, Muhammad Atif
A large amount of marble powder is abundantly available as a byproduct and waste in the marble industry, and its reinforcement has been attempted in several applications through surface modification.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Developing Ni0.5Zn0.5Fe2O4 ferrite with controlled particle size and morphology through optimized processing conditions of low energy solid state reaction

RSC Adv., 2024, 14,36264-36272
DOI: 10.1039/D4RA07076C, Paper
Open Access
Sarah Baayyad, Fatima-Zahra Semlali, El Kébir Hlil, Tarik Mahfoud, Hassan El Moussaoui, Mounir El Achaby
Soft magnetic materials, like Ni0.5Zn0.5Fe2O4, require high temperatures and regulated environments for their manufacture and processing, which can be highly energy intensive.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Chhatisgarh rolls out red carpet for industries, will fund pilgrimage for the elderly  

Titled ‘New Industrial Policy 2024-30: Incentives for Industries’, the policy, announced after a cabinet meeting held in Nava Raipur, will come into force on November 1




roll

Unleash the Power of Scroll-Driven Animations

I’m utterly behind in learning about scroll-driven animations apart from the “reading progress bar” experiments all over CodePen. Well, I’m not exactly “green” on the topic; we’ve published a handful of articles on it including this neat-o one by Lee


Unleash the Power of Scroll-Driven Animations originally published on CSS-Tricks, which is part of the DigitalOcean family. You should get the newsletter.





roll

Working with MCA to roll out PM Internship Scheme: CII

The MCA has also launched a dedicated, user-centric portal for the scheme, which will serve as a centralised hub and a link between the companies and the aspiring interns




roll

Odisha government to roll out NEP 2020 in universities, colleges from 2024-25

The implementation of the NEP 2020 is aimed at bringing a sea change in the education system of the State




roll

An innovative CuxAg50−x/UiO66-NH2 photocatalyst prepared using a dual ship bottling strategy for photocatalytic CO2 reduction: controlled product selectivity and pathways

Energy Environ. Sci., 2024, 17,8228-8242
DOI: 10.1039/D4EE03103B, Paper
Lipeng Jiang, Dengqian Chen, Zhengkai Hao, Dongxue Cao, Runqiao Liu, Jingyu Cheng, Limei Chen, Xin Liu, Boyin Jia, Dongdong Liu
This study proposed a “dual ship bottling” strategy to synthesize CuxAg50−x/UiO66-NH2, achieving over 90% selectivity for reduced carbon products.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Rolling out a red carpet to garden birds

They are also the friendliest and are not afraid to share space with humans




roll

Lacticaseibacillus paracasei 207-27 alters the microbiota–gut–brain axis to improve wearable device-measured sleep duration in healthy adults: a randomized, double-blind, placebo-controlled trial

Food Funct., 2024, 15,10732-10745
DOI: 10.1039/D4FO01684J, Paper
Open Access
Jinxing Li, Jincheng Zhao, Xiaolei Ze, Liang Li, Yapeng Li, Zhimo Zhou, Simou Wu, Wen Jia, Meixun Liu, Yun Li, Xi Shen, Fang He, Ruyue Cheng
Probiotics have been reported to exert beneficial effects on sleep through the gut–brain axis.
The content of this RSS Feed (c) The Royal Society of Chemistry





roll

Selectively controlled synthesis of diethyl carbonate and methyl ethyl carbonate via transesterification of dimethyl carbonate over a KATriz/Al2O3 catalyst

Catal. Sci. Technol., 2024, Advance Article
DOI: 10.1039/D4CY00979G, Paper
Open Access
Peixue Wang, Shimin Liu, Xinjiang Cui, Feng Shi
Effectively synthesis of methyl ethyl carbamate from dimethyl carbonate and ethanol using 14 wt% KATriz/Al2O3 in fixed bed mode.
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




roll

Enhancing HER rate over Pt-TiO2 nanoparticles under Controlled Periodic Illumination: Role of light modulation

Catal. Sci. Technol., 2024, Accepted Manuscript
DOI: 10.1039/D4CY00775A, Paper
Open Access
Ettore Bianco, Fabrizio Sordello, Francesco Pellegrino, Valter Maurino
In hydrogen production through water splitting, two reactions are involved: Hydrogen Evolution Reaction (HER) and Oxygen Evolution Reaction (OER), both with efficiency issues. In previous works, our group demonstrated the...
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Controlling TiO2 photocatalytic behaviour via perhydropolysilazane-derived SiO2 ultrathin shell

Nanoscale, 2024, Advance Article
DOI: 10.1039/D4NR03566F, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Darya Burak, Jae Hyun Han, Joon Soo Han, In Soo Kim, Md Abdur Rahman, Joel K. W. Yang, So-Hye Cho
PHPS was transformed via TiO2 photocatalytic properties into ultrathin SiO2 shells, passivating TiO2 activity while retaining its whiteness and high refractive index—perfect for cosmetics, paints, and optical coatings.
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




roll

pH controlled synthesis of end to end linked Au nanorod dimer in an aqueous solution for plasmon enhanced spectroscopic applications

Nanoscale, 2024, Accepted Manuscript
DOI: 10.1039/D4NR03235G, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Satyajit Patra, Shubhangi Sharma, Théo Minchella, Susmita Pradhan, Davy Gerard, Quanbo Jiang
End-to-end linked nanorod dimer nanogap antennas exhibit superior plasmonic enhancement compared to monomers due to the coupling of localized surface plasmon resonances (LSPR) of individual nanorods. However, controlling the assembly...
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Conduction band photonic trapping via band gap reversal of brookite quantum dots using controlled graphitization for tuning a multi-exciton photoswitchable high-performance semiconductor

Nanoscale, 2024, Accepted Manuscript
DOI: 10.1039/D4NR03616F, Paper
Sanjiv Sonkaria, Tae Woo Lee, Aniket Kumar, Soo-Kyung Hwang, Piotr Jablonski, Versha Khare
The photocatalytic competence of brookite relative to polymorphs anatase and rutile has generally been considered structurally and energetically unfavourable for reasons that remain largely unknown and unchallenged. Here, we demonstrate...
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Shape-controlled, water-assisted synthesis of 2D luminescent CsPb2Br5 perovskite microcrystals for highly responsive UV detectors

Nanoscale, 2024, Advance Article
DOI: 10.1039/D4NR03021D, Paper
Dipayan Ray, Ankush Saini, Ankit Kumar, Sumit Kumar, Monojit Bag, Prasenjit Kar
Water-assisted, growth-controlled synthesis of CsPb2Br5 microcrystals for fast responsive UV-detectors.
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




roll

Buttoned up & ready to roll!

Apple iPhone 16 Pro. With a dedicated Camera Control, upgraded main camera and longer battery life, you’ll be snapping away for quite some time






roll

The ancient history of the Egyptians, Carthaginians, Assyrians, Babylonians. Medes and Persians, Macedonians, and Grecians. / by Mr Rollin, Sometime Principal of the University of Paris, afterwards Professor of Eloquence in the Royal College, and Member o

Edinburgh : Printed for Hamilton and Balfour, Kincaid and Donaldson, and W. Gray., MDCCLVIII. [1758]




roll

Google rolls out iOS 16 lock screen widgets

Google has new widgets for Gmail and Google News app on iOS 16 



  • Mobiles &amp; Tablets

roll

WhatsApp rolls out customised lists for organising chats

WhatsApp users said that they could start organising their chat messages with the help of custom lists




roll

Today’s top tech news: Apple’s labour challenges; Russian trolls target U.S. elections; Microsoft’s AI users in India




roll

Controlling CAR-T: How scientists plan to make the engineered T cell therapy safer, and work for more cancers

CAR T-cell therapy works wonders for some cancer patients. For others, it is a death sentence. To make the revolutionary therapy work for more people, scientists must devise better ways to control it




roll

The good times keep rolling in pharmaceutical chemicals

Exhibitors at CPhI North America report another year of record growth and investment




roll

EPA gears up for controlling poly- and perfluorochemical pollution

Agency plans legal limit on four PFASs in drinking water, creating liability for PFOS and PFOA contamination




roll

A U.K. option for a controlled substance

TPI Enterprises, an Australian poppy processor, enters the restrictive British codeine market via a contract with Sterling Pharma Solutions




roll

Calculations suggest flea and tick medications for pets could benefit people by controlling mosquitoes

These drugs could have beneficial population-wide effects in areas at risk for malaria and Zika, according to modeling study




roll

Rolls-Royce Cullinan is truly a work of art

The Cullinan's exterior is completely customisable, and hence you get to choose exactly how your it should look.The hand-built interior offers immaculate precision and makes you feel exclusive, as every Rolls-Royce does.Driving this vehicle is a breeze, and the gearbox functions like it does not exist.



  • Rolls-Royce Cullinan
  • SUV

roll

Audi rolls out Rs 1.94-crore RS 7 Sportback

The new RS 7 Sportback is expected to give competition to the likes of Mercedes-AMG E 63 S and the BMW M5.




roll

Force rolls out Gurka 2021 with all-new features

The Gurkha 2021 is built on a ground-up modular architecture platform with an all-new wider and longer body, full new interiors, a new crash-compliant, high-strength chassis, new coil spring suspension on all four wheels fine-tuned to achieve the right balance and offer the best in class ride quality on multiple surfaces -- tarmac, rough rural roads and off the road, the Pune-based company said.




roll

Green and controllable synthesis of symmetrical and unsymmetrical difluoromethylated diarylmethanes via a direct bisarylation strategy enabled by an HFIP–B(C6F5)3 adduct

Green Chem., 2024, 26,10969-10974
DOI: 10.1039/D4GC03917C, Paper
Xindi Li, Yiping Zhu, Zhina Gong, Jinshan Li, Jialin Xie, Zhendong Zhao, Jianwei Li, Chunman Jia
An efficient and environmentally friendly for the synthesis of symmetrical and unsymmetrical difluoromethylated diarylmethanes via direct bisarylation of difluoroacetaldehyde hemiacetal with aniline enabled by HFIP–B(C6F5)3 adduct is described.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Controllable tertiary amine-promoted photoactivation metal-free carbonylation of aryl sulfonium salts to aryl carboxylic acid derivatives

Green Chem., 2024, Advance Article
DOI: 10.1039/D4GC04502E, Paper
Open Access
  This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.
Jiajun Zhang, Le-Cheng Wang, Yuanrui Wang, Xiao-Feng Wu
This paper describes a new method for the activation of aryl radicals via EDA complexes without metals and photosensitizers for carbonylation with various nucleophilic reagents under visible light.
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




roll

Substrate-controlled regioselective hydrophosphorylation of allenes to enable photocatalytic synthesis of alkenylphosphoryl compounds

Green Chem., 2024, 26,11272-11279
DOI: 10.1039/D4GC03588G, Paper
Tian-Ming Yang, Xin-Lu Fan, Wei Shi, Xuefei Zhao, Xu-Hong Hu
A visible-light-induced hydrophosphorylation of allenes with H-phosphine oxides is demonstrated to give a diverse range of alkenylphosphoryl compounds in a highly stereoselective and regioselective manner.
The content of this RSS Feed (c) The Royal Society of Chemistry




roll

Dia Mirza on droughts, trolls




roll

On a rock and raga roll

Is that the GoT theme song being played on the sitar? Or, the Indian classical version of ‘I’ll be there for you’? NAVEENA VIJAYAN traces the trend of lending Indian flavour to popular Western music




roll

Lamborghini rolls out new Huracan Spyder at Rs 3.89 crore