sting

4 Reasons Why Podcasting Is a Strong, Authentic Platform for Your Business

You have none of the usual constraints of traditional forms of media in terms of length, deadlines, format or language.

Plus -- and this is no small plus -- podcast listeners are some of the most loyal consumers of any form of media available today. If they listen once, they're likely to come back, again and again.

There are multiple reasons for that, and multiple ways to do it well, which we'll explore below.

complete article




sting

Why podcasting companies are getting more into scripted shows

Podcasting is going Hollywood.

Over the past year, HowStuffWorks, Gimlet and Wondery have stepped up their search for content that can be adapted into film, television, or even books as production studios snap up podcasts for high-profile films and cable TV series with A-list talent like Julia Roberts, Connie Britton and Eric Bana.

Gimlet Media, the startup that began selling film and TV rights to its shows last year, has already exceeded every 2018 goal it had set for Gimlet Pictures, said its head, Chris Giliberti.

complete article




sting

Investing in our community : congestion busting infrastructure now and for the future

Australia




sting

Nonadiabatic sunlight harvesting

Phys. Chem. Chem. Phys., 2020, Accepted Manuscript
DOI: 10.1039/D0CP01672A, Paper
Leonardo F Calderon, Leonardo A Pachon
Experimental and theoretical evidence point out to the crucial role of specific intramolecular vibrational modes resonant with excitonic splittings in the interpretation of long-lived coherences observed in two-dimensional spectra of...
The content of this RSS Feed (c) The Royal Society of Chemistry




sting

Isothermal cross-boosting extension–nicking reaction mediated exponential signal amplification for ultrasensitive detection of polynucleotide kinase

Analyst, 2020, Advance Article
DOI: 10.1039/C9AN02569C, Paper
Xiao-Yu Li, Yun-Xi Cui, Yi-Chen Du, An-Na Tang, De-Ming Kong
A novel nucleic acid-based isothermal signal amplification strategy, named cross-boosting extension–nicking reaction (CBENR) is developed and successfully used for rapid and ultrasensitive detection of polynucleotide kinase (PNK) activity.
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




sting

Nanodiagnostics to monitor biofilm oxygen metabolism for antibiotic susceptibility testing

Analyst, 2020, Advance Article
DOI: 10.1039/D0AN00479K, Paper
Megan P. Jewell, Samuel C. Saccomano, Alexa A. David, J. Kirk Harris, Edith T. Zemanick, Kevin J. Cash
A method utilizing oxygen-sensitive nanosensor technology to monitor the oxygen consumption dynamics of living biofilms as they are exposed to antibiotics. This method provides information on the MBIC as well as kinetic response.
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




sting

Nesting Components

Using CSS components is somewhat straightforward. We add the markup and give it the component’s class name and all is good. Where it gets trickier is when we try to nest components. And when they need to be tweaked based on the context. Where should the styles be defined? It’s a question I’ve been asking myself a few times and what this article is trying to explore.

Just to clarify before we start, with “CSS components”, I mean the small building blocks that get used to assemble a website or app. Like buttons, inputs, navs, headers etc. Some also call them modules or patterns. Also I’m using the SUIT naming convention in the examples below, but any other convention would be fine as well. And just a heads, there isn’t some awesome solution at the end that solves all the problems. It’s just me whining most of the time.

Ok, best is to go straight into it and look at an example. Let’s say we have a Header component where we would like to add a Button component inside.

<header class=“Header”>
  <button class=“Button”>Button</button>
</header>

Now because the Button is inside the Header, we want to make the Button a bit smaller than it would be on its own.

Here a few approaches how to do that:

Option 1 - Descendant selector

Maybe the most common way is to use a descendant selector to change the font-size whenever a Button is inside a Header.

.Header .Button {
  font-size: .75em;
}

This works great but the question is, where should this rule be added? We probably split our components into separate files, so is it in header.scss or in button.scss? In other words, should the Header know about what other components might get nested or should the Button know in what environment it will get placed?

But wait, the point of creating components is to separate them, make them modular. Each component should be kept isolated and shouldn’t know about other components. So we can make changes, rename or remove them without having to check if they might get used somewhere else.

Option 2 - Variations

Another way is to create variations. We add a .Button--small class that we can use whenever we would like the button to be smaller without having to worry about ancestors.

.Button--small {
  font-size: .75em;
}
<header class=“Header”>
  <button class=“Button Button--small>Button</button>
</header>

This works great too, but could get out of hand quickly. What do you do if at some point you want the font-size to be .9em? Create yet another variation? Button--justALittleSmaller. As the project keeps growing, the number of variations will too. We will start to loose sight where they actually get used and we’re not sure anymore if we can change a variation or if it will have side effects in some other place. We could create “contextual” variations like Button--header or Button--footer, but then we’re back at the beginning and could just as well use “descendant selectors”.

Same goes for using states. .Button.is-small should only be used if there is a change in state and not to fit a certain context.

Option 3 - Adopted Child

I can’t remember where I read about this approach but somehow it stuck with me. I also forgot how it was called. So for now I’ll just call it “Adopted Child”.

Let’s switch it around and look at it from the Header’s perspective. What would we do if we wouldn’t know what the components are called that might get nested? But we know that we want to make them a bit smaller. Well, we probably would create a generic .Header-item class and use it like this:

.Header-item {
  font-size: .75em;
}
<header class=“Header”>
  <div class=“Header-item”></div>
</header>

Ok, that gets us a bit closer. Now, it’s probably strange saying it like that when talking about CSS, but what would we do if we don’t want to create an own child, but still have one. Right, we could adopt one. In our example we adopt a Button component as our own child. We didn’t create it, but now we can tweak.. erm.. I mean “raise” it like it’s our own:

// born in button.scss
.Button {
  font-size: 1em;
}

// raised in header.css
.Header .Header-item {
  font-size: .75em;
}
<header class=“Header”>
  <button class=“Header-item Button>Button</button>
</header>

It is a bit uncommon that the same HTML element shares classes from two different components. And it’s not without any risks. More about them later. But I really like this approach because it keeps the components independent without having to know about each other.

Another nice thing is that if we want to add other components to the Header that also need the same adjustments, we can reuse the same Header-item class, like for example on a text Input.

<header class=“Header”>
	<input class=“Header-item Input>
  <button class=“Header-item Button>Button</button>
</header>

Ok, about those risks. Well, depending on what properties we wanna change, it might not always be ideal. For example, because the Button already had font-size defined, we had to increase specificity by using .Header .Header-item. But that would also override variations like .Button--small. That might be how we want it, but there are also situations where we’d like the variation to always be “stronger”. An example would be when changing colors. When the color of Buttons should be different inside a Header, but not when its a variation, like .Button—primary. Yeah, we could take a look inside button.scss or our style-guide, but remember our goal.. we actually don’t want to make decisions by looking how other components are made.

So, as a general rule, don’t use “adopted children” for any properties that are theme related and only where you can be sure that you want to override them all the time. Like for layout/size related properties or adjusting the position.

More options?

There are some more ways to do contextual styling that came to mind. I’ll just mention them briefly for completeness, but think the 3 above are better suited.

Option 4 - We could use a preprocessor to extend an existing component. In our example it would be a clone of the Button with some tweaks added and used as a new child component .Header-button. Now we only rely that the Button exists in the source, but don’t have to worry about other contexts. Downside is inflating our CSS output. As well as having to remember lots of new child component classes.

Option 5 - We could create a utility class like .u-small. It’s similar to variations, but not scoped to a single component and could be used for other components as well. And for that reason it becomes very risky to ever change later.

Option 6 - And of course, we could use inline styles. But I would leave that to JavaScript only.


So after all that, which is best? I’m afraid there isn’t a clear winner. It would be nice to keep it consistent with a single approach throughout the entire project, but I guess we just have to decide on a per case basis:

  1. Descendant selectors if we can expect that components don’t change much. Like when using a UI Kit or library.
  2. Variations if it makes sense that a component has different versions that get reused anyways, and not just for a specific context.
  3. Adopted Child for layout, sizing, positioning or where we are sure to always want to override a property. Also for changing multiple child components at once.
  4. Extending when we truly want the components to be separated and don’t mind inflating the CSS output.
  5. Utilities for very specific things, that once the class is defined, it will never change, like clearing floats.
  6. Inline styles if it needs to be dynamically added with JavaScript.

As said at the beginning, I haven’t found a “fits all” solution and maybe the conclusion is: Try to keep contextual styling to a minimum.

Updates

The “Adopted Child” approach is called “Mixes” in BEM. Here some more infos.


SUIT also recommends using “Adopted Child/Mixes”. But also another option:

Option 7 - Adding a wrapper element. It’s the <div class="Excerpt-wrapButton"> in that example. I think it works great in most cases. But for example when using Flexbox, because it has this parent/child relationship, adding an extra wrapper in between would break it. And then you might still need to set the width of the wrapped component to 100% or so. Anyways, this is a great addition. Thanks Pablo in the comments.


Option 8 - Single Purpose Classes. It’s where every class has only a single property. It’s somewhere between utilities (Option 5) and inline styles (Option 6). Atomic CSS and Tachyons use this approach. I haven’t used them on a real project, but just from looking at it, the concerns are similar to the ones from utilities. If you want to change the value in a SP class, it seems unpredictable. Because in another place (where that same class is used), you might want to keep the current value. So you would have to first check if the change has any unwanted effects somewhere else.




sting

Biennale Arte 2019: may you live in interesting times: 11.05-24.11 Venezia Giardini/Arsenale

Rotch Library - N6488.I8 V433 2019 A1




sting

In Montana, Wastewater Testing Sheds New Light on Opioid and Methamphetamine Use

Last year, Mathematica worked with researchers at Montana State University (MSU) to help assess the policy value of municipal wastewater testing, an innovative approach that can augment existing data by providing more rapid, cost-effective, and unbiased measures of drug use.




sting

Contesting Peace in the Postwar City: Belfast, Mitrovica and Mostar.

Online Resource




sting

Testing New Earnings Rules for Social Security Disability Insurance: Findings from the Benefit Offset National Demonstration

The current earnings rules for Social Security Disability Insurance (DI) specify that, after using available work incentives, DI beneficiaries are not owed a DI benefit check if they earn more than a certain threshold. The Benefit Offset National Demonstration (BOND) tested a design intended to encourage DI beneficiaries to work by replacing the so-called cash cliff with a ramp—a $1 reduction in benefits for every $2 of additional earnings. BOND simultaneously tested the new rules with two groups: a nationally representative sample of DI beneficiaries and a group of recruited and informed volunteers—those thought to be most likely to earn more than the earnings threshold. Results from the five-year evaluation of BOND are now available for both groups.




sting

Free Webinar: How States, Districts, and REL Mid-Atlantic Partner to Create New Diagnostic Measures Using Existing Data

This webinar highlights three research-to-practice partnerships between state and local policymakers and the Regional Educational Laboratory Mid-Atlantic to address this challenge, connecting educators and policymakers with researchers who provide analytic support and help education agencies build capacity to conduct their own analyses.




sting

Contesting cyberspace in China: online expression and authoritarian resilience / Rongbin Han

Dewey Library - HN740.Z9 I567434 2018




sting

“Of Some Consequence.” Alexander Anderson: Distinguished Doctor, Accomplished Artist

The story of one of New York’s brightest and most dedicated physicians is often eclipsed by his reputation as America’s first wood engraver. Both stories, however, are tied together in a biography of tragedy, strife, hope, and renewal. Alexander Anderson (1775-1870) was not only a doctor and an artist, but a man of great sentiment,...

The post “Of Some Consequence.” Alexander Anderson: Distinguished Doctor, Accomplished Artist appeared first on New-York Historical Society.




sting

Resisting paradise : tourism, diaspora, and sexuality in Caribbean culture / Angelique V. Nixon

Nixon, Angelique V




sting

Eyewitness testimony : civil and criminal / Elizabeth F. Loftus, Ph. D., Distinguished Professor, Psychology & Social Behavior Criminology, Law & Society, Cognitive Sciences, University of California, Irvine, California ; James M. Doyle, J.D., LL.

Loftus, Elizabeth F., 1944- author




sting

Rape law in context : contesting the scales of injustice / Simon Bronitt, Patricia Easteal ; foreword [by] Ian Freckelton QC

Bronitt, Simon, author




sting

Social Services Legislation Amendment (Drug Testing Trial) Bill 2019 [Provisions] / The Senate, Community Affairs Legislation Committee

Australia. Parliament. Senate. Community Affairs Legislation Committee, author, issuing body




sting

Forecasting and assessing risk of individual electricity peaks / Maria Jacob, Cláudia Neves, Danica Vukadinović Greetham

Online Resource




sting

Non-destructive testing and condition monitoring techniques for renewable energy industrial assets / edited by Mayorkinos Papaelias, Fausto Pedro Garcia, Alexander Karyotakis

Online Resource




sting

Hybrid intelligent technologies in energy demand forecasting Wei-Chang Hong

Online Resource




sting

Smart meter data analytics: electricity consumer behavior modeling, aggregation, and forecasting / Yi Wang, Qixin Chen, Chongqing Kang

Online Resource




sting

Advances in solar power generation and energy harvesting: select proceedings of ESPGEH 2019 / Vinod Kumar Jain, Vikram Kumar, Abhishek Verma, editors

Online Resource




sting

Fasting Uttar Pradesh BJP MLA to meet Akhilesh Yadav



  • DO NOT USE Uttar Pradesh
  • India

sting

Molten NaCl-induced MOF-derived carbon-polyhedron decorated carbon-nanosheet with high defects and high N-doping for boosting the removal of carbamazepine from water

Environ. Sci.: Nano, 2020, 7,1205-1213
DOI: 10.1039/C9EN01408J, Paper
Dezhi Chen, Shoujun Wang, Zhiming Zhang, Hongying Quan, Yachao Wang, Yijie Jiang, Matthew J. Hurlock, Qiang Zhang
The efficient removal of endocrine-disrupting pollutants (EDCs) from water is a crucial issue for improving the quality of drinking water.
The content of this RSS Feed (c) The Royal Society of Chemistry




sting

Bank stress testing [electronic resource] : public interest or regulatory capture? / Thomas Ian Schneider, Philip E. Strahan, Jun Yang

Cambridge, Mass. : National Bureau of Economic Research, 2020




sting

An SEIR infectious disease model with testing and conditional quarantine [electronic resource] / David W. Berger, Kyle F. Herkenhoff, Simon Mongey

Cambridge, Mass. : National Bureau of Economic Research, 2020




sting

ACSM's resource manual for guidelines for exercise testing and prescription / American College of Sports Medicine ; senior editor, David P. Swain ; section editors, Clinton A. Brawner ... [et al.]




sting

Diagnostic molecular pathology : a guide to applied molecular testing / edited by William B. Coleman, PhD, Gregory J. Tsongalis, PhD, HCLD, CC




sting

Clinical neurology / Roger P. Simon, MD, (Professor of Medicine (Neurology) and Neurobiology, Morehouse School of Medicine, Clinical Professor of Neurology, Emory University, Atlanta, Georgia), Michael J. Aminoff, MDDSc, FRCP (Distinguished Professor, Dep

Simon, Roger P., author




sting

ACSM's guidelines for exercise testing and prescription / senior editor, Deborah Riebe, PhD, FACSM, ACSM EP-C, Associate Dean, College of Health Sciences, Professor, Department of Kinesiology, University of Rhode Island, Kingston, Rhode Island ; assoc

American College of Sports Medicine, author, issuing body




sting

Locavesting [electronic resource] : the revolution in local investing and how to profit from it / Amy Cortese

Cortese, Amy, 1961-




sting

Motion-induced Eddy current techniques for non-destructive testing and evaluation / Hartmut Brauer [and five others]

Barker Library - TA417.2.B73 2018




sting

Stress wave theory and testing methods for deep foundations: 10th international conference / editors, Paul Bullock, Gerald Verbeek, Sam Paikowsky, and David Tara

Barker Library - TA417.6.I165 2018




sting

Advanced techniques for testing of cement-based materials Marijana Serdar, Ivan Gabrijel, Dirk Schlicke, Stéphanie Staquet, Miguel Azenha, editors

Online Resource




sting

Static hoisting

Since I published my 2019 in Review, detailing the industry trend towards static hosting and the rise of Jamstack CDNs like Vercel, a question has persistently come up: how is this different from a server and a traditional CDN on top? Why not then just use servers with containers (even serverless ones)? The answer boils […]




sting

Bookmarklets for accessibility testing

I've created two simple bookmarklets to reveal whether CSS background images are being used in an inaccessible way on a page. Use them yourself, or help me learn how to improve them.




sting

Cop held for molesting colleague on duty

A Kolkata police constable has been arrested for allegedly molesting a woman colleague on duty.




sting

Man beaten to death for protesting against bursting illegal crackers

The Commission has directed the DIG of Presidency Range to get a probe conducted in the the incident.




sting

Had warned people against investing in chit fund companies: TMC MP

Adhikari said the Centre must stop unwanted intervention into cooperative societies.




sting

Shunted cop wrote twice to govt before arresting Malda DM

Case looked at as hierarchy battle between IAS, IPS.




sting

The perils of forecasting

The Economic Survey is both optimistic and sensible




sting

Other ways of arresting the papaya disease

Earlier, sanitation of the field by removal and destruction of affected papaya plants was the only way adopted by the farmers to reduce the spread of the papaya mosaic virus disease. In some cases, losses were minimised by controlling the population of aphids.




sting

Hi-tech cotton testing machines non-starters in Punjab mandis

"These machines have become all the more significant with the government declaring support price on the basis of parameters like staple length and micronaire value"




sting

Coming soon: Long-lasting litchi

BARC technology to considerably increase shelf life of the highly perishable fruit




sting

Covid-19: Quirky campaigns to bring lasting change in people's behaviour

How can governments and health agencies drive lasting lifestyle changes to combat Covid-19?




sting

Corona: Docs slam return to initial testing rule

An anaesthetist in the city said he had to postpone two surgeries on Friday as he couldn’t prescribe Covid-19 tests after the BMC order late on Thursday barring tests except when approved by the civic health officer. “Testing on a private doctor’s prescription is currently not permitted,” said a message from one of the private labs to a doctor. “If physicians, surgeons cannot advise a test, what is the point of coercing us to open clinics and hospitals?” said a Goregaon-based doctor.




sting

Javanese performances on an Indonesian stage : contesting culture, embracing change / Barbara Hatley

Hatley, Barbara




sting

Man arrested for molesting Finnish woman in Jaipur

A person has been arrested in Jaipur for allegedly robbing and molesting a Finnish woman at a bar cum restaurant, police said.




sting

Hindu guru convicted of molesting girls in US

An octogenarian Hindu religious leader, head of a Hindu ashram, one of the largest temples in the US, has been convicted of molesting two young girls.