strategy

National Strategy for International Education 2025 / Australian Government

Australia, author, issuing body




strategy

Talks with experts: No strategy, only want to show the glimpses, says Rahul

According to Congress sources, in the series of Rahul Gandhi's talks with experts, the will be a conversation with German virologist and several personalities from other fields on Covid-19




strategy

[ASAP] Cov_FB3D: A De Novo Covalent Drug Design Protocol Integrating the BA-SAMP Strategy and Machine-Learning-Based Synthetic Tractability Evaluation

Journal of Chemical Information and Modeling
DOI: 10.1021/acs.jcim.9b01197




strategy

Podcast: Recognizing the monkey in the mirror, giving people malaria parasites as a vaccine strategy, and keeping coastal waters clean with seagrass

This week, we chat about what it means if a monkey can learn to recognize itself in a mirror, injecting people with live malaria parasites as a vaccine strategy, and insect-inspired wind turbines with Online News Editor David Grimm. And Joleah Lamb joins Alexa Billow to discuss how seagrass can greatly reduce harmful microbes in the ocean—protecting people and corals from disease. Read the research.   Listen to previous podcasts.   [Image: peters99/iStock; Music: Jeffrey Cook]




strategy

Cambridge handbook of open strategy / edited by David Seidl, Richard Whittington, Georg von Krogh

Dewey Library - HD30.28.C3479 2019




strategy

Sustainability management and business strategy in Asia / editors, Katsuhiko Kokubu, Yoshiyuki Nagasaka

Dewey Library - HD30.255.S869 2020




strategy

Smart business: what Alibaba's success reveals about the future of strategy / Ming Zeng

Dewey Library - HD30.28.Z425 2018




strategy

Driving digital strategy: a guide to reimagining your business / Sunil Gupta

Dewey Library - HD30.28.G84 2018




strategy

Legacy of the MacArthur Foundation’s Maternal Health Quality of Care Strategy in India

This report presents the findings from Mathematica’s cumulative review of the John D. and Catherine T. MacArthur Foundation’s Maternal Health Quality of Care (MHQoC) strategy in India.




strategy

Strategy, evolution, and war: from apes to artificial intelligence / Kenneth Payne

Dewey Library - U162.P39 2018




strategy

Managing natural resources : organizational strategy, behaviour and dynamics / edited by Gerard George (Dean & Lee Kong Chian Chair Professor of Innovation and Entrepreneurship, Lee Kong Chian School of Business, Singapore Management University, Singa




strategy

Your options handbook [electronic resource] : the practical reference and strategy guide to trading options / Jared A. Levy

Levy, Jared, 1976-




strategy

Targeted Isolation of Two Disesquiterpenoids Macrocephadiolides A and B from Ainsliaea macrocephala using Molecular Networking-based Dereplication Strategy

Org. Chem. Front., 2020, Accepted Manuscript
DOI: 10.1039/D0QO00030B, Research Article
Yong-Mei Ren, Shuaizhen Zhou, Tian Zhang, Meijia Qian, Rui Zhang, Sheng Yao, Hong Zhu, Chunping Tang, Ligen Lin, Yang Ye
A molecular networking-based dereplication strategy was applied to the phytochemical investigation of Ainsliaea macrocephala, leading to the isolation of two novel disesquiterpenoids macrocephadiolides A (1) and B (2). Their structures,...
The content of this RSS Feed (c) The Royal Society of Chemistry




strategy

[ASAP] Integrating the Pillared-Layer Strategy and Pore-Space Partition Method to Construct Multicomponent MOFs for C<sub>2</sub>H<sub>2</sub>/CO<sub>2</sub> Separation

Journal of the American Chemical Society
DOI: 10.1021/jacs.0c00612




strategy

Reformulation as a strategy for developing healthier food products: challenges, recent developments and future prospects / Vassilios Raikos, Viren Ranawana, editors

Online Resource




strategy

Biomarkers in Drug Discovery and Development: A Handbook of Practice, Application, and Strategy, 2nd Edition


 
This book continues the legacy of a well-established reference within the pharmaceutical industry – providing perspective, covering recent developments in technologies that have enabled the expanded use of biomarkers, and discussing biomarker characterization and validation and applications throughout drug discovery and development.

•    Explains where proper use of biomarkers can substantively impact drug development timelines and costs, enable selection

Read More...




strategy

Yet another HTML5 fallback strategy for IE

If you’re using HTML5 elements then you’re probably also using a JavaScript shiv to help make it possible to style those elements in versions of Internet Explorer prior to IE9. But when JavaScript is disabled the accessibility of the content may be affected in these versions of IE. This is one way to provide a more accessible fallback.

The concept is to ensure that all modern browsers are served the default style sheet(s) and that people using older versions of IE only download them if JavaScript is enabled. When JavaScript is not enabled, people using those browsers can be served either no styles at all (as Yahoo! suggests for browsers receiving C-Grade support) or simple fallback styles.

Client-side method: conditional comments

Doing this on the client-side comes at the cost of having to litter your code with proprietary conditional comments. First, it’s necessary to comment out the default style sheet(s) from versions of IE earlier than IE9. All other browsers will be able to read the file(s).

<!--[if ! lt IE 9]><!-->
<link rel="stylesheet" href="/css/default.css">
<!--<![endif]-->

For earlier versions of IE, an HTML5 shiv is included and the necessary link elements are created and added to the DOM using JavaScript. This means that when JavaScript is not enabled in IE7 or IE8 the style sheet will not be present, resulting in an unstyled HTML page. In this example, IE6 won’t be served CSS at all.

<!--[if (IE 7)|(IE 8)]>
<script src="/js/html5.js"></script>
<script>
   (function() {
      var link = document.createElement("link");
      link.rel = "stylesheet";
      link.href = "/css/default.css";
      document.getElementsByTagName("head")[0].appendChild(link);
   }());
</script>
<![endif]-->

To support multiple style sheets, an array and for loop can be used.

<!--[if (IE 7)|(IE 8)]>
<script src="/js/html5.js"></script>
<script>
   (function() {
      var css = [
         '/css/default.css',
         '/css/section.css',
         '/css/custom.css'
      ];
      var i;
      var link = document.createElement('link');
      var head = document.getElementsByTagName('head')[0];
      var tmp;

      link.rel = 'stylesheet';

      for(i = 0; i < css.length; i++){
         tmp = link.cloneNode(true);
         tmp.href = css[i];
         head.appendChild(tmp);
      }
   }());
</script>
<![endif]-->

Thanks to Remy Sharp and Mathias Bynens for helping me to improve this script. Fork it.

Rather than serving unstyled content, it may be preferable to provide some simple fallback styles. This can be done by linking to a separate style sheet wrapped in noscript tags. In this example, IE6 will always use these legacy styles while IE7 and IE8 will do so only when JavaScript is disabled.

<!--[if lt IE 9]>
<noscript>
   <link rel="stylesheet" href="/css/legacy.css">
</noscript>
<![endif]-->

You may wish to use a generic style sheet, such as “Universal IE6 CSS”, or spend a few minutes crafting your own and ensuring that the typography and colours approximate those in the default style sheet.

The complete example code is as follows:

<!--[if ! lt IE 9]><!-->
<link rel="stylesheet" href="/css/default.css">
<!--<![endif]-->

<!--[if (IE 7)|(IE 8)]>
<script src="/js/html5.js"></script>
<script>
   (function() {
      var link = document.createElement("link");
      link.rel = "stylesheet";
      link.href = "/css/default.css";
      document.getElementsByTagName("head")[0].appendChild(link);
   }());
</script>
<![endif]-->

<!--[if lt IE 9]>
<noscript>
   <link rel="stylesheet" href="/css/legacy.css">
</noscript>
<![endif]-->

Server-side method: user-agent string detection

The drawbacks of current client-side approaches to IE fallbacks is that they are IE-specific, make extensive use of conditional comments, and have to use JavaScript to create or rewrite link elements. This blog makes use of an alternative approach: server-side user-agent detection. It was inspired by Yahoo!’s Graded Browser Support strategy – created by Nate Koechley – which recommends that all CSS and JavaScript is withheld from legacy browsers (not limited to IE).

The source code in the head of this blog changes when viewed in modern browsers, IE8, and legacy browsers that are incapable of styling HTML5 elements (e.g. Firefox 2) or lack adequate CSS2.1 support (e.g. IE7).

Browsers are assumed to be capable; there is no need to update the script every time a new browser is released. Only when a browser is deemed to be severely incapable is it added to a “blacklist” and served simple styles to ensure that the accessibility of the content is maintained. This is the method I prefer, although it does require more time upfront.




strategy

A simple Git deployment strategy for static sites

This is how I am deploying the build of my static website to staging and production domains. It requires basic use of the CLI, Git, and SSH. But once you’re set up, a single command will build and deploy.

TL;DR: Push the static build to a remote, bare repository that has a detached working directory (on the same server). A post-receive hook checks out the files in the public directory.

Prerequisites

  • A remote web server to host your site.
  • SSH access to your remote server.
  • Git installed on your remote server (check with git --version).
  • Generate an SSH key if you need one.

On the server

Set up password-less SSH access

First, you need to SSH into your server, and provide the password if prompted.

ssh user@hostname

If there is no ~/.ssh directory in your user’s home directory, create one: mkdir ~/.ssh.

Next, you need to copy your public SSH key (see “Generate an SSH key” above) to the server. This allows you to connect via SSH without having to enter a password each time.

From your local machine – assuming your public key can be found at ~/.ssh/id_rsa.pub – enter the following command, with the correct user and hostname. It will append your public key to the authorized_keys file on the remote server.

ssh user@hostname 'cat >> ~/.ssh/authorized_keys' < ~/.ssh/id_rsa.pub

If you close the connection, and then attempt to establish SSH access, you should no longer be prompted for a password.

Create the remote directories

You need to have 2 directories for each domain you want to host. One for the Git repository, and one to contain the checked out build.

For example, if your domain were example.com and you also wanted a staging environment, you’d create these directories on the server:

mkdir ~/example.com ~/example.git

mkdir ~/staging.example.com ~/staging.example.git

Initialize the bare Git repository

Create a bare Git repository on the server. This is where you will push the build assets to, from your local machine. But you don’t want the files served here, which is why it’s a bare repository.

cd ~/example.git
git init --bare

Repeat this step for the staging domain, if you want.

Write a post-receive hook

A post-receive hook allows you to run commands after the Git repository has received commits. In this case, you can use it to change Git’s working directory from example.git to example.com, and check out a copy of the build into the example.com directory.

The location of the working directory can be set on a per-command basis using GIT_WORK_TREE, one of Git’s environment variables, or the --work-tree option.

cat > hooks/post-receive
#!/bin/sh
WEB_DIR=/path/to/example.com

# remove any untracked files and directories
git --work-tree=${WEB_DIR} clean -fd

# force checkout of the latest deploy
git --work-tree=${WEB_DIR} checkout --force

Make sure the file permissions on the hook are correct.

chmod +x hooks/post-receive

If you need to exclude some files from being cleaned out by Git (e.g., a .htpasswd file), you can do that using the --exclude option. This requires Git 1.7.3 or above to be installed on your server.

git --work-tree=${WEB_DIR} clean -fd --exclude=<pattern>

Repeat this step for the staging domain, if you want.

On your local machine

Now that the server configuration is complete, you want to deploy the build assets (not the source code) for the static site.

The build and deploy tasks

I’m using a Makefile, but use whatever you feel comfortable with. What follows is the basic workflow I wanted to automate.

  1. Build the production version of the static site.

    make build
    
  2. Initialize a new Git repo in the build directory. I don’t want to try and merge the new build into previous deploys, especially for the staging domain.

    git init ./build
    
  3. Add the remote to use for the deploy.

    cd ./build
    git remote add origin ssh://user@hostname/~/example.git
    
  4. Commit everything in the build repo.

    cd ./build
    git add -A
    git commit -m "Release"
    
  5. Force-replace the remote master branch, creating it if missing.

    cd ./build
    git push -f origin +master:refs/heads/master
    
  6. Tag the checked-out commit SHA in the source repo, so I can see which SHA’s were last deployed.

    git tag -f production
    

Using a Makefile:

BUILD_DIR := ./build
STAGING_REPO = ssh://user@hostname/~/staging.example.git
PROD_REPO = ssh://user@hostname/~/example.git

install:
    npm install

# Deploy tasks

staging: build git-staging deploy
    @ git tag -f staging
    @ echo "Staging deploy complete"

prod: build git-prod deploy
    @ git tag -f production
    @ echo "Production deploy complete"

# Build tasks

build: clean
    # whatever your build step is

# Sub-tasks

clean:
    @ rm -rf $(BUILD_DIR)

git-prod:
    @ cd $(BUILD_DIR) && 
    git init && 
    git remote add origin $(PROD_REPO)

git-staging:
    @ cd $(BUILD_DIR) && 
    git init && 
    git remote add origin $(STAGING_REPO)

deploy:
    @ cd $(BUILD_DIR) && 
    git add -A && 
    git commit -m "Release" && 
    git push -f origin +master:refs/heads/master

.PHONY: install build clean deploy git-prod git-staging prod staging

To deploy to staging:

make staging

To deploy to production:

make prod

Using Make, it’s a little bit more hairy than usual to force push to master, because the cd commands take place in a sub-process. You have to make sure subsequent commands are on the same line. For example, the deploy task would force push to your source code’s remote master branch if you failed to join the commands with && or ;!

I push my site’s source code to a private repository on BitBucket. One of the nice things about BitBucket is that it gives you the option to prevent deletions or history re-writes of branches.

If you have any suggested improvements, let me know on Twitter.




strategy

Strategic excellence in the architecture, engineering, and construction industries [electronic resource] : how AEC firms can develop and execute strategy using lean Six Sigma / Gerhard Plenert and Joshua J. Plenert

Plenert, Gerhard Johannes, author




strategy

The strategy of execution [electronic resource] : the five-step guide for turning vision into action / Liz Mellon and Simon Carter

Mellon, Elizabeth




strategy

Supply chain strategy at Zophin Pharma [electronic resource] / Chuck Munson ; with Arqum Mateen

Munson, Chuck, author




strategy

Surviving the tech storm [electronic resource] : strategy in times of technological uncertainty / Nicklas Bergman

Bergman, Nicklas, author




strategy

Thinkers 50 business thought leaders from India [electronic resource] : the best ideas on innovation, management, strategy, and leadership / Stuart Crainer + Des Dearlove

Crainer, Stuart




strategy

Thinkers 50 [electronic resource] : future thinkers : new thinking on leadership, strategy and innovation for the twenty first century / Stuart Crainer + Des Dearlove

Crainer, Stuart




strategy

Thinkers 50 strategy [electronic resource] : the art and science of strategy creation and execution / by Stuart Crainer + Des Dearlove

Crainer, Stuart




strategy

Internationalization of Business [electronic resource]: Cases on Strategy Formulation and Implementation




strategy

Bull Spread strategy on Tata Consumer by Nandish Shah of HDFC Securities

Primary trend of the stock is positive where stock price is trading above its 200-day SMA




strategy

The strategy of life : teleology and mechanics in nineteenth-century German biology / Timothy Lenoir

Lenoir, Timothy, 1948- author




strategy

MnO2 flowery nanocomposites for efficient and fast removal of mercury(II) from aqueous solution: a facile strategy and mechanistic interpretation

Dalton Trans., 2020, Advance Article
DOI: 10.1039/D0DT01054E, Paper
Sankar Das, Arnab Samanta, Kanika Kole, Gautam Gangopadhyay, Subhra Jana
MnO2 flowery nanocomposites were explored as a novel and cost effective nanoadsorbent for the fast and efficient extraction of toxic inorganic contaminants from aqueous solution.
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




strategy

Environmental litigation: law and strategy / Kegan A. Brown, Andrea M. Hogan, editors

Dewey Library - KF8925.E5 E583 2019




strategy

Indonesia's foreign policy and grand strategy in the 21st century : rise of an Indo-Pacific power / Vibhanshu Shekhar

Shekhar, Vibhanshu, author




strategy

Cold War monks : Buddhism and America's secret strategy in Southeast Asia / Eugene Ford

Ford, Eugene, author




strategy

A transversal low-cost pre-metallation strategy enabling ultrafast and stable metal ion capacitor technologies

Energy Environ. Sci., 2020, Advance Article
DOI: 10.1039/D0EE00351D, Paper
María Arnaiz, Devaraj Shanmukaraj, Daniel Carriazo, Dhrubajyoti Bhattacharjya, Aitor Villaverde, Michel Armand, Jon Ajuria
A low-cost pre-metallation strategy based on inorganic sacrificial salts that decompose on the first charge.
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




strategy

Microfluidic strategy for rapid and high-quality control of crystal morphology of explosives

React. Chem. Eng., 2020, Advance Article
DOI: 10.1039/D0RE00119H, Paper
Jinyu Shi, Peng Zhu, Shuangfei Zhao, Ruiqi Shen, Huanming Xia, Hanyu Jiang, Siyu Xu
A new strategy based on a microfluidic platform is proposed for the rapid and high-quality control of explosives' crystal morphology.
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




strategy

Investment strategy: Benefit from the collective wisdom of markets

By going with ETFs, you eliminate decision-making, and emotional biases that come into play when picking active funds




strategy

Active vs passive: Mixed strategy works well, have your feet in both funds

Experts favour passive funds up to 40% in core and a bunch of active funds in satellite portfolio




strategy

Effects of a Fixed-Dose Combination Strategy on Adherence and Risk Factors in Patients With or at High Risk of CVD: The UMPIRE Randomized Clinical Trial

Interview with Simon Thom, MB,BS, MD, author of Effects of a Fixed-Dose Combination Strategy on Adherence and Risk Factors in Patients With or at High Risk of CVD: The UMPIRE Randomized Clinical Trial




strategy

Harvest strategy policy and operational guidelines for the aquatic resources of Western Australia




strategy

[ASAP] Tuning the Structures of Metal–Organic Frameworks <italic toggle="yes">via</italic> a Mixed-Linker Strategy for Ethylene/Ethane Kinetic Separation

Chemistry of Materials
DOI: 10.1021/acs.chemmater.9b04177




strategy

[ASAP] Plasmonic Coupling of AgNPs near Graphene Edges: A Cross-Section Strategy for High-Performance SERS Sensing

Chemistry of Materials
DOI: 10.1021/acs.chemmater.9b05293




strategy

The growing threat to Air Force mission-critical electronics: lethality at risk: unclassified summary / Steven Darbes and Joan Fuller, editors ; Committee on a Strategy for Acquiring Secure and Reliable Electronic Components for Air Force Weapon Systems,

Online Resource




strategy

Values, ergonomics and risk management in aviation business strategy / Ayse Kucuk Yilmaz, Triant G. Flouris

Online Resource




strategy

Guidebook for developing a comprehensive renewable resources strategy / Shawn Shaw, Courtney Ferraro, Tyler Orcutt, Geoff Morrison and Mia Stephens

Barker Library - TL725.3.M2 S53 2019




strategy

Britain in Egypt: Egyptian nationalism and imperial strategy, 1919-1931 / Jayne Gifford

Rotch Library - DT107.G49 2020




strategy

[ASAP] An Economical Route to Lamivudine Featuring a Novel Strategy for Stereospecific Assembly

Organic Process Research & Development
DOI: 10.1021/acs.oprd.0c00083




strategy

[ASAP] Nontraditional Application of the Photo-Fenton Process: A Novel Strategy for Molecular Construction Using Formamide and Flow Chemistry

Organic Process Research & Development
DOI: 10.1021/acs.oprd.0c00057




strategy

[ASAP] Catalyst-Free Cyclization- and Curtius Rearrangement-Induced Functional Group Transformation: An Improved Synthetic Strategy of First-in-Class ATX Inhibitor Ziritaxestat (GLPG-1690)

Organic Process Research & Development
DOI: 10.1021/acs.oprd.9b00511




strategy

Microemulsion solventing-out co-precipitation strategy for fabricating highly active Cu–ZnO/Al2O3 dual site catalysts for reverse water gas shift

Catal. Sci. Technol., 2020, 10,2343-2352
DOI: 10.1039/C9CY02608H, Paper
Ziheng Zhen, Wenxiang Tang, Wei (Willy) Chu, Tao Zhang, Li Lv, Shengwei Tang
A new strategy for the preparation of dual site catalysts is introduced, which combines microemulsion technology and anti-solvent extraction technology.
The content of this RSS Feed (c) The Royal Society of Chemistry




strategy

An interdisciplinary quick assessment strategy to support decision-making in disaster operations




strategy

WINS: the Westside neighborhood strategy