making

Making waves behind bars: the Prison Radio Association / Charlotte Bedford

Dewey Library - JC328.5.D37 2019




making

India's nuclear proliferation policy: the impact of secrecy on decision making, 1980-2010 / Gaurav Kampani

Dewey Library - UA840.K245 2020




making

Governance by green taxes : making pollution prevention pay / Mikael Skou Andersen

Andersen, Mikael Skou




making

Apple's flexible batteries patent hints at foldable iPhone, iPad in making

According to the consumer survey, more than a third of Apple customers showed interest in paying as much as $600 extra for a foldable iPhone




making

Breaking news : the remaking of journalism and why it matters now / Alan Rusbridger

Rusbridger, Alan, author




making

Your Internet cash machine [electronic resource] : the insiders' guide to making big money, fast! / Joe Vitale, Jillian Coleman Wheeler

Vitale, Joe, 1953-




making

Incorporating the Patient Voice Into Shared Decision-Making for the Treatment of Aortic Stenosis

Increased attention has focused on shared decision-making (SDM) and use of decision aids for treatment decisions in cardiology. In this issue of JAMA Cardiology, Coylewright et al report the results of a rigorously performed pilot study on the use of a decision aid to facilitate SDM for patients with symptomatic severe aortic stenosis (AS) at high or prohibitive risk for surgery considered for transcatheter aortic valve replacement vs medical therapy. Comparisons were made between encounters before clinicians were trained to use a decision aid and the first and fifth encounters after a decision aid was used. The patient-clinician interactions were audio recorded and later coded by independent reviewers using a validated measure to assess SDM. This mixed-methods study found that SDM significantly improved in a stepwise manner from the initial usual care encounter (before use of a decision aid) to the first and then fifth encounters after implementation of the decision aid. Along with this improvement in SDM, patients (n = 35) demonstrated increased knowledge about their treatment choices and reported increased satisfaction in their care with no increase in decisional conflict. In contrast, clinicians (n = 6) reported that they believed they already engaged in SDM prior to use of the decision aid and, after multiple uses of the decision aid, believed patients did not understand or benefit from this tool. The disconnect between clinician and patient perspectives was sobering and has implications for the adoption of decision aids or other tools to facilitate SDM in the clinical setting. Notable limitations of the study, which are acknowledged by the authors, include (1) small sample size (of clinicians and patients); (2) the decision aid is most useful for the relatively smaller number of patients at high or prohibitive risk for surgery for whom transcatheter aortic valve replacement and medical therapy may both be reasonable options; and (3) the lack of diversity in the clinicians (all male), which reflects the current demographics of interventional cardiology and cardiac surgery.




making

The Learning Curve for Shared Decision-making in Symptomatic Aortic Stenosis

This mixed-methods pilot study examines whether the repeated use of a decision aid by heart teams was associated with greater shared decision-making, along with improved patient-centered outcomes and clinicians’ attitudes about decision aids.




making

Decision making in water resources policy and management : an Australian perspective / Barry T. Hart (Water Science Pty Ltd, Echuca and Monash University, Melbourne, VIC, Australia), Jane Doolan (University of Canberra, ACT, Australia)

Hart, Barry T., author




making

Decision-making in conservation and natural resource management : models for interdisciplinary approaches / edited by Nils Bunnefeld (University of Stirling), Emily Nicholson (Deakin University), E.J. Milner-Gulland (University of Oxford)




making

Making every drop count : inquiry into water use efficiency programs in agriculture / House of Representatives, Standing Committee on Agriculture and Water Resources

Australia. Parliament. House of Representatives. Standing Committee on Agriculture and Water Resources, author




making

Human Factors in the Chemical and Process Industries: Making it Work in Practice / edited by Janette Edmonds

Online Resource




making

Becoming Christian : essays on 1 Peter and the making of Christian identity / David G. Horrell

Horrell, David G., author




making

The making of Christian morality : reading Paul in ancient and modern contexts / David G. Horrell

Horrell, David G., author




making

The making of Christianity : conflicts, contacts, and constructions : essays in honor of Bengt Holmberg / edited by Magnus Zetterholm and Samuel Byrskog




making

Dominion : the making of the western mind / Tom Holland

Holland, Tom, author




making

Making SVG icon libraries for React apps

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

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

Using the icons

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

yarnpkg add @acme/react-icons

Each icon is available as an individually exported React component.

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

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

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

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

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

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

Creating components

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

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

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

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

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

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

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

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

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

Creating icon packages

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

The project structure of the example tool looks like this.

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

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

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

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




making

The truth about making complex or critical decisions [electronic resource] : the essential truths in 20 minutes / Robert E. Gunther

Gunther, Robert E., 1960- author




making

Which way forward? [electronic resource] : people, forests, and policymaking in Indonesia / edited by Carol J. Pierce Colfer and Ida Aju Pradnja Resosudarmo




making

Making Education [electronic resource] : Material School Design and Educational Governance





making

I’m getting back to making videos

It’s probably one part coronavirus, one part new-fancy-video setup, and one part “hey this is good for CodePen too,” but I’ve been doing more videos lately. It’s nice to be back in the swing of that for a minute. There’s something fun about coming back to an old familiar workflow.

Where do the videos get published? I’m a publish-on-your-own site kinda guy, as I’m sure you know, so there is a whole Videos section of this site where every … Read article “I’m getting back to making videos”

The post I’m getting back to making videos appeared first on CSS-Tricks.




making

PIX: How Gambhir is making most of lockdown

Cricketer-turned-politician Gautam Gambhir seems to be making most of the lockdown across the country. The lockdown across India was extended till May 3 to contain the spread of the coronavirus pandemic and East Delhi MP Gambhir is getting to spending time with his kids at home, even though they are not letting him catch up with his sleep.




making

Worldmaking after empire: the rise and fall of self-determination / Adom Getachew

Online Resource




making

Rationing the Constitution: how judicial capacity shapes Supreme Court decision-making / Andrew Coan

Online Resource




making

Acting like a state: Kosovo and the everyday making of statehood / Gëzim Visoka

Dewey Library - KZ4264.V57 2018




making

The internet and new social media formation in China : fandom publics in the making / Weiyu Zhang

Zhang, Weiyu, author




making

Making the Arab world : Nasser, Qutb, and the clash that shaped the Middle East / Fawaz A. Gerges

Gerges, Fawaz A., 1958- author




making

Imperial heights : Dalat and the making and undoing of French Indochina / Eric T. Jennings

Jennings, Eric, author




making

Ex&#8211;Henderson State University professors plead not guilty to making methamphetamine

Court documents allege the chemists made the drug and its precursors in a university laboratory




making

Corteva to stop making the insecticide chlorpyrifos




making

Uncertainty clouds China's dream of making ethylene from ethane

Cheap feedstock from the US tempts chemical makers, but several hurdles stand in the way




making

Sanofi to create new firm from its drug-making facilities

Venture will combine six active pharmaceutical ingredient production sites in Europe




making

Sanofi creating new firm from its drug-making facilities

Venture will combine 6 active pharmaceutical ingredient production sites in Europe




making

Scientists' favorite DIY lab equipment, and making lab trash live on




making

Making magnetic nanoparticles in a gamut of colors

Colorful polymer particles could enable new diagnostics and electronic devices




making

Making lithium-ion batteries more environmentally friendly

New process uses water-soluble binders to avoid the need for organic solvents in manufacturing and recycling




making

Making ceramics in a flash

Ultrafast high-temperature method shaves hours off conventional furnace processing and sintering of precursors




making

Emerging investigator series: phosphorus recovery from municipal wastewater by adsorption on steelmaking slag preceding forward osmosis: an integrated process

Environ. Sci.: Water Res. Technol., 2020, Advance Article
DOI: 10.1039/D0EW00187B, Paper
Biplob Kumar Pramanik, Md. Aminul Islam, Muhammad Bilal Asif, Rajeev Roychand, Sagor Kumar Pramanik, Kalpit Shah, Muhammed Bhuiyan, Faisal Hai
Phosphorus is a critical non-renewable mineral essential for sustainable crop production.
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




making

News from the John W. Kluge Center: Applications Now Open for New Fellowship in Congressional Policymaking

Applications are now open for the Library of Congress Fellowship in Congressional Policymaking.

Negotiation is vital to public policymaking in the U.S. Congress. In fact, legislative productivity is dependent on effective legislative negotiations, given the complexities of our system of separated branches with a bicameral legislature.

 In an effort to support scholarship in this area, the John W. Kluge Center at the Library of Congress invites qualified scholars to apply for a post-doctoral fellowship in the field of congressional policymaking, with a special focus on legislative negotiations.

Apply here. And check the fellowship requirements and eligibility information here.

The application deadline is currently set for June 15, but we will be revisiting this deadline as the COVID-19 situation develops. Please respond to this email if you are currently applying or interested in applying for this fellowship and are having trouble meeting the deadline. Kluge staff will be in touch with you.

The fellowship program is made possible by generous support from the William and Flora Hewlett Foundation.




making

Part 1 – Ch11 – Making The Heart Good

These are the recordings of the complete collection of all the talks by Ajahn Chah that have been translated into English and are published in 'The Collected Teachings of Ajahn Chah', 2011. This was read by Ajahn Amaro during the winter of 2012

The post Part 1 – Ch11 – Making The Heart Good appeared first on Amaravati Buddhist Monastery.




making

After the shock city: urban culture and the making of modern citizenship / Tom Hulme

Rotch Library - HT133.H85 2019




making

Making sense of suburbia through popular culture / Rupa Huq

Online Resource




making

Placemaking fundamentals for the built environment / Dominique Hes, Cristina Hernandez-Santin, editors

Online Resource




making

Making green cities: concepts, challenges and practice / Jürgen Breuste, editor ; Martina Artmann, Cristian Ioja, Salman Qureshi, co-editors

Online Resource




making

Business improvement districts and the contradictions of placemaking: BID urbanism in Washington, D.C. / Susanna F. Schaller

Rotch Library - HT177.W3 S33 2019




making

Remaking college: the changing ecology of higher education / edited by Michael W. Kirst and Mitchell L. Stevens

Hayden Library - LA226.R475 2015




making

Substituted Interests and Best Judgments: An Integrated Model of Surrogate Decision Making

Interview with Daniel P. Sulmasy, MD, PhD, author of Substituted Interests and Best Judgments: An Integrated Model of Surrogate Decision Making




making

Relationship Between Occurrence of Surgical Complications and Hospital Finances, and Uwe E. Reinhardt, PhD, author of Making Surgical Complications Pay

Interview with Atul A. Gawande, MD, MPH, author of Relationship Between Occurrence of Surgical Complications and Hospital Finances, and Uwe E. Reinhardt, PhD, author of Making Surgical Complications Pay




making

Relationship Between Occurrence of Surgical Complications and Hospital Finances, and Uwe E. Reinhardt, PhD, author of Making Surgical Complications Pay

Interview with Atul A. Gawande, MD, MPH, author of Relationship Between Occurrence of Surgical Complications and Hospital Finances, and Uwe E. Reinhardt, PhD, author of Making Surgical Complications Pay