scale Scale-dependent sharpening of interfacial fluctuations in shape-based models of dense cellular sheets By pubs.rsc.org Published On :: Soft Matter, 2024, Accepted ManuscriptDOI: 10.1039/D4SM00804A, PaperHaicen Yue, Charles Packard, Daniel SussmanThe properties of tissue interfaces – between separate populations of cells, or between a group of cells and its environment – has attracted intense theoretical, computational, and experimental study. Recent...The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale A Modern Typographic Scale By 24ways.org Published On :: Thu, 19 Dec 2019 12:00:00 +0000 Rob Weychert reaches for the top notes to sing us a song of typographic scale. A little attention to scale and to the mathematics will help you to hit a high note with your designs this Christmas and beyond. I’ve been studying music theory this year. While some of its core concepts were already familiar to me, much of their specifics were not. Or so I thought. A funny thing happened when I was learning the major scales. While playing through a song I had written some years before, I started picking it apart to see how it correlated with the theory I was learning. I had composed the melody without any thought to what the specific notes were, but as I started to transcribe them, a pattern quickly emerged: all the B’s and E’s were flat and the rest of the notes were natural. Lo and behold, long before my music theory studies began, I had written a song in B♭ major. My ears already knew how the major scales worked even if my brain didn’t. (If you know how “do re mi fa so la ti do” is supposed to sound tonally, then your ears know, too.) When music is composed to a scale, it sounds “right” to us. And just as our ears appreciate harmony and melody with a rational basis, our eyes can appreciate the same concepts applied to spatial relationships. Have you ever struggled with sizing type in a design project, especially when you need more than just one or two sizes? Have you ever despaired at the number of ad-hoc type sizes on your site spiraling out of control over time? It could be that you’ve been composing the typographic equivalent of a cacophonous symphony. And the first thing any composer will tell you to do is to get that thing on a scale. Meet the typographic scale You don’t need to know music theory to work with a typographic scale. You only need to know that a scale is a range of values with an established mathematic relationship. For a typographic scale, that relationship is frequently a steady interval between type sizes. Depending on what you need your type to do, the interval might be fixed (e.g. each size is two pixels bigger than the size before it) or it might be proportional (e.g. each size is twice as big as the size before it). I personally rarely find fixed intervals useful, so I’ll be focusing on proportional intervals. The most important thing to understand about proportional intervals is thankfully not complicated: The bigger the intervals are, the more drastic the size differences will be in your scale. If your layout calls for contrast, a bigger interval might be the way to go. If you’re aiming for something more nuanced, go smaller. But keep these things in mind: There is such a thing as too much nuance: if a size on your scale is virtually indistinguishable from the sizes adjacent to it, it defeats the purpose of using a scale. On the flip side, too much contrast renders the sizes’ proportional relationship moot. At a certain point, massive display type is arguably more graphic than textual. More is less. The more sizes you use, the less they’ll mean. A small interval (left, 1.1) offers a smoother range of sizes; a large interval (right, 1.8) offers more contrast. Setting up the scale variables The quickest way to get a scale up and running when working on the web is to drop its values into some CSS variables. The naming convention I typically use begins with --scale0, which is the body text size. The size below it is --scale-1 (as in “scale minus one”), the size above it is --scale1, and so on. Keeping the names relative to each other like this helps me move around the scale intuitively as I use it. If, say, --scale4 isn’t big enough for my h1, I can move up to --scale5 or --scale6, and I always know exactly how many steps away from the body text I am. Here’s a first pass at a simple set of scale variables using an interval of 1.5: :root { --scale-2: 7.1px; /* 10.7 ÷ 1.5 */ --scale-1: 10.7px; /* 16 ÷ 1.5 */ --scale0: 16px; /* body text */ --scale1: 24px; /* 16 × 1.5 */ --scale2: 36px; /* 24 × 1.5 */ } I can use these variables with any CSS property that accepts a numeric value, like so: p { font-size: var(--scale0); } Rooting around in rems I’m off to a good start. However, those px values are a little too absolute for my liking. If I convert them to rems, it’ll give my scale more flexibility. rem stands for “root em.” 1rem is equivalent to the html element’s text size, which in most browsers defaults to 16px. Crucially, though, users can adjust that size in their browser settings, and using rems in my CSS will respect those preferences. :root { --scale-2: 0.4rem; /* 0.7rem ÷ 1.5 */ --scale-1: 0.7rem; /* 1rem ÷ 1.5 */ --scale0: 1rem; /* body text */ --scale1: 1.5rem; /* 1rem × 1.5 */ --scale2: 2.25rem; /* 1.5rem × 1.5 */ } Another benefit of the relative nature of rems: I tend to use larger text sizes on large viewports and smaller text sizes on small viewports. Rather than adjusting dozens or hundreds of typographic CSS declarations per breakpoint, I can shift the whole scale up or down merely by adjusting the font-size on the html element: html { font-size: 100%; } /* 1rem = 16px */ @media screen and (min-width: 25em) { html { font-size: 112.5%; } /* 1rem = 18px */ } Calculating with calc() My scale is coming along. Its variables’ intuitive names make it easy for me to use, and its rem values respect the user’s browser preferences and allow me to easily shift the size of the entire scale at different viewport sizes. But my setup still isn’t optimized for one very important adjustment: the interval, which is currently 1.5. If 1.5 isn’t quite working for me and I want to see how an increase or decrease will affect the scale, I need to do the math all over again for every step in the scale every time I adjust the interval. The bigger the scale, the more time that will take. It’s time to put down the abacus and get calc() involved. :root { --int: 1.5; --scale0: 1rem; --scale-1: calc(var(--scale0) / var(--int)); --scale-2: calc(var(--scale-1) / var(--int)); --scale1: calc(var(--scale0) * var(--int)); --scale2: calc(var(--scale1) * var(--int)); } My interval now has its very own variable, called --int. calc() determines each scale size by multiplying the preceding size by --int. Now that every size is ultimately dependent on --scale0’s value, --scale0 must appear first in the list. Since the sizes smaller than --scale0 are going down rather than up, their values require division rather than multiplication. Scaling the scale I can now quickly and easily tweak my scale’s interval by adjusting --int until the proportions are just right, but if I want to add more sizes to the scale, I need to add more variables and calc() values. This isn’t too big of a deal, but if I want to double or triple the number of sizes, it’s kind of a headache. Luckily, this is the sort of thing Sass is really good at. In the following code, adjusting the first four Sass variables at the top of :root will quickly spin up a set of CSS variables like the scale above, with any interval (proportional or fixed) and any number of scale sizes: :root { $interval: 1.5; // Unitless for proportional, unit for fixed $body-text: 1rem; // Must have a unit $scale-min: -2; // Unitless negative integer $scale-max: 2; // Unitless positive integer --int: #{$interval}; --scale0: #{$body-text}; @if $scale-min < 0 { // Generate scale variables smaller than the base text size @for $i from -1 through $scale-min { @if type-of($interval) == number { @if unitless($interval) { --scale#{$i}: calc(var(--scale#{$i + 1}) / var(--int)); } @else { --scale#{$i}: calc(var(--scale#{$i + 1}) - var(--int)); } } } } @if $scale-max > 0 { // Generate scale variables larger than the base text size @for $i from 1 through $scale-max { @if type-of($interval) == number { @if unitless($interval) { --scale#{$i}: calc(var(--scale#{$i - 1}) * var(--int)); } @else { --scale#{$i}: calc(var(--scale#{$i - 1}) + var(--int)); } } } } } Go forth and scale Typographic scales have been an indispensable part of my work for many years, and CSS variables and calc() make setup, adjustments, and experimentation easier than ever. I hope you find these techniques as useful as I do! About the author Rob Weychert is a Brooklyn-based designer. He helps shape the reading experience at ProPublica and has previously helped make books at A Book Apart, games at Harmonix, and websites at Happy Cog. In his free time, he obsesses over music and film. Despite all this, he is probably best known as a competitive air guitarist. More articles by Rob Full Article Design css
scale ‘Your life is more than just a number on a weighing scale’ By www.thehindu.com Published On :: Thu, 24 Mar 2016 17:01:23 +0530 At an event to launch her book Gain to Lose, Dr. Sheela Nambiar said weight training helped women lose weight and cope better with their myriad tasks Full Article Coimbatore
scale Editorial. Small-scale commercial nuclear reactors, the way forward By www.thehindubusinessline.com Published On :: Sun, 25 Aug 2024 21:19:20 +0530 It is increasingly being realised that achieving net-zero is not possible without nuclear energy Full Article Editorial
scale Editorial. Sort out FPO problems before trying to scale up By www.thehindubusinessline.com Published On :: Mon, 09 Sep 2024 21:08:15 +0530 The policy confusion over FPOs needs to be cleared Full Article Editorial
scale Carl Zeiss AG sets up maiden GCC in India; to scale up people front to 5,000 by 2027 By www.thehindu.com Published On :: Mon, 11 Nov 2024 23:03:12 +0530 Full Article Business
scale Construction of a zero-dimensional halide perovskite in micron scale towards a deeper understanding of phase transformation mechanism and fluorescence applications By pubs.rsc.org Published On :: RSC Adv., 2024, 14,35490-35497DOI: 10.1039/D4RA06404F, Paper Open Access   This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.Lili Xie, Haiyan Qiu, Yuxin Chen, Yingxue Lu, Yanyan Chen, Lanlan Chen, Shanwen HuA zero-dimensional halide perovskite in micron scale is constructed to gain a deeper understanding of phase transformation mechanism and better fluorescence applications.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale BODIPY dyes for optical limiting applications on the nanosecond timescale By pubs.rsc.org Published On :: Dalton Trans., 2024, 53,17766-17771DOI: 10.1039/D4DT02505A, FrontierJohn Mack, Gugu Kubheka, Aviwe May, Bokolombe P. Ngoy, Tebello NyokongRecent research at the Institute for Nanotechnology Innovation at Rhodes University exploring the utility of BODIPY and azaBODIPY dyes for optical limiting of incident nanosecond laser pulses in the visible region is described.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale Applicability of β-lactamase entrapped agarose discs for removal of doripenem antibiotic: reusability and scale-up studies By pubs.rsc.org Published On :: Environ. Sci.: Water Res. Technol., 2024, Advance ArticleDOI: 10.1039/D4EW00572D, PaperHuma Fatima, Amrik Bhattacharya, Sunil Kumar KhareSchematic diagram illustrating antibiotic removal via β-lactamase-entrapped agarose discs in a fixed-bed column bioreactor, highlighting the potential for scale-up.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 Full Article
scale Techno-economic assessment of different small-scale electrochemical NH3 production plants By pubs.rsc.org Published On :: Energy Environ. Sci., 2024, 17,7983-7998DOI: 10.1039/D4EE03299C, Analysis Open Access   This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.Boaz Izelaar, Mahinder Ramdin, Alexander Vlierboom, Mar Pérez-Fortes, Deanne van der Slikke, Asvin Sajeev Kumar, Wiebren de Jong, Fokko M. Mulder, Ruud KortleverElectrochemical ammonia synthesis holds promise for sustainable ammonia production. Here, we compare process models and techno-economic assessments for small scale electrochemical NH3 production plants to electrified and SMR Haber–Bosch processes.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale Unveiling nanoscale fluid miscible behaviors with nanofluidic slim-tube By pubs.rsc.org Published On :: Energy Environ. Sci., 2024, Advance ArticleDOI: 10.1039/D4EE02292K, PaperZengding Wang, Tianjiang Zhang, Shanchao Liu, Keli Ding, Tengyu Liu, Jun Yao, Hai Sun, Yongfei Yang, Lei Zhang, Wendong Wang, Cunqi Jia, Mojdeh Delshad, Kamy Sepehrnoori, Junjie ZhongWe developed a nanofluidic method to visualize fluid miscible behaviors in nanoscale and multiscale porous media. Nano-confinement reduces MMP, while multiscale structures increase MMP, unveiling distinct miscible stages.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 Full Article
scale A techno-economic study of photovoltaic-solid oxide electrolysis cell coupled magnesium hydride-based hydrogen storage and transportation toward large-scale applications of green hydrogen By pubs.rsc.org Published On :: Energy Environ. Sci., 2024, 17,8429-8456DOI: 10.1039/D4EE04224G, AnalysisXusheng Wang, Longfei Shao, Shouyi Hu, Zi Li, Hangzuo Guo, Jiaqi Zhang, Yingyan Zhao, Xi Lin, Binjian Nie, Zhigang Hu, Jianxin ZouIntegrating PV-SOEC for hydrogen production with MgH2-based storage and transportation holds significant potential in advancing the hydrogen supply chain.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale Deep ion mass transfer addressing the capacity shrink challenge of aqueous Zn‖MnO2 batteries during the cathode scaleup By pubs.rsc.org Published On :: Energy Environ. Sci., 2024, 17,8904-8914DOI: 10.1039/D4EE02871F, PaperNa Jiang, You Zeng, Qi Yang, Puda Lu, Keqi Qu, Lihang Ye, Xuejun Lu, Ziqiang Liu, Xixian Li, Yongchao Tang, Jinchao Cao, Shimou Chen, Chunyi Zhi, Jieshan QiuThis work shows that the introduction of interstitial carbon into the MnO2 lattice could reduce the affinity toward SO42− and OH−, thus suppressing the surface coverage of ZHS and improving the Zn||MnO2 battery performance under large loading mass.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale Experimental study of CO2 capture from air via steam-assisted temperature-vacuum swing adsorption with a compact kg-scale pilot unit By pubs.rsc.org Published On :: React. Chem. Eng., 2024, 9,910-924DOI: 10.1039/D3RE00460K, Paper Open Access   This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.H. M. Schellevis, D. W. F. BrilmanReactor design and process performance evaluation.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale Enhancing mass transport to accelerate photoreactions and enable scale-up By pubs.rsc.org Published On :: React. Chem. Eng., 2024, Advance ArticleDOI: 10.1039/D3RE00689A, Paper Open Access   This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.Florian Gaulhofer, Markus Metzger, Alexander Peschl, Dirk ZiegenbalgThe importance of mixing in photoreactors along the direction of light propagation for competitive photochemical reactions is experimentally demonstrated in the MISCOP mini-plant photoreactor.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 Full Article
scale On a seamlessly replicable circular photoreactor for lab-scale continuous flow applications By pubs.rsc.org Published On :: React. Chem. Eng., 2024, Accepted ManuscriptDOI: 10.1039/D4RE00109E, PaperYi-Hsuan Tsai, Martin Cattoen, Guillaume Masson, Gabrielle Christen, Lisa Traber, Morgan Donnard, Frederic R. Leroux, Guillaume Bentzinger, Sylvain Guizzetti, Jean-Christophe M. MonbaliuA cost effective and replicable continuous flow circular photoreactor system is introduced. All body parts of the reactor are 3D-printed and the electronics are purchased from various mainstream suppliers. The...The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale Scaling-up continuous production of mesoporous silica particles at kg scale: design & operational strategies By pubs.rsc.org Published On :: React. Chem. Eng., 2024, Advance ArticleDOI: 10.1039/D3RE00707C, PaperRajashri B. Jundale, Jayesh R. Sonawane, Anil V. Palghadmal, Hemant Kumar Jaiswal, Hital S. Deore, Amol A. KulkarniThis paper demonstrates a continuous flow pilot-scale production of highly porous mesoporous silica particles (MSPs) via a soft template based technique.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 Full Article
scale Shoppers Stop aims to scale up beauty distribution, bring more international brands to India By www.thehindubusinessline.com Published On :: Fri, 08 Nov 2024 15:38:48 +0530 Shoppers Stop expects Global SS Beauty to end this fiscal with revenues to the tune of ₹220-250 crore Full Article Companies
scale WPP scales up investments in India, opens up new campus in Chennai By www.thehindubusinessline.com Published On :: Mon, 11 Nov 2024 12:22:15 +0530 India is the fifth largest market for WPP and one of its fastest growing markets too. It also plans to add new campuses at Bangalore and Coimbatore in the coming years Full Article Companies
scale Women Power: Making it big in small scale business By www.thehindu.com Published On :: Tue, 01 May 2012 15:04:15 +0530 She gave employment to youngsters from down South and others who were visiting Chennai for employment for the first time Full Article Downtown
scale Multiscale modelling of CO2 hydrogenation of TiO2-supported Ni8 clusters: on the influence of anatase and rutile polymorphs By pubs.rsc.org Published On :: Catal. Sci. Technol., 2024, 14,6393-6410DOI: 10.1039/D4CY00586D, Paper Open Access   This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.Lulu Chen, Ying-Ying Ye, Rozemarijn D. E. Krösschell, Emiel J. M. Hensen, Ivo A. W. FilotThe selection of TiO2 phase, whether anatase or rutile, for supporting small Ni clusters significantly influences the activity and selectivity in CO2 hydrogenation to methane.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale High sensing performance flexible nanocomposite sensor with a hybrid nanostructure constructed via nanoscale confined motion of nanofibers and nanoplatelets By pubs.rsc.org Published On :: Nanoscale, 2024, 16,20288-20303DOI: 10.1039/D4NR02541E, PaperZhenghui Xie, Feiran Meng, Junlong Yang, Yuhong Wang, Chul B. Park, Pengjian Gong, Guangxian LiHybrid 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 Full Article
scale Particle Surface Engineering at Nano-Micro Scale Interfaces of Metal-Nonmetal Bonded Polymeric Coatings: Experimental and In-Silico Evaluations By pubs.rsc.org Published On :: Nanoscale, 2024, Accepted ManuscriptDOI: 10.1039/D4NR03431G, PaperSuman Yadav, Sarvesh Kumar Pandey, Shikha AwasthiPolyvinyl alcohol (PVA) is a well-known cost-effective synthetic polymer that offers a variety of applications including medical, aerospace, automotive, and construction industries. However, weak bonding with low mechanical and tribological...The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale ABCD of IA: A multi-scale agent-based model of T cell activation in inflammatory arthritis By pubs.rsc.org Published On :: Biomater. Sci., 2024, 12,2041-2056DOI: 10.1039/D3BM01674A, PaperDavid A. McBride, James S. Wang, Wade T. Johnson, Nunzio Bottini, Nisarg J. ShahThe study develops a computational framework to model factors that lead to the evolution of autoreactive T cells in inflammatory arthritis. The results provide a tool for planning immunomodulatory strategies focused on new disease-modifying agents.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
scale Against All Odds: 13-year-old Pune boy with hearing impairment scales new heights in sport climbing By indianexpress.com Published On :: Sun, 03 Nov 2024 10:38:26 +0000 Full Article Cities Pune
scale Testing capacity for COVID-19 scaled up to 95,000 per day: Harsh Vardhan By www.moneycontrol.com Published On :: Sat, 09 May 2020 20:00:06 +0530 During the high-level meeting with Arunachal Pradesh, Assam, Manipur, Meghalaya, Mizoram, Nagaland, Tripura and Sikkim, Vardhan appreciated the dedication of all the states in combating COVID-19. Full Article
scale Pay-to-Go Schemes and Other Noncoercive Return Programs: Is Scale Possible? By www.migrationpolicy.org Published On :: Fri, 01 Apr 2011 00:00:00 -0400 Noncoercive, pay-to-go, voluntary, assisted voluntary, and nonforced returns generally can offer paid travel and/or other financial incentive to encourage unauthorized immigrants to cooperate with immigration officials and leave host countries. A look at three key rationales for governments to choose pay-to-go and other returns. Full Article
scale Coronavirus Pandemic: Hyundai Eyeing Steady Approach Before Starting Full Scale Car Production By www.carandbike.com Published On :: Sun, 10 May 2020 10:56:05 +0530 Hyundai Motor India has restarted the production at its Chennai-based plant by ensuring 100 per cent compliance to social distancing and adhering to all the guidelines issued by the State and Central... Full Article News
scale Coronavirus COVID 19 vaccine: France-based drugmaker Sanofi to start large scale human trials By www.financialexpress.com Published On :: 2020-05-06T13:46:08+05:30 Coronavirus COVID 19 vaccine news, latest update, human trials: Sanofi's Pasteur division has an established track record in influenza vaccines. Last month it had teamed with its British rival GSK to produce a vaccine candidate hoping that it will be ready in 2021. Full Article Health Lifestyle
scale Orix Plans to Build as Many as 15 Small-scale Geothermal Plants in Japan By feedproxy.google.com Published On :: 2014-07-25T11:12:00Z Orix Corp., a Tokyo-based finance and leasing company, plans to build as many as 15 geothermal power stations in Japan in the next five years. Full Article
scale Testing Capacity for Covid-19 Scaled up to 95,000 Per Day, Says Union Minister Harsh Vardhan - News18 By news.google.com Published On :: Sat, 09 May 2020 13:34:12 GMT Testing Capacity for Covid-19 Scaled up to 95,000 Per Day, Says Union Minister Harsh Vardhan News18Let`s work together by converting orange zones to green zones: Union Health Minister Harsh Vardhan tells NE... Zee News'We have prepared India for the worst' Mumbai MirrorLav Agarwal: We have to learn to live with the virus Pune MirrorView Full coverage on Google News Full Article
scale SEA Digest: SG’s Hoow Foods nabs funds; ScaleUp Malaysia backs 10 firms By www.dealstreetasia.com Published On :: Wed, 15 Apr 2020 10:34:57 +0000 Hoow Food previously raised S$1.7 million in a seed round led by F&B player Killiney Group and joined by TRIVE. The post SEA Digest: SG’s Hoow Foods nabs funds; ScaleUp Malaysia backs 10 firms appeared first on DealStreetAsia. Full Article Hoow Foods ScaleUp Malaysia
scale Scale of international bribery laid bare by new OECD report By www.oecd.org Published On :: Tue, 02 Dec 2014 10:00:00 GMT Most international bribes are paid by large companies, usually with the knowledge of senior management, according to new OECD analysis of the cost of foreign bribery and corruption. Full Article
scale Scaler Academy Review:The career accelerator offers engineers better access to employment opportunities with top companies By Published On :: Sun, 10 May 2020 11:05:38 +0530 Scaler Academy is an ed-tech platform that has been helping working professionals and college graduates navigate the changing software technology landscape by training them on skills that are sought after by top tech employers Full Article
scale Jessica Ennis-Hill urges the athletic's world governing body to take action over reports of vast scale cheating in the last 10 years By Published On :: Sun, 02 Aug 2015 10:32:32 +0100 Jessica Ennis-Hill called on athletics' world governing body to address a report in the Sunday Times which appears to show cheating has taken place on a vast scale in the sport. Full Article
scale 40 years on, the scale of the European Cup win by Brian Clough's Nottingham Forest is hard to match By www.dailymail.co.uk Published On :: Sat, 09 May 2020 23:04:31 GMT The night ended with some of the team playing Connect 4 in a remote hotel and others heading for the bright lights in a clapped-out Spanish saloon car. Full Article
scale What is the Kuppuswamy scale? By timesofindia.indiatimes.com Published On :: Sun, 17 Jul 2011 06:59:50 IST Full Article
scale Testing capacity for COVID-19 scaled up to 95,000 per day; 8 NE states reported 194 cases: Vardhan By www.oneindia.com Published On :: Sat, 09 May 2020 20:32:50 +0530 New Delhi, May 09: The testing capacity for COVID-19 has been scaled up to around 95,000 tests per day and a total of 15,25,631 tests have been conducted so far across 332 government and 121 private laboratories, Union Health Minister Harsh Full Article
scale Pune: Small scale industries hope to restart work from next week By indianexpress.com Published On :: Sat, 09 May 2020 17:26:18 +0000 Full Article Cities Pune
scale Covid-19 testing capacity scaled up to 95,000 per day: Harsh Vardhan By www.business-standard.com Published On :: Sat, 09 May 2020 20:14:00 +0530 Vardhan also flagged the large prevalence of non-smoking tobacco usage in some of the states and the problem of spitting in public places. Full Article
scale Combating COVID-19: Punjab Police scale up system By www.newkerala.com Published On :: Sun, 29 Mar 2020 09:48:02 +0530 Full Article
scale COVID-19 testing capacity scaled to 95k per day: Govt By www.rediff.com Published On :: Sat, 09 May 2020 21:43:08 +0530 A total of 15,25,631 tests have been conducted so far across 332 government and 121 private laboratories. Full Article
scale If the lockdown is not lifted, there may be defiance on a larger scale than at present By indianexpress.com Published On :: Sat, 09 May 2020 19:00:16 +0000 Full Article Columns Opinion
scale EXAFS and XANES analysis of oxides at the nanoscale By journals.iucr.org Published On :: This work presents a discussion of the possibilities offered by X-ray absorption spectroscopy (XAS) to study the local structure of nanomaterials. The current state of the art for the interpretation of extended X-ray absorption fine structure (EXAFS), including an advanced approach based on the use of classical molecular dynamics, is described and exemplified in the case of NiO nanoparticles. In addition, the limits and possibilities of X-ray absorption near-edge spectroscopy (XANES) in determining several effects associated with the nanocrystalline nature of materials are also discussed in connection with the development of ZnO-based dilute magnetic semiconductors and iron oxide nanoparticles. Full Article text
scale Crystallography at the nanoscale: planar defects in ZnO nanospikes By scripts.iucr.org Published On :: 2019-08-29 The examination of anisotropic nanostructures, such as wires, platelets or spikes, inside a transmission electron microscope is normally performed only in plan view. However, intrinsic defects such as growth twin interfaces could occasionally be concealed from direct observation for geometric reasons, leading to superposition. This article presents the shadow-focused ion-beam technique to prepare multiple electron-beam-transparent cross-section specimens of ZnO nanospikes, via a procedure which could be readily extended to other anisotropic structures. In contrast with plan-view data of the same nanospikes, here the viewing direction allows the examination of defects without superposition. By this method, the coexistence of two twin configurations inside the wurtzite-type structure is observed, namely [2 {overline 1} {overline 1} 0]^{ m W}/(0 1 {overline 1} 1) and [2 {overline 1} {overline 1} 0]^{ m W}/(0 1 {overline 1} 3), which were not identified during the plan-view observations owing to superposition of the domains. The defect arrangement could be the result of coalescence twinning of crystalline nuclei formed on the partially molten Zn substrate during the flame-transport synthesis. Three-dimensional defect models of the twin interface structures have been derived and are correlated with the plan-view investigations by simulation. Full Article text
scale Small-angle neutron scattering (SANS) and spin-echo SANS measurements reveal the logarithmic fractal structure of the large-scale chromatin organization in HeLa nuclei By journals.iucr.org Published On :: This paper reports on the two-scale fractal structure of chromatin organization in the nucleus of the HeLa cell. Full Article text
scale Tiger numbers could triple if large-scale landscapes are protected By insider.si.edu Published On :: Wed, 26 Jan 2011 16:07:05 +0000 The tiger reserves of Asia could support more than 10,000 wild tigers – three times the current number – if they are managed as large-scale […] The post Tiger numbers could triple if large-scale landscapes are protected appeared first on Smithsonian Insider. Full Article Animals Research News Science & Nature conservation conservation biology endangered species mammals Smithsonian's National Zoo
scale IOM Report Identifies Key Obesity-Prevention Strategies to Scale Back Weight of the Nation By feedproxy.google.com Published On :: Tue, 08 May 2012 04:00:00 GMT Americas progress in arresting its obesity epidemic has been too slow, and the condition continues to erode productivity and cause millions to suffer from potentially debilitating and deadly chronic illnesses. Full Article
scale Climate Intervention Is Not a Replacement for Reducing Carbon Emissions - Proposed Intervention Techniques Not Ready for Wide-Scale Deployment By feedproxy.google.com Published On :: Tue, 10 Feb 2015 06:00:00 GMT There is no substitute for dramatic reductions in greenhouse gas emissions to mitigate the negative consequences of climate change, a National Research Council committee concluded in a two-volume evaluation of proposed climate-intervention techniques. Full Article
scale A European scale assessment of river flood risk By ec.europa.eu Published On :: Wed, 19 Jun 2013 09:15:41 +0100 Researchers have created a simple tool to analyse the risk of river flooding across almost all of Europe, and to estimate the associated economic losses. They found that Eastern Europe, Scandinavia, Austria and the UK are the regions and countries most at threat. Full Article