flexible

Chain stretching in brushes favors sequence recognition for nucleobase-functionalized flexible precise oligomers

Soft Matter, 2024, 20,8303-8311
DOI: 10.1039/D4SM00866A, Paper
Kseniia Grafskaia, Qian Qin, Jie Li, Delphine Magnin, David Dellemme, Mathieu Surin, Karine Glinel, Alain M. Jonas
Flexible oligomers having precise sequences of nucleobases do not specifically recognize surface-grafted target chains at low grafting density. Moderately higher grafting densities promote sequence-specific recognition thanks to chain stretching.
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

Influence of counterion type on the scattering of a semiflexible polyelectrolyte

Soft Matter, 2024, 20,8610-8620
DOI: 10.1039/D4SM00874J, Paper
Open Access
Anish Gulati, Jack F. Douglas, Olga Matsarskaia, Carlos G. Lopez
Understanding the influence of counterion and backbone solvation on the conformational and thermodynamic properties of polyelectrolytes in solution is one of the main open challenges in polyelectrolyte science.
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

Flexible Captioned Slanted Images

Eric Meyer gift wraps the most awkwardly shaped of boxes using nothing but CSS, HTML and a little curl of ribbon. No matter how well you plan and how much paper you have at your disposal, sometimes you just need to slant the gift to the side.


We have a lot of new layout tools at our disposal these days—flexbox is finally stable and interoperable, and Grid very much the same, with both technologies having well over 90% support coverage. In that light, we might think there’s no place for old tricks like negative margins, but I recently discovered otherwise.

Over at An Event Apart, we’ve been updating some of our landing pages, and our designer thought it would be interesting to have slanted images of speakers at the tops of pages. The end result looks like this.

The interesting part is the images. I wanted to set up a structure like the following, so that it will be easy to change speakers from time to time while preserving accessible content structures:

<div id="page-top">
  <ul class="monoliths">
    <li>
      <a href="https://aneventapart.com/speakers/rachel-andrew"> 
        <img src="/img/rachel-andrew.jpg" alt=""> 
        <div> 
          <strong>Rachel Andrew</strong> CSS Grid 
        </div> 
      </a>
    </li>
    <li>
      <a href="https://aneventapart.com/speakers/derek-featherstone"> 
        <img src="/img/derek-featherstone.jpg" alt=""> 
        <div> 
          <strong>Derek Featherstone</strong> Accessibility 
        </div> 
      </a>
    </li>
    <li>
      …
    </li>
    <li>
      …
    </li>
  </ul>
</div>

The id value for the div is straightforward enough, and I called the ul element monoliths because it reminded me of the memorial monoliths at the entrance to EPCOT in Florida. I’m also taking advantage of the now-ubiquitous ability to wrap multiple elements, including block elements, in a hyperlink. That way I can shove the image and text structures in there, and make the entire image and text below it one link.

Structure is easy, though. Can we make that layout fully responsive? I wondered. Yes we can. Here’s the target layout, stripped of the navbar and promo copy.

So let’s start from the beginning. The div gets some color and text styling, and the monoliths list is set to flex. The images are in a single line, after all, and I want them to be flexible for responsive reasons, so flexbox is 100% the right tool for this particular job.

#page-top { 
  background: #000; 
  color: #FFF; 
  line-height: 1; 
} 
#page-top .monoliths { 
  display: flex; 
  padding-bottom: 1em; 
  overflow: hidden; 
}

I also figured, let’s give the images a simple basis for sizing, and set up the hyperlink while we’re at it.

#page-top .monoliths li { 
  width: 25%; 
} 
#page-top .monoliths a { 
  color: inherit; 
  text-decoration: inherit; 
  display: block; 
  padding: 1px; 
}

So now the list items are 25% wide—I can say that because I know there will be four of them—and the links pick up the foreground color from their parent element. They’re also set to generate a block box.

At this point, I could concentrate on the images. They need to be as wide as their parent element, but no wider, and also match height. While I was at it, I figured I’d create a little bit of space above and below the captioning text, and make the strong elements containing speakers’ names generate a block box.

#page-top .monoliths img { 
  display: block; 
  height: 33rem; 
  width: 100%; 
} 
#page-top .monoliths div { 
  padding: 0.5em 0; 
} 
#page-top .monoliths strong { 
  display: block; 
  font-weight: 900; 
}

It looks like the speakers were all cast into the Phantom Zone or something, so that needs to be fixed. I can’t physically crop the images to be the “correct” size, because there is no correct size: this needs to work across all screen widths. So rather than try to swap carefully-sized images in and out at various breakpoints, or complicate the structure with a wrapper element set to suppress overflow of resized images, I turned to object-fit.

#page-top .monoliths img { 
  display: block; 
  height: 33rem; 
  width: 100%; 
  object-fit: cover; 
  object-position: 50% 20%; 
}

If you’ve never used object-fit, it’s a bit like background-size. You can use it to resize image content within the image’s element box without creating distortions. Here, I set the fit sizing to cover, which means all of the img element’s element box will be covered by image content. In this case, it’s like zooming in on the image content. I also set a zooming origin with object-position, figuring that 50% across and 20% down would be in the vicinity of a speaker’s face, given the way pictures of people are usually taken.

This is fairly presentable as-is—a little basic, perhaps, but it would be fine to layer the navbar and promo copy back over it with Grid or whatever, and call it a day. But it’s too square and boxy. We must go further!

To make that happen, I’m going to take out the third and fourth images temporarily, so we can see more clearly how the next part works. That will leave us with Rachel and Derek.

The idea here is to clip the images to be slanted, and then pull them close to each other so they have just a little space between them. The first part is managed with clip-path, but we don’t want to pull the images together unless their shapes are being clipped. So we set up a feature query.

@supports (clip-path: polygon(0 0)) or (-webkit-clip-path: polygon(0 0)) { 
  #page-top .monoliths li { 
    width: 37.5%; 
  } 
}

I decided to test for both the un-prefixed and WebKit-prefixed versions of clip-path because Safari still requires the prefix, and I couldn’t think of a good reason to penalize Safari’s users for the slowness of its standards advancement. Then I made the images wider, taking them from 25% to 37.5%, which makes them half again as wide.

Thanks to object fitting, the images don’t distort when I change their parent’s width; they just get wider and scale up the contents to fit. And now, it is time for clipping!

@supports (clip-path: polygon(0 0)) or (-webkit-clip-path: polygon(0 0)) { 
  #page-top .monoliths li { 
    width: 37.5%; 
    -webkit-clip-path: polygon(25% 0, 100% 0, 75% 100%, 0 100%); 
    clip-path: polygon(25% 0, 100% 0, 75% 100%, 0 100%); 
  } 
}

Each coordinate pair in the polygon() is like the position pairs in background-position or object-position: the horizontal distance first, followed by the vertical distance. So the first point in the polygon is 25% 0, which is 25% of the way across the element box, and no distance down, so right at the top edge. 100% 0 is the top right corner. 75% 100% is on the bottom edge, three-quarters of the way across the element, and 0 100% is the bottom left corner. That creates a polygon that’s a strip three-quarters the full width of the element box, and runs from bottom left to top right.

Now we just have to pull them together, and this is where old tricks come back into play: all we need is a negative right margin to bring them closer together.

#page-top .monoliths li { 
  width: 37.5%; 
  margin-right: -7.5%; 
  -webkit-clip-path: polygon(25% 0, 100% 0, 75% 100%, 0 100%); 
  clip-path: polygon(25% 0, 100% 0, 75% 100%, 0 100%); 
}

The separation between them is a little wider than we were originally aiming for, but let’s see what happens when we add the other two images back in and let flexbox do its resizing magic.

Notice how the slants actually change shape as the screen gets narrower or wider. This is because they’re still three-quarters the width of the image element’s box, but the width of that box is changing as the screen width changes. That means at narrow widths, the slant is much steeper, whereas at wide widths, the slant is more shallow. But since the clipping path’s coordinates were all set with percentage distances, they all stay parallel to each other while being completely responsive to changes in screen size. An absolute measure like pixels would have failed.

But how did the images get closer together just by adding in two more? Because the list items’ basic sizing added up to more than 100%, and they’re all set to flex-shrink: 1. No, you didn’t miss a line in the CSS: 1 is the default value for flex-shrink. Flex items will shrink by default, which after all is what we should expect from a flexible element. If you want to know how much they shrunk, and why, here’s what Firefox’s flex inspector reports.

When there were only two list items, there was space enough for both to be at their base size, with no shrinkage. Once we went to four list items, there wasn’t enough space, so they all shrank down. At that point, having a negative right margin of -7.5% was just right to pull them together to act as a unit.

So, now they’re all nicely nestled together, and fully responsive! The captions need a little work, though. Notice how they’re clipped off a bit on the left edge, and can be very much clipped off on the right side at narrower screen widths? This happens because the li elements are being clipped, and that clipping applies to all their contents, images and text alike. And we can’t use overflow to alter this: clipped is clipped, not overflowed.

Fortunately, all we really need to do is push the text over a small amount. Inside the feature query, I added:

#page-top .monoliths div { 
  padding-left: 2%;
  padding-right: 26%; 
}

This shifts the text just a bit rightward, enough to clear the clip path. On the right side, I padded the div boxes so their contents wouldn’t fall outside the clipped area and appear to slide under the next caption. We could also use margins here, but I didn’t for reasons I’ll make clear at the end.

At the last minute, I decided to make the text at least appear to follow the slants of the images. For that, I just needed to shift the first line over a bit, which I did with a bit more padding.

#page-top .monoliths strong { 
  padding-left: 1%; 
}

That’s all to the good, but you may have noticed the captions still overlap at really narrow screen widths. There are a lot of options here, from stacking the images atop one another to reverting to normal flow, but I decided to just hide the captions if things got too narrow. It reduces clutter without sacrificing too much in the way of content, and by leaving them still technically visible, they seem to remain accessible.

@media (max-width: 35rem) { 
  #page-top .monoliths div { 
    opacity: 0.01 
  } 
}

And that, as they say, is that! Fully responsive slanted images with text, in an accessible markup structure. I dig it.

I did fiddle around with the separations a bit, and found that a nice thin separator occurred around margin-right: -8%, whereas beefier ones could be found above -7%. And if you crank the negative margin value to something beyond -8%, you’ll make the images overlap entirely, no visible separation—which can be a useful effect in its own right.

I promised to say why I used padding for the caption text div rather than margins. Here’s why.

#page-top .monoliths div { 
  padding-left: 3%; 
  padding-right: 26%; 
  border-top: 2px solid transparent; 
  background: linear-gradient(100deg,hsl(292deg,50%,50%) 50%, transparent 85%); 
  background-clip: padding-box; 
}

It required a wee bit more padding on the left to look decent, and an alteration to the background clipping box in order to keep the purple from filling the transparent border area, but the end result is pretty nifty, if I do say so myself. Alternatively, we could drop the background gradient on the captions and put one in the background, with a result like this.

I have no doubt this technique could be extended, made more powerful, and generally improved upon. I really wished for subgrid support in Chrome, so that I could put everything on a grid without having to tear the markup structure apart, and there are doubtless even more interesting clipping paths and layout patterns to try out.

I hope these few ideas spark some much better ideas in you, and that you’ll share them with us!


About the author

Eric A. Meyer (@meyerweb) has been a burger flipper, a college webmaster, an early blogger, one of the original CSS Samurai, a member of the CSS Working Group, a consultant and trainer, and a Standards Evangelist for Netscape. Among other things, Eric co-wrote Design For Real Life with Sara Wachter-Boettcher for A Book Apart and CSS: The Definitive Guide with Estelle Weyl for O’Reilly, created the first official W3C test suite, assisted in the creation of microformats, and co-founded An Event Apart with Jeffrey Zeldman. Eric lives with his family in Cleveland, Ohio, which is a much nicer city than you’ve probably heard. He enjoys a good meal whenever he can and considers almost every form of music to be worthwhile.

More articles by Eric




flexible

Editorial. Flexible norms will make rights issues attractive

The current norms are too onerous




flexible

PIFA-Mediated cyclization of methyl(2-(1-phenylvinyl)phenyl)sulfane for the concise, flexible, and scalable de novo synthesis of C3-arylated benzo[b]thiophenes

Org. Chem. Front., 2024, Accepted Manuscript
DOI: 10.1039/D4QO01589D, Research Article
Xinya Liu, Olivier Provot, Christine Tran, Jean-Francois Soule, Abdallah Hamze
The well-decorated arylated benzo[b]thiophene scaffold is a pivotal structural motif with diverse applications in medicinal chemistry. This paper outlines a de novo synthesis of C3-arylated benzo[b]thiophenes, showcasing its flexibility and...
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

Multimodal integrated flexible neural probe for in situ monitoring of EEG and lactic acid

RSC Adv., 2024, 14,35520-35528
DOI: 10.1039/D4RA06336H, Paper
Open Access
Luxi Zhang, Jie Xia, Boyu Li, Zhen Cao, Shurong Dong
In physiological activities, the brain's electroencephalogram (EEG) signal and chemical concentration change are crucial for diagnosing and treating neurological disorders.
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

Tim Brown: Flexible Typesetting is now yours, for free

Another title from A Book Apart has been re-released for free. The latest? Tim Brown's Flexible Typesetting. I may not be the utmost expert on typography and its best practices but I do remember reading this book (it's still on the shelf next to me!) thinking maybe, just maybe, I might be able to hold a conversation about it with Robin when I finished it.


Tim Brown: Flexible Typesetting is now yours, for free originally published on CSS-Tricks, which is part of the DigitalOcean family. You should get the newsletter.




flexible

Flexible spacer-block multi-component copolymerized donors enable resilient organic solar cells with over 40% crack-onset strain

Energy Environ. Sci., 2024, Advance Article
DOI: 10.1039/D4EE04208E, Paper
Congqi Lin, Zhenyu Chen, Ruixiang Peng, Wei Song, Jiangwei Gao, Xueliang Yu, Tingting Feng, Yongqi Bai, Ziyi Ge
A series of novel block donors were synthesized, achieving excellent PCE of 19.57% in rigid OSCs and 18.03% in f-OSCs, along with an outstanding crack-onset strain value of 40.29%.
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




flexible

A thermal evaporation–trapping strategy to synthesize flexible and robust oxygen electrocatalysts for rechargeable zinc–air batteries

Energy Environ. Sci., 2024, Advance Article
DOI: 10.1039/D4EE03005B, Paper
Hong-Bo Zhang, Yu Meng, Lingzhe Fang, Fei Yang, Shangqian Zhu, Tao Li, Xiaohua Yu, Ju Rong, Weiwei Chen, Dong Su, Yi Mei, Peng-Xiang Hou, Chang Liu, Minhua Shao, Jin-Cheng Li
A thermal evaporation–trapping strategy is developed to fabricate a flexible N-doped carbon fiber cloth loaded with both CoFe-oxide nanoparticles and atomic Co/Fe–Nx sites, showing outstanding oxygen electrocatalytic performance.
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




flexible

Hydrogel electrolytes with an electron/ion dual regulation mechanism for highly reversible flexible zinc batteries

Energy Environ. Sci., 2024, 17,8570-8581
DOI: 10.1039/D4EE03067B, Paper
Fusheng Luo, Song Yang, Qing Wu, Yue Li, Jinlong Zhang, Yanhui Zhang, Jun Huang, Haibo Xie, Yiwang Chen
The unique electron/ion dual regulation mechanism is established in the well-designed hydrogel electrolyte by integrating polyacrylamide network and carboxylated multi-walled carbon nanotubes for high performance flexible ZIBs.
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

Fabrication and evaluation of a flexible antenna device composed of a compatible iron-oxide clay in a PDMS graphene matrix

React. Chem. Eng., 2024, 9,901-909
DOI: 10.1039/D2RE00352J, Paper
Ameen Abdelrahman, Fouad Erchiqui, Mourad Nedil
We create a flexible and robust conductive polymer composite based on iron oxide and a thin film of clay doped with graphene nanoparticles, and test its application as a wearable device for underground workers.
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

IBzH (IBenzhydryl): Sterically-Flexible N-Aliphatic N-Heterocyclic Carbenes (NHC) for Iron-Catalyzed C(sp3)–C(sp2) Cross-Coupling of Unactivated Haloalkanes

Catal. Sci. Technol., 2024, Accepted Manuscript
DOI: 10.1039/D4CY01315H, Communication
Marlena Kardela, Błażej Dziuk, Roman Szostak, Michal Szostak, Elwira Bisz
Iron-catalyzed cross-coupling has emerged as a pivotal concept for the synthesis of valuable products across various facets of chemical research, including pharmaceuticals, organic materials and biological probes. In this respect,...
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

Ni,S co-doped Cu dendrites decorated with core–shell architecture assisted by MOF and Fe0.92Co0.08S nanoflakes on nanocellulose/graphene fibers for fabrication of flexible wire-type micro-supercapacitor

Nanoscale, 2024, 16,20260-20279
DOI: 10.1039/D4NR02283A, Paper
Leila Naderi, Saeed Shahrokhian
A flexible 1D micro-SC was fabricated based on a multidimensional nanoarchitecture derived from MOF on foam-like microwires and FeCoS nanoflakes on nanocellulose/graphene fibers and exhibited high energy storage capability.
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

High sensing performance flexible nanocomposite sensor with a hybrid nanostructure constructed via nanoscale confined motion of nanofibers and nanoplatelets

Nanoscale, 2024, 16,20288-20303
DOI: 10.1039/D4NR02541E, Paper
Zhenghui Xie, Feiran Meng, Junlong Yang, Yuhong Wang, Chul B. Park, Pengjian Gong, Guangxian Li
Hybrid 1D nanofiber/2D nanoplatelet nanocomposite foam sensor and Monte-Carlo modelling of complex 1D/2D sensing nanostructure.
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

Advances in Flexible Ionic Thermal Sensors: Present and Perspectives

Nanoscale, 2024, Accepted Manuscript
DOI: 10.1039/D4NR03423F, Review Article
Zehao Zhao, Yun Shen, Run Hu, Dongyan Xu
Ionic thermal sensors (ITSs) represent a promising frontier in sensing technology, offering unique advantages over conventional electronic sensors. Comprising a polymer matrix and electrolyte, these sensors possess inherent flexibility, stretchability,...
The content of this RSS Feed (c) The Royal Society of Chemistry




flexible

Highly stable and ultra-fast vibration-responsive flexible iontronic sensors for accurate acoustic signal recognition

Nanoscale, 2024, Advance Article
DOI: 10.1039/D4NR03370A, Paper
Yan Wang, Weiqiang Liao, Xikai Yang, Kexin Wang, Shengpeng Yuan, Dan Liu, Cheng Liu, Shiman Yang, Li Wang
A wearable acoustic vibration pressure sensor was developed based on an interfacial-enhanced iontronic dielectric and integrated with an acoustic recognition system using a deep learning classifier.
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




flexible

Flexible employment for homemakers is gaining ground in corporate India




flexible

Flexible, and caring for the environment

A look at the some of the architectural creations that related to location and culture, and won awards as well.




flexible

A crop of new-age schools in India now boasts of seamless designs, flexible furniture, and collaborative spaces

Meet the Indian designers doing away with cramped classrooms and dull walls and prioritising schools with flexible furniture, collaborative spaces, and interactive elements




flexible

Eversheds' HR e-briefing 507: Flexible parental leave, working time, equal pay and flexible working - more changes afoot

Today, a consultation has been launched on government plans to: Full Article



flexible

Namdinator – automatic molecular dynamics flexible fitting of structural models into cryo-EM and crystallography experimental maps

Model building into experimental maps is a key element of structural biology, but can be both time consuming and error prone for low-resolution maps. Here we present Namdinator, an easy-to-use tool that enables the user to run a molecular dynamics flexible fitting simulation followed by real-space refinement in an automated manner through a pipeline system. Namdinator will modify an atomic model to fit within cryo-EM or crystallography density maps, and can be used advantageously for both the initial fitting of models, and for a geometrical optimization step to correct outliers, clashes and other model problems. We have benchmarked Namdinator against 39 deposited cryo-EM models and maps, and observe model improvements in 34 of these cases (87%). Clashes between atoms were reduced, and the model-to-map fit and overall model geometry were improved, in several cases substantially. We show that Namdinator is able to model large-scale conformational changes compared to the starting model. Namdinator is a fast and easy tool for structural model builders at all skill levels. Namdinator is available as a web service (https://namdinator.au.dk), or it can be run locally as a command-line tool.




flexible

Flexible workflows for on-the-fly electron-microscopy single-particle image processing using Scipion

Electron microscopy of macromolecular structures is an approach that is in increasing demand in the field of structural biology. The automation of image acquisition has greatly increased the potential throughput of electron microscopy. Here, the focus is on the possibilities in Scipion to implement flexible and robust image-processing workflows that allow the electron-microscope operator and the user to monitor the quality of image acquisition, assessing very simple acquisition measures or obtaining a first estimate of the initial volume, or the data resolution and heterogeneity, without any need for programming skills. These workflows can implement intelligent automatic decisions and they can warn the user of possible acquisition failures. These concepts are illustrated by analysis of the well known 2.2 Å resolution β-galactosidase data set.




flexible

Significant texture improvement in single-crystalline-like materials on low-cost flexible metal foils through growth of silver thin films

Single-crystalline-like thin films composed of crystallographically aligned grains are a new prototype of 2D materials developed recently for low-cost and high-performance flexible electronics as well as second-generation high-temperature superconductors. In this work, significant texture improvement in single-crystalline-like materials is achieved through growth of a 330 nm-thick silver layer.




flexible

Odd anatomy: flexible joint between skull and spine allow dragonfish to open wide

Food is scarce in the deep, dark regions of the ocean where barbeled dragonfishes and their relatives dwell. Known as the Stomiidae, some of these […]

The post Odd anatomy: flexible joint between skull and spine allow dragonfish to open wide appeared first on Smithsonian Insider.




flexible

Human Evolution Rewritten: We owe our existence to our ancestor’s flexible response to climate change

Many traits unique to humans were long thought to have originated in the genus Homo between 2.4 and 1.8 million years ago in Africa. A […]

The post Human Evolution Rewritten: We owe our existence to our ancestor’s flexible response to climate change appeared first on Smithsonian Insider.




flexible

Rigid yet flexible: Anatomy of woody vines has its grip on botanist Marcelo Pace

What might lure someone away from the sunny beaches and lush forests of Brazil to the concrete jungle of Washington, D.C.? For wood anatomist Marcelo […]

The post Rigid yet flexible: Anatomy of woody vines has its grip on botanist Marcelo Pace appeared first on Smithsonian Insider.




flexible

Graphene has potential for use in flexible batteries

Researchers have shown that graphene paper can be used to construct flexible and rechargeable batteries, which may even perform better than non-flexible batteries. These might be used in a range of portable, bendable and rollable devices and could also help develop new energy generation technology, such as flexible solar cells.




flexible

Flexible management better for coexistence of GM and non-GM crops

Flexible measures, such as pollen barriers, for regulating the cultivation of GM and non-GM crops in the same landscape are more likely to encourage the adoption of GM technology by farmers than rigid measures, such as isolation distances, according to a recent study.




flexible

Create flexible, adaptable cloud services with BT Cloud Compute

Cloud Compute is our latest cloud based data centre service allowing you to self-service and access cloud based infrastructure globally.It's all about choice and flexibility, building the service you need as for long as you need it. Setting up infrastructure that perfectly aligned, faster than ever with near instant provisioning times across private and public availability zones.




flexible

​NTU scientists transform ultra-tough pollen into flexible material

...




flexible

​NTU scientists transform hard pollen into soft, flexible material

​Scientists from NTU have transformed pollen, known as the diamond of the plant kingdom for its toughness, into a soft, flexible material that could serve as a 'building block' for a new category of eco-friendly materials....




flexible

World&#39;s first flexible lithium ion battery engineered

A scientific team from South Korea has just created the first bendable lithium ion battery.



  • Gadgets & Electronics

flexible

Artsyl Technologies Partners with Jitterbit for Flexible ERP/ECM Integration

Leading mid-market intelligent process automation solution provider for back-office processes partners with Jitterbit to deliver more flexible, scalable ERP and ECM System integration to deliver end-to-end straight-through process automation




flexible

Smart Home Appliances for a Flexible Lifestyle

The most common term you might hear from experts these days is smart homes or automated homes. They represent living premises that are loaded with all comfort and ensure a better quality of life.




flexible

StormTank® Releases GroundPro™ GRS Flexible Permeable Grass Paver System

Leader in stormwater management solutions introduces new paver product that is setting the standard for ground stabilization and protection applications.




flexible

Online Algorithms to Schedule a Proportionate Flexible Flow Shop of Batching Machines. (arXiv:2005.03552v1 [cs.DS])

This paper is the first to consider online algorithms to schedule a proportionate flexible flow shop of batching machines (PFFB). The scheduling model is motivated by manufacturing processes of individualized medicaments, which are used in modern medicine to treat some serious illnesses. We provide two different online algorithms, proving also lower bounds for the offline problem to compute their competitive ratios. The first algorithm is an easy-to-implement, general local scheduling heuristic. It is 2-competitive for PFFBs with an arbitrary number of stages and for several natural scheduling objectives. We also show that for total/average flow time, no deterministic algorithm with better competitive ratio exists. For the special case with two stages and the makespan or total completion time objective, we describe an improved algorithm that achieves the best possible competitive ratio $varphi=frac{1+sqrt{5}}{2}$, the golden ratio. All our results also hold for proportionate (non-flexible) flow shops of batching machines (PFB) for which this is also the first paper to study online algorithms.




flexible

Process for the in situ production of polyether polyols based on renewable materials and their use in the production of flexible polyurethane foams

A polyether polyol based on renewable materials is obtained by the in situ production of a polyether from a hydroxyl group-containing vegetable oil, at least one alkylene oxide and a low molecular weight polyol having at least 2 hydroxyl groups. The polyol is produced by introducing the hydroxyl group-containing vegetable oil, a catalyst and an alkylene oxide to a reactor and initiating the alkoxylation reaction. After the alkoxylation reaction has begun but before the reaction has been 20% completed, the low molecular weight polyol having at least 2 hydroxyl groups is continuously introduced into the reactor. After the in situ made polyether polyol product having the desired molecular weight has been formed, the in situ made polyether polyol is removed from the reactor. These polyether polyols are particularly suitable for the production of flexible polyurethane foams.




flexible

Conjugated polymer composition for solar cell and flexible electronics applications

A polymer composition for solar cell and flexible electronics devices, where the polymer is a p-type conducting polymer. The p-type polymer comprises a benzothiadiazole acceptor and indeno-fluorene donor. Further, a solar cell and flexible electronic device article may be made from the polymer.




flexible

Holding body for flexible grinding device and grinding system

A holding body includes a fastening layer which has a fastening surface configured to fasten a flexible grinding device. The fastening layer includes an air- and dust-permeable material and is substantially full-surface. The fastening layer includes a textile material. The holding body also includes a supporting body which has a supporting surface configured to support a holding surface of the fastening layer. The supporting body is air- and dust-permeable and includes an open-cell foam. A grinding system includes such a holding body and such a flexible grinding device.




flexible

Pin driven flexible chamber abrading workholder

Flat-surfaced workpieces such as semiconductor wafers or sapphire disks are attached to a rotatable floating workpiece holder carrier that is supported by a pressurized-air flexible elastomer sealed air-chamber device and is rotationally driven by a lug-pin device. The rotating wafer carrier rotor is restrained by a set of idlers that are attached to a stationary housing to provide rigid support against abrading forces. The abrading system can be operated at the very high abrading speeds used in high speed flat lapping with raised-island abrasive disks. The range of abrading pressures is large and the device can provide a wide range of torque to rotate the workholder. Vacuum can also be applied to the elastomer chamber to quickly move the wafer away from the abrading surface. Internal constraints limit the axial, lateral and circumferential motion of the workholder. Wafers can be quickly attached to the workpiece carrier with vacuum.




flexible

Flexible coupling means and a mechanical transmission

A coupling means (10) provided with a first member (20) suitable for being fastened to a first rotary part (2) and with a second member (30) suitable for being fastened to a second rotary part (3), the first member (20) being provided with a first diaphragm (22) and the second member (30) being provided with a second diaphragm (32) that is secured to the first diaphragm (22). An emergency torque transmission device comprises at least one bayonet system including a protuberance (50) secured to one member (30) and co-operating with an angled groove (60) secured to the other member (20) by being inserted in the angled groove (60) by a thrust-and-rotation movement, in the absence of said breakage said coupling means (10) including both axial clearances in compression (70') and in translation (70″) and also circumferential clearance between each protuberance (50) and walls defining the corresponding angled groove (60).




flexible

Flexible shaft coupling and method of manufacturing the same

A flexible shaft coupling demonstrates a high performance in transmitting torque and accommodating positional deviations, and is yet highly durable. A first elastomer member (82) having a relatively high rubber hardness is circumferentially interposed between a first claw (32) of a first shaft coupling member (20) and a second claw (62) of a second shaft coupling member (50), and a second elastomer member (84, 86) having a lower rubber hardness than the first elastomer member is interposed between a surface portion (end surface) (30) of the first shaft coupling member (20) and the second claw (62) and/or between a surface portion (end surface) (60) of the second shaft coupling member (50) and the first claw (32).




flexible

Flexible glove holder used in the opening of a glove box

The flexible glove holder (1) includes a flat structure (13) with three branches (2, 3 and 4) forming an S-shape on which the glove is wound. The holder (1) is then pushed into the opening of the glove box. This rapid action method makes it possible to avoid knotting the gloves when they must be drawn toward the outside for an operation within the box and also allows the implementation of biological protection on the opening of the glove box as well as a protection of the agents against radiation.




flexible

Printed flexible film for food packaging

The printed image on a major face of a flexible food packaging film is covered by a shellac barrier coating.




flexible

Medium processing device and flexible cable

A medium processing device may include a head which reads or writes data to a recording medium; and a flexible cable which is connected with the head. The flexible cable may be formed in a multilayer structure including a data signal layer formed with a data signal pattern and disconnection detecting signal layers which cover a front face and a rear face of the data signal layer and are formed with a disconnection detecting signal pattern. The flexible cable may also include a terminal connecting part formed with a through hole into which a signal terminal of the head is inserted and a terminal covering part folded to cover the terminal connecting part and fixed to the terminal connecting part.




flexible

Flexible circuit board and method for manufacturing the same, and fuel cell using the flexible circuit board

There is provided a flexible circuit board capable of preventing corrosion and elution of a conductor layer constituting a current collector even under high-temperature and high-voltage working conditions while achieving sufficient electric connection with an MEA. A flexible circuit board having a current collector of a fuel cell provided thereon includes an insulating flexible base material 1, a plurality of openings 5 that supply fuel or air, the openings 5 being provided in a specified region so as to penetrate through the flexible base material 1 in a thickness direction, a plating film 6 that constitutes the current collector, the plating film 6 being formed on front and back surfaces of the flexible base material 1 in the specified region and on inner walls of the openings 5, a surface treatment film 9 formed on the plating film 6 and having corrosion resistance higher than that of the plating film.




flexible

Methods and apparatus for constructing a secure and flexible operating system

The present disclosure provides methods and apparatus for constructing a secure and flexible operating system. The presently disclosed system executes different user applications in different operating systems on different virtual machines. Each user application communicates with other processes via the hypertext transfer protocol (HTTP). In particular, each user application's user interface is implemented in a web browser that is running in its own operating system on its own virtual machine, and each user application interacts with the user interface by exchanging HTTP messages between the virtual machines.




flexible

Flexible harmonic waveguides/blades for surgical instruments

In one embodiment, a surgical instrument comprises an articulable harmonic waveguide. The articulable harmonic waveguide comprises a first drive section comprising a proximal end and a distal end. The proximal end of the first drive section may be configured to connect to an ultrasonic transducer. The articulable harmonic waveguide further comprises a first flexible waveguide coupled to the distal end of the first drive section. An end effector extends distally from the first flexible waveguide. The surgical instrument further comprises an articulation actuator to flex the first flexible waveguide.




flexible

Method of making flexible foaming member from recycled materials

The present invention provides a method of making a flexible foaming member from recycled material. The present invention relates to a production method to recycling wastes containing rubber, plastic and metal materials and pulverize them into scraps under normal temperatures, then roughly separate the various materials contained in the waste scraps into different layers based on the difference of specific gravity, and further take out the scraps of rubber and plastic materials with lower specific gravity from the waste scraps, then conduct multiple heating and pulverizations under different temperatures to produce composite-material scraps, and then using some composite-material scraps to mix flexible materials and foaming agents, then pressing the mixture into a plate-like foaming material, and conduct vulcanization and foam forming for the plates of foam material to become a elastic foam.




flexible

Flexible cartridge with precision adjustment

A tool cartridge for a material removal tool has a cartridge body with, among other things, a recess extending through at least a portion of the cartridge body from a first side toward a second side, a long axis of the recess non-parallel to a long axis of the cartridge body and at least a portion of the recess open to a bottom side of the cartridge body, and a threaded opening for a differential screw proximate a second end of the tool body and positioned longitudinally between an opening for a clamping screw and at least a portion of a seat for a cutting tool insert. A thread axis of the threaded opening is at an angle G relative to a long axis of the tool cartridge. A material removal tool, a tool, and a method of adjusting a cutting tool insert are also disclosed.