red Nitrogen-doped RuS2 nanoparticles containing in situ reduced Ru as an efficient electrocatalyst for hydrogen evolution By feeds.rsc.org Published On :: RSC Adv., 2020, 10,17862-17868DOI: 10.1039/D0RA02530E, Paper Open Access   This article is licensed under a Creative Commons Attribution-NonCommercial 3.0 Unported Licence.Yan Xu, Xiaoping Gao, Jingyan Zhang, Daqiang GaoThe reasonable design that N-doping and in situ reduced Ru metal enhances the performance of N-RuS2/Ru for HER.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Lithium metal deposition/dissolution under uniaxial pressure with high-rigidity layered polyethylene separator By feeds.rsc.org Published On :: RSC Adv., 2020, 10,17805-17815DOI: 10.1039/D0RA02788J, Paper Open Access   This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.Shogo Kanamori, Mitsuhiro Matsumoto, Sou Taminato, Daisuke Mori, Yasuo Takeda, Hoe Jin Hah, Takashi Takeuchi, Nobuyuki ImanishiThe use of a high rigidity separator and application of an appropriate amount of pressure are effective approaches to control lithium metal growth and improve its cycle performance.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Nanoporous materials with predicted zeolite topologies By feeds.rsc.org Published On :: RSC Adv., 2020, 10,17760-17767DOI: 10.1039/D0RA01888K, Paper Open Access   This article is licensed under a Creative Commons Attribution 3.0 Unported Licence.Vladislav A. Blatov, Olga A. Blatova, Frits Daeyaert, Michael W. DeemTopological exploration of crystal structures demonstrates the presence of known zeolites, inorganics, and MOFs in a database of predicted materials.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Redux modules and code-splitting By nicolasgallagher.com Published On :: Thu, 01 Feb 2018 16:00:00 -0800 Twitter Lite uses Redux for state management and relies on code-splitting. However, Redux’s default API is not designed for applications that are incrementally-loaded during a user session. This post describes how I added support for incrementally loading the Redux modules in Twitter Lite. It’s relatively straight-forward and proven in production over several years. Redux modules Redux modules comprise of a reducer, actions, action creators, and selectors. Organizing redux code into self-contained modules makes it possible to create APIs that don’t involve directly referencing the internal state of a reducer – this makes refactoring and testing a lot easier. (More about the concept of redux modules.) Here’s an example of a small “redux module”. // data/notifications/index.js const initialState = []; let notificationId = 0; const createActionName = name => `app/notifications/${name}`; // reducer export default function reducer(state = initialState, action = {}) { switch (action.type) { case ADD_NOTIFICATION: return [...state, { ...action.payload, id: notificationId += 1 }]; case REMOVE_NOTIFICATION: return state.slice(1); default: return state; } } // selectors export const selectAllNotifications = state => state.notifications; export const selectNextNotification = state => state.notifications[0]; // actions export const ADD_NOTIFICATION = createActionName(ADD_NOTIFICATION); export const REMOVE_NOTIFICATION = createActionName(REMOVE_NOTIFICATION); // action creators export const addNotification = payload => ({ payload, type: ADD_NOTIFICATION }); export const removeNotification = () => ({ type: REMOVE_NOTIFICATION }); This module can be used to add and select notifications. Here’s an example of how it can be used to provide props to a React component. // components/NotificationView/connect.js import { connect } from 'react-redux'; import { createStructuredSelector } from 'reselect'; import { removeNotification, selectNextNotification } from '../../data/notifications'; const mapStateToProps = createStructuredSelector({ nextNotification: selectNextNotification }); const mapDispatchToProps = { removeNotification }; export default connect(mapStateToProps, mapDispatchToProps); // components/NotificationView/index.js import connect from './connect'; export class NotificationView extends React.Component { /*...*/ } export default connect(NotificationView); This allows you to import specific modules that are responsible for modifying and querying specific parts of the overall state. This can be very useful when relying on code-splitting. However, problems with this approach are evident once it comes to adding the reducer to a Redux store. // data/createStore.js import { combineReducers, createStore } from 'redux'; Import notifications from './notifications'; const initialState = /* from local storage or server */ const reducer = combineReducers({ notifications }); const store = createStore(reducer, initialState); export default store; You’ll notice that the notifications namespace is defined at the time the store is created, and not by the Redux module that defines the reducer. If the “notifications” reducer name is changed in createStore, all the selectors in the “notifications” Redux module no longer work. Worse, every Redux module needs to be imported in the createStore file before it can be added to the store’s reducer. This doesn’t scale and isn’t good for large apps that rely on code-splitting to incrementally load modules. A large app could have dozens of Redux modules, many of which are only used by a few components and unnecessary for initial render. Both of these issues can be avoided by introducing a Redux reducer registry. Redux reducer registry The reducer registry enables Redux reducers to be added to the store’s reducer after the store has been created. This allows Redux modules to be loaded on-demand, without requiring all Redux modules to be bundled in the main chunk for the store to correctly initialize. // data/reducerRegistry.js export class ReducerRegistry { constructor() { this._emitChange = null; this._reducers = {}; } getReducers() { return { ...this._reducers }; } register(name, reducer) { this._reducers = { ...this._reducers, [name]: reducer }; if (this._emitChange) { this._emitChange(this.getReducers()); } } setChangeListener(listener) { this._emitChange = listener; } } const reducerRegistry = new ReducerRegistry(); export default reducerRegistry; Each Redux module can now register itself and define its own reducer name. // data/notifications/index.js import reducerRegistry from '../reducerRegistry'; const initialState = []; let notificationId = 0; const reducerName = 'notifications'; const createActionName = name => `app/${reducerName}/${name}`; // reducer export default function reducer(state = initialState, action = {}) { switch (action.type) { case ADD_NOTIFICATION: return [...state, { ...action.payload, id: notificationId += 1 }]; case REMOVE_NOTIFICATION: return state.slice(1); default: return state; } } reducerRegistry.register(reducerName, reducer); // selectors export const selectAllNotifications = state => state[reducerName]; export const selectNextNotification = state => state[reducerName][0]; // actions export const ADD_NOTIFICATION = createActionName(ADD_NOTIFICATION); export const REMOVE_NOTIFICATION = createActionName(REMOVE_NOTIFICATION); // action creators export const addNotification = payload => ({ payload, type: ADD_NOTIFICATION }); export const removeNotification = () => ({ type: REMOVE_NOTIFICATION }); Next, we need to replace the store’s combined reducer whenever a new reducer is registered (e.g., after loading an on-demand chunk). This is complicated slightly by the need to preserve initial state that may have been created by reducers that aren’t yet loaded on the client. By default, once an action is dispatched, Redux will throw away state that is not tied to a known reducer. To avoid that, reducer stubs are created to preserve the state. // data/createStore.js import { combineReducers, createStore } from 'redux'; import reducerRegistry from './reducerRegistry'; const initialState = /* from local storage or server */ // Preserve initial state for not-yet-loaded reducers const combine = (reducers) => { const reducerNames = Object.keys(reducers); Object.keys(initialState).forEach(item => { if (reducerNames.indexOf(item) === -1) { reducers[item] = (state = null) => state; } }); return combineReducers(reducers); }; const reducer = combine(reducerRegistry.getReducers()); const store = createStore(reducer, initialState); // Replace the store's reducer whenever a new reducer is registered. reducerRegistry.setChangeListener(reducers => { store.replaceReducer(combine(reducers)); }); export default store; Managing the Redux store’s reducer with a registry should help you better code-split your application and modularize your state management. Full Article
red Ganjam sparred community spread as migrants stay put at quarantine centres By www.thehindu.com Published On :: Sat, 09 May 2020 02:08:17 +0530 All returnees are taken to centres from buses and trains Full Article Other States
red Systemisk projektledelse [electronic resource] / Henrik Schelde Andersen og Katrine Raae Søndergaard (red.) By prospero.murdoch.edu.au Published On :: Full Article
red Tapping into unstructured data [electronic resource] : integrating unstructured data and textual analytics into business intelligence / William H. Inmon, Anthony Nesavich By prospero.murdoch.edu.au Published On :: Inmon, William H Full Article
red Turning people into teams [electronic resource] : rituals and routines that redesign how we work / David Sherwin & Mary Sherwin By prospero.murdoch.edu.au Published On :: Sherwin, David, author Full Article
red Us vs. them [electronic resource] : redefining the multi-generational workplace to inspire your employees to love your company, drive innovation, and embrace change / Jeff Havens By prospero.murdoch.edu.au Published On :: Havens, Jeff, author Full Article
red Perfect phrases for virtual teamwork [electronic resource] : hundreds of ready-to-use phrases for fostering collaboration at a distance / Meryl Runion with Lynda McDermott By prospero.murdoch.edu.au Published On :: Runion, Meryl Full Article
red Web development with MongoDB and Node JS [electronic resource] : build an interactive and full-featured web application from scratch using Node.js and MongoDB / Mithun Sathessh, Bruno Joseph D'mello, Jason Krol By prospero.murdoch.edu.au Published On :: Satheesh, Mithun, author Full Article
red Working with mindfulness [electronic resource] : mindfulness, work, and stress reduction / a conversation with Mirabai Bush and George Kohlrieser By prospero.murdoch.edu.au Published On :: Bush, Mirabai, 1939- author Full Article
red JAMA Facial Plastic Surgery : Selfies—Living in the Era of Filtered Photographs By traffic.libsyn.com Published On :: Thu, 02 Aug 2018 15:00:00 +0000 Interview with Neelam A. Vashi, MD, author of Selfies—Living in the Era of Filtered Photographs Full Article
red JAMA Internal Medicine : Evaluating Shared Decision Making for Lung Cancer Screening By traffic.libsyn.com Published On :: Mon, 13 Aug 2018 15:00:00 +0000 Interview with Daniel Scott. Reuland, MD MPH, author of Evaluating Shared Decision Making for Lung Cancer Screening, and Bruno Heleno, MD, PhD, author of Estimation of Overdiagnosis of Lung Cancer in Low-Dose Computed Tomography Screening Full Article
red JAMA Surgery : Association of Compensation to Physicians From Industry and Self-declared Conflict of Interest By traffic.libsyn.com Published On :: Wed, 15 Aug 2018 15:00:00 +0000 Interview with Mehraneh D. Jafari, MD, and Kasra Ziai, MD, authors of Association of Compensation From the Surgical and Medical Device Industry to Physicians and Self-declared Conflict of Interest Full Article
red JAMA Internal Medicine : Effect of Group-Administered Behavioral Treatment on Urinary Incontinence in Older Women By traffic.libsyn.com Published On :: Tue, 04 Sep 2018 15:00:00 +0000 Interview with Ananias C Diokno, MD, author of Effect of Group-Administered Behavioral Treatment on Urinary Incontinence in Older Women: A Randomized Clinical Trial Full Article
red JAMA Pediatrics : Exposure to High-Performing Schools and Reduced Adolescent Substance Use By traffic.libsyn.com Published On :: Mon, 29 Oct 2018 15:00:00 +0000 Interview with Rebecca N. Dudovitz, MD, MSHS, author of Assessment of Exposure to High-Performing Schools and Risk of Adolescent Substance Use: A Natural Experiment Full Article
red JAMA Dermatology : Development and Validation of a Risk-Prediction Model for in-Hospital Mortality of Patients With SJS/TEN By traffic.libsyn.com Published On :: Wed, 06 Mar 2019 16:00:00 +0000 Interview with Megan H. Noe, MD, MPH, MSCE, author of Development and Validation of a Risk Prediction Model for In-Hospital Mortality Among Patients With Stevens-Johnson Syndrome/Toxic Epidermal Necrolysis—ABCD-10 Full Article
red JAMA Neurology : Risk for Major Hemorrhages in Patients Receiving Clopidogrel and Aspirin Compared With Aspirin Alone By traffic.libsyn.com Published On :: Mon, 29 Apr 2019 15:00:00 +0000 Interview with J. Donald Easton, jdeaston, author of Risk for Major Hemorrhages in Patients Receiving Clopidogrel and Aspirin Compared With Aspirin Alone After Transient Ischemic Attack or Minor Ischemic Stroke: A Secondary Analysis of the POINT Randomized Clinical Trial Full Article
red JAMA Cardiology : Simvastatin-Ezetimibe Compared With Simvastatin Monotherapy Among Patients 75 Years or Older By traffic.libsyn.com Published On :: Wed, 17 Jul 2019 15:00:00 +0000 Interview with Richard G. Bach, MD, author of Effect of Simvastatin-Ezetimibe Compared With Simvastatin Monotherapy After Acute Coronary Syndrome Among Patients 75 Years or Older: A Secondary Analysis of a Randomized Clinical Trial, and Antonio M. Gotto, MD DPhil, author of Intensive Lipid Lowering in Elderly Patients Full Article
red JAMA Cardiology : Prognostic Value of Global Longitudinal Strain for Early Prediction of Chemotherapy-Induced Cardiotoxicity By traffic.libsyn.com Published On :: Wed, 21 Aug 2019 15:00:00 +0000 Interview with Paaladinesh Thavendiranathan, MD, MSc, FRCPC, FASE, author of Assessment of Prognostic Value of Left Ventricular Global Longitudinal Strain for Early Prediction of Chemotherapy-Induced Cardiotoxicity: A Systematic Review and Meta-analysis Full Article
red JAMA Otolaryngology–Head & Neck Surgery : Feasibility of Autologous Adipose Tissue–Derived Stromal Vascular Fraction in Scarred Vocal Folds By traffic.libsyn.com Published On :: Thu, 13 Feb 2020 16:00:00 +0000 Interview with Alexia Mattei, MD, author of Feasibility of First Injection of Autologous Adipose Tissue–Derived Stromal Vascular Fraction in Human Scarred Vocal Folds: A Nonrandomized Controlled Trial Full Article
red Dr Reddy's hits 52-week high after USFDA issues EIR for Srikakulam facility By www.business-standard.com Published On :: Fri, 08 May 2020 09:45:00 +0530 The company said, with this, all facilities under warning letter are now determined as Voluntary Action Indicated (VAI) Full Article
red Dubai-based Indian-origin eye surgeon honoured in London By indianexpress.com Published On :: Tue, 28 Oct 2014 10:06:22 +0000 Full Article DO NOT USE Indians Abroad World
red Indian-origin researchers develop car safety system to predict the driver’s mistake By indianexpress.com Published On :: Sun, 19 Apr 2015 12:12:23 +0000 Full Article DO NOT USE Indians Abroad World
red US-Indians raise hundreds of thousands of dollars for Nepal By indianexpress.com Published On :: Thu, 07 May 2015 16:22:02 +0000 Full Article DO NOT USE Indians Abroad World
red Four Indian-Americans honoured with Great Immigrants award By indianexpress.com Published On :: Fri, 03 Jul 2015 08:07:51 +0000 Full Article DO NOT USE Indians Abroad World
red 2 Indians injured in shooting in Saudi Arabia By indianexpress.com Published On :: Tue, 10 Nov 2015 14:57:21 +0000 Full Article DO NOT USE Indians Abroad World
red Redox active Ni–Pd carbonyl alloy nanoclusters: syntheses, molecular structures and electrochemistry of [Ni22−xPd20+x(CO)48]6− (x = 0.62), [Ni29−xPd6+x(CO)42]6− (x = 0.09) and [Ni29+xPd6−x(CO)42]6− (x = 0.27) By feeds.rsc.org Published On :: Dalton Trans., 2020, 49,5513-5522DOI: 10.1039/D0DT00337A, PaperBeatrice Berti, Cristiana Cesari, Cristina Femoni, Tiziana Funaioli, Maria Carmela Iapalucci, Stefano ZacchiniRedox active molecular Ni–Pd alloy nanoclusters were obtained by redox condensation, their total structures and metal distribution were determined by X-ray crystallography, and their electron-sink behavior was ascertained by electrochemical studies.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Prediction of ternary fluorooxoborates with coplanar triangular units [BOxF3−x]x− from first-principles By feeds.rsc.org Published On :: Dalton Trans., 2020, 49,5424-5428DOI: 10.1039/D0DT00160K, CommunicationZhonglei Wei, Wenyao Zhang, Hao Zeng, Hao Li, Zhihua Yang, Shilie PanFrom first-principles prediction, we got all the basic structural units of fluorooxoborates, namely, tetrahedral elements [BOxF4−x] (x = 1,2,3) like [BO4] and triangular elements [BOxF3−x] (x = 1,2) like [BO3].The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Efficient CO2 electroreduction to CO at low overpotentials using a surface-reconstructed and N-coordinated Zn electrocatalyst By feeds.rsc.org Published On :: Dalton Trans., 2020, 49,5434-5439DOI: 10.1039/D0DT00800A, CommunicationWanan Deng, Shixiong Min, Fang Wang, Zhengguo Zhang, Chao KongA surface-reconstructed and N-coordinated Zn electrocatalyst exhibits enhanced activity and selectivity for CO2 electroreduction to CO at reduced overpotentials.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Time-resolved infra-red spectroscopy reveals competitive water and dinitrogen coordination to a manganese(I) carbonyl complex By feeds.rsc.org Published On :: Dalton Trans., 2020, 49,5463-5470DOI: 10.1039/C9DT04878B, PaperJonathan B. Eastwood, L. Anders Hammarback, Matthew T. McRobie, Ian P. Clark, Michael Towrie, Ian. J. S. Fairlamb, Jason M. LynamPhotolysis of [Mn(C^N)(CO)4] (C^N = bis-(4-methoxyphenyl)methanimine) in heptane solution results in ultra-fast CO dissociation and ultimate formation of a rare Mn-containing dinitrogen complex fac-[Mn(C^N)(CO)3(N2)].The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Ultrabroadband red luminescence of Mn4+ in MgAl2O4 peaking at 651 nm By feeds.rsc.org Published On :: Dalton Trans., 2020, 49,5711-5721DOI: 10.1039/D0DT00931H, PaperHaipeng Ji, Xinghui Hou, Maxim S. Molokeev, Jumpei Ueda, Setsuhisa Tanabe, Mikhail G. Brik, Zongtao Zhang, Yu Wang, Deliang ChenMn4+ 2Eg → 4A2g transition exhibits thermally robust, ultrabroadband luminescence peaking at 651 nm in MgAl2O4 under λex = 440 nm excitation.The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Photo-reduction enables catalyst regeneration in Fenton reaction on an Fe2O3-decorated TiO2 nanotube-based photocatalyst By feeds.rsc.org Published On :: Dalton Trans., 2020, Advance ArticleDOI: 10.1039/D0DT00670J, PaperQuanming Peng, Guiming Peng, Liangpeng Wu, Yaqian Chen, Bin Han, Qiucheng Su, Shijun Liu, Xinjun LiActive Fe2+ sites of TNT(Pd)/Fe2O3 with a unique electronic structure for the Fenton reaction can be self-generated.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
red Water-locking molecule-assisted fabrication of natural-inspired Mg(OH)2 for high-efficient and economical uranium capture By feeds.rsc.org Published On :: Dalton Trans., 2020, Accepted ManuscriptDOI: 10.1039/D0DT00618A, PaperHengbin Xu, Zhenyuan Bai, Milin Zhang, Jun Wang, Yongde Yan, Min Qiu, Jiaming ChenWith the depletion of uranium terrestrial deposits, researchers have focused on the development of adsorbents to extract radioactive uranium from seawater/wastewater. However, there are still considerable challenges to manipulate this...The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Multicolor tunable luminescence and energy transfer of core-shell structured SiO2@Gd2O3 microspheres co-activated with Dy3+/Eu3+ under single UV excitation By feeds.rsc.org Published On :: Dalton Trans., 2020, Accepted ManuscriptDOI: 10.1039/D0DT00735H, PaperJie Chen, Yixin Gao, Haifeng Jiang, Yan Liu, Zhaohui JinOptimizing structure and varing doped ions are two main strategies to obtain excellent luminescence performance. Spherical morphology is considered to be the most ideal phosphor structure due to the least...The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Dehydrogenation of amines in aryl-amine functionalized pincer-like nitrogen-donor redox non-innocent ligands via ligand reduction on a Ni(II) template By feeds.rsc.org Published On :: Dalton Trans., 2020, Advance ArticleDOI: 10.1039/D0DT00466A, PaperManas Khatua, Bappaditya Goswami, Subhas SamantaA Ni(II)-template directed dehydrogenative imine formation reaction via ligand reduction leading to the formation of new pincer-like azo imine ligands is described.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
red Photophysical, photodynamical, redox properties and BSA-interactions of novel isomeric tetra-cationic peripheral palladium(II)-bipyridyl porphyrins By feeds.rsc.org Published On :: Dalton Trans., 2020, Accepted ManuscriptDOI: 10.1039/D0DT01063D, PaperFabiano S Santos, Carolina H. da Silveira, Fabio Souza Nunes, Daniele Ferreira, Henrique Victória, Klaus Krambrock, Otávio Augusto Chaves, Fabiano Severo Rodembusch, Bernardo Almeida IglesiasNew isomeric tetra-cationic porphyrins containing peripheral [Pd(bpy)Cl]+ units attached at pyridyl substituents were synthetized and fully characterized. The porphyrins present an intense Soret band located in the blue spectral region...The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Impacts of hydrogen bonding interactions with Np(V/VI)O2Cl4 complexes: vibrational spectroscopy, redox behavior, and computational analysis By feeds.rsc.org Published On :: Dalton Trans., 2020, Advance ArticleDOI: 10.1039/D0DT00848F, PaperMikaela M. Pyrch, Jennifer L. Bjorklund, James M. Williams, Daniel L. Parr IV, Sara E. Mason, Johna Leddy, Tori Z. ForbesCrystallization of neptunyl(V) tetrachlorides over neptunyl(VI) species occurs simultaneously with charge assisted hydrogen bonding in our solid state materials, which we explored by DFT calculations, cyclic voltammograms, and Raman spectroscopy.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
red Rhenium and technetium-complexed silicon rhodamines as near-infrared imaging probes for bimodal SPECT- and optical imaging By feeds.rsc.org Published On :: Dalton Trans., 2020, Accepted ManuscriptDOI: 10.1039/D0DT01084G, CommunicationThines Kanagasundaram, Carsten Sven Kramer, Eszter Boros, Klaus KopkaRadiolabelled fluorescent dyes are decisive for bimodal imaging and currently in demand for scintigraphic and optical imaging. This powerful method allows the combination of nuclear imaging (e.g. SPECT-imaging) and optical...The content of this RSS Feed (c) The Royal Society of Chemistry Full Article
red Many nations under many gods: public land management and American Indian sacred sites / Todd Allin Morman By library.mit.edu Published On :: Sun, 28 Jul 2019 10:20:39 EDT Rotch Library - KF5605.M67 2018 Full Article
red Military professionalism and humanitarian law: the struggle to reduce the hazards of war / Yishai Beer By library.mit.edu Published On :: Sun, 11 Aug 2019 10:25:18 EDT Dewey Library - KZ6396.B44 2018 Full Article
red Credit discrimination / Jeremiah Battle, Jr. ; contributing authors, Sandra Mitchell Wilmore, Alys I. Cohen, Chi Chi Wu, Charles Delbaum, Emily Green Caplan, Geoff Walsh By library.mit.edu Published On :: Sun, 13 Oct 2019 08:02:50 EDT Dewey Library - KF1040.C74 2018 Full Article
red Citizenship, inequality, and difference: historical perspectives / Frederick Cooper By library.mit.edu Published On :: Sun, 20 Oct 2019 08:22:10 EDT Dewey Library - K3224.C66 2018 Full Article
red Redistricting: a manual for analysts, practitioners, and citizens / Peter A. Morrison, Thomas M. Bryan By library.mit.edu Published On :: Sun, 17 Nov 2019 08:15:31 EST Online Resource Full Article
red Tallinn manual 2.0 on the international law applicable to cyber operations / prepared by the International Groups of Experts at the invitation of the NATO Cooperative Cyber Defence Centre of Excellence ; general editor, Michael N. Schmitt ; managing edit By library.mit.edu Published On :: Sun, 22 Dec 2019 08:09:42 EST Dewey Library - KZ6718.T35 2017 Full Article
red Environmental crime: pollution and wildlife enforcement / Jared C. Bennett, Adjunct Professor of Law, S.J. Quinney College of Law, University of Utah By library.mit.edu Published On :: Sun, 19 Jan 2020 08:04:55 EST Dewey Library - KF3775.B393 2019 Full Article
red The governance of credit rating agencies: regulatory regimes and liability issues / Andrea Miglionico, School of Law, University of Reading, UK By library.mit.edu Published On :: Sun, 23 Feb 2020 09:36:00 EST Dewey Library - K1096.M54 2019 Full Article
red Notification concerning planned measures on shared watercourses: synergies between the Watercourses Convention and the World Bank policies and practice / Salman M.A. Salman By library.mit.edu Published On :: Sun, 23 Feb 2020 09:36:00 EST Dewey Library - K758.S25 2019 Full Article
red Natural resources law: a place-based book of problems and cases / Christine A. Klein, University of Florida, Levin College of Law; Federico (Fred) Cheever, University of Denver, Sturm College of Law; Bret C. Birdsong, University of Nevada, Las Vegas, Will By library.mit.edu Published On :: Sun, 23 Feb 2020 09:36:00 EST Dewey Library - KF5505.K58 2018 Full Article