start NBA’s restart plan amidst coronavirus includes daily testing of players, limited locations: Reports By feedproxy.google.com Published On :: Sat, 09 May 2020 08:06:23 +0000 NBA Commissioner Adam Silver explained the plan in a conference call open to all NBA players. Full Article
start Building WordPress Websites With Zurb Foundation or Bootstrap: Comparisons and Starter Themes By 1stwebdesigner.com Published On :: Fri, 27 Dec 2019 11:57:47 +0000 WordPress is super versatile. You know that. I know that. But sometimes this can be an overwhelming prospect. How on earth will you get your site up and running? What platform will you use? Zurb Foundation and Bootstrap are two … Full Article Web Design Bootstrap CSS development Foundation
start It All Starts with a Humble <textarea> By feedproxy.google.com Published On :: Sun, 08 Dec 2019 12:00:00 +0000 Andy Bell rings out a fresh call in support of the timeless concept of progressive enhancement. What does it mean to build a modern JavaScript-focussed web experience that still works well if part of the stack isn’t supported or fails? Andy shows us how that might be done. Those that know me well know that I make a lot of side projects. I most definitely make too many, but there’s one really useful thing about making lots of side projects: it allows me to experiment in a low-risk setting. Side projects also allow me to accidentally create a context where I can demonstrate a really affective, long-running methodology for building on the web: progressive enhancement. That context is a little Progressive Web App that I’m tinkering with called Jotter. It’s incredibly simple, but under the hood, there’s a really solid experience built on top of a minimum viable experience which after reading this article, you’ll hopefully apply this methodology to your own work. What is a minimum viable experience? The key to progressive enhancement is distilling the user experience to its lowest possible technical solution and then building on it to improve the user experience. In the context of Jotter, that is a humble <textarea> element. That humble <textarea> is our minimum viable experience. Let me show you how it’s built up, progressively real quick. If you disable CSS and JavaScript, you get this: This result is great because I know that regardless of what happens, the user can do what they needed to do when the loaded Jotter in their browser: take some notes. That’s our minimum viable experience, completed with a few lines of code that work in every single browser—even very old browsers. Don’t you just love good ol’ HTML? Now it’s time to enhance that minimum viable experience, progressively. It’s a good idea to do that in smaller steps rather than just provide a 0% experience or a 100% experience, which is the approach that’s often favoured by JavaScript framework enthusiasts. I think that process is counter-intuitive to the web, though, so building up from a minimum viable experience is the optimal way to go, in my opinion. Understanding how a minimum viable experience works can be a bit tough, admittedly, so I like to use a the following diagram to explain the process: Let me break down this diagram for both folks who can and can’t see it. On the top row, there’s four stages of a broken-up car, starting with just a wheel, all the way up to a fully functioning car. The car enhances only in a way that it is still mostly useless until it gets to its final form when the person is finally happy. On the second row, instead of building a car, we start with a skateboard which immediately does the job of getting the person from point A to point B. This enhances to a Micro Scooter and then to a Push Bike. Its final form is a fancy looking Motor Scooter. I choose that instead of a car deliberately because generally, when you progressively enhance a project, it turns out to be way simpler and lighter than a project that was built without progressive enhancement in mind. Now that we know what a minimum viable experience is and how it works, let’s apply this methodology to Jotter! Add some CSS The first enhancement is CSS. Jotter has a very simple design, which is mostly a full height <textarea> with a little sidebar. A flexbox-based, auto-stacking layout, inspired by a layout called The Sidebar is used and we’re good to go. Based on the diagram from earlier, we can comfortably say we’re in Skateboard territory now. Add some JavaScript We’ve got styles now, so let’s enhance the experience again. A user can currently load up the site and take notes. If the CSS loads, it’ll be a more pleasant experience, but if they refresh their browser, they’re going to lose all of their work. We can fix that by adding some local storage into the mix. The functionality flow is pretty straightforward. As a user inputs content, the JavaScript listens to an input event and pushes the content of the <textarea> into localStorage. If we then set that localStorage data to populate the <textarea> on load, that user’s experience is suddenly enhanced because they can’t lose their work by accidentally refreshing. The JavaScript is incredibly light, too: const textArea = document.querySelector('textarea'); const storageKey = 'text'; const init = () => { textArea.value = localStorage.getItem(storageKey); textArea.addEventListener('input', () => { localStorage.setItem(storageKey, textArea.value); }); } init(); In around 13 lines of code (which you can see a working demo here), we’ve been able to enhance the user’s experience considerably, and if we think back to our diagram from earlier, we are very much in Micro Scooter territory now. Making it a PWA We’re in really good shape now, so let’s turn Jotter into a Motor Scooter and make this thing work offline as an installable Progressive Web App (PWA). Making a PWA is really achievable and Google have even produced a handy checklist to help you get going. You can also get guidance from a Lighthouse audit. For this little app, all we need is a manifest and a Service Worker to cache assets and serve them offline for us if needed. The Service Worker is actually pretty slim, so here it is in its entirety: const VERSION = '0.1.3'; const CACHE_KEYS = { MAIN: `main-${VERSION}` }; // URLS that we want to be cached when the worker is installed const PRE_CACHE_URLS = ['/', '/css/global.css', '/js/app.js', '/js/components/content.js']; /** * Takes an array of strings and puts them in a named cache store * * @param {String} cacheName * @param {Array} items=[] */ const addItemsToCache = function(cacheName, items = []) { caches.open(cacheName).then(cache => cache.addAll(items)); }; self.addEventListener('install', evt => { self.skipWaiting(); addItemsToCache(CACHE_KEYS.MAIN, PRE_CACHE_URLS); }); self.addEventListener('activate', evt => { // Look for any old caches that don't match our set and clear them out evt.waitUntil( caches .keys() .then(cacheNames => { return cacheNames.filter(item => !Object.values(CACHE_KEYS).includes(item)); }) .then(itemsToDelete => { return Promise.all( itemsToDelete.map(item => { return caches.delete(item); }) ); }) .then(() => self.clients.claim()) ); }); self.addEventListener('fetch', evt => { evt.respondWith( caches.match(evt.request).then(cachedResponse => { // Item found in cache so return if (cachedResponse) { return cachedResponse; } // Nothing found so load up the request from the network return caches.open(CACHE_KEYS.MAIN).then(cache => { return fetch(evt.request) .then(response => { // Put the new response in cache and return it return cache.put(evt.request, response.clone()).then(() => { return response; }); }) .catch(ex => { return; }); }); }) ); }); What the Service Worker does here is pre-cache our core assets that we define in PRE_CACHE_URLS. Then, for each fetch event which is called per request, it’ll try to fulfil the request from cache first. If it can’t do that, it’ll load the remote request for us. With this setup, we achieve two things: We get offline support because we stick our critical assets in cache immediately so they will be accessible offline Once those critical assets and any other requested assets are cached, the app will run faster by default Importantly now, because we have a manifest, some shortcut icons and a Service Worker that gives us offline support, we have a fully installable PWA! Wrapping up I hope with this simplified example you can see how approaching web design and development with a progressive enhancement approach, everyone gets an acceptable experience instead of those who are lucky enough to get every aspect of the page at the right time. Jotter is very much live and in the process of being enhanced further, which you can see on its little in-app roadmap, so go ahead and play around with it. Before you know it, it’ll be a car itself, but remember: it’ll always start as a humble little <textarea>. About the author Andy Bell is an independent designer and front-end developer who’s trying to make everyone’s experience on the web better with a focus on progressive enhancement and accessibility. More articles by Andy Full Article UX craft
start Phailin starts pounding Orissa, Andhra coast By archive.indianexpress.com Published On :: Sat, 12 Oct 2013 17:13:23 GMT This might be the second biggest evacuation exercise undertaken since 1990, NDMA officials. Full Article
start Computing in algebraic geometry [electronic resource] : a quick start using SINGULAR / Wolfram Decker, Christoph Lossen By darius.uleth.ca Published On :: Berlin ; Springer ; [2006] Full Article
start Samsung starts taking online pre-orders for TVs, ACs, and other electronics By www.business-standard.com Published On :: Mon, 04 May 2020 13:57:00 +0530 Consumers pre-booking on Samsung Shop will get 15 per cent cashback when paying with HDFC cards Full Article
start Sony India starts advanced booking for home audio-video products By www.business-standard.com Published On :: Fri, 08 May 2020 23:33:00 +0530 Under its 'Stay Home, Stay Safe' programme, Sony is offering discounts and special price offer on its products Full Article
start 151 JSJ Getting Started with a Career in Web Development with Tyler McGinnis By devchat.tv Published On :: Wed, 18 Mar 2015 09:00:00 -0400 02:21 - Tyler McGinnis Introduction Twitter GitHub Blog DevMountain Programming Bootcamp @DevMtn Firebase Experts Program 03:23 - Getting Started at DevMountain Hack Reactor Needle 04:38 - DevMountain Conception Cahlan Sharp 05:37 - How Do I Learn How to Code? Struggle. Fail. Tears. [Confreaks] Tyler McGinnis: What I’ve Learned about Learning from Teaching People to Code 08:03 - Resources => Consume ALL THE Information Katya Eames [YouTube] Katya Eames: How to Teach Angular to your Kids A Smarter Way to Learn JavaScript: The new approach that uses technology to cut your effort in half by Mark Myers 11:16 - Two Camps: Art (Creators) and Technicians <= Does DevMountain Cater to One or the Other? 13:08 - Repetition as a Way to Learn The Hard Way Series (Zed Shaw) Follow @lzsthw for book related news, advice, and politeness 15:23 - Letting People Struggle vs Helping Them 17:14 - Training/Finding Instructors / Teaching Teachers to be Better Teachers 21:08 - Why Is JavaScript a Good Language to Learn? JSX 24:11 - DevMountain Mentors 26:30 - Student Success Stories 28:56 - Bootcamp Learning Environments React Week @reactweek Ryan Florence 34:11 - Oldest and Youngest Students (Success Stories Cont’d) 37:18 - Bootcamp Alumni (Employment Rates and Statistics) Picks Costco Kirkland Brand Peanut Butter Cups (Dave) [Confreaks] Tyler McGinnis: What I’ve Learned about Learning from Teaching People to Code (Dave) [YouTube] Katya Eames: How to Teach Angular to your Kids (Dave) [YouTube] Misko Hevery and Rado Kirov: ng-conf 2015 Keynote 2 (Dave) Mandy’s Fiancé (AJ) [YouTube] Katya Eames: How to Teach Angular to your Kids (Joe) ng-conf Kids (Joe) Salt (Joe) [YouTube] Dave Smith: Angular + React = Speed (Tyler) [YouTube] Igor Minor: (Super)Power Management (Tyler) React.js Newsletter (Tyler) Dave Smith’s addendum to his talk (Joe) Full Article
start JSJ 427: How to Start a Side Hustle as a Programmer with Mani Vaya By devchat.tv Published On :: Tue, 31 Mar 2020 06:00:00 -0400 JavaScript Remote Conf 2020 May 14th to 15th - register now! Mani Vaya joins Charles Max Wood to talk about how developers can add the enterepreneur hat to the others they wear by starting a side gig. They discuss various ideas around entrepreneurship, the books they got them from, and how they've applied them in their own businesses. Panel Charles Max Wood Guest Mani Vaya Sponsors Taiko __________________________________________________ "The MaxCoders Guide to Finding Your Dream Developer Job" by Charles Max Wood is now available on Amazon. Get Your Copy Today! __________________________________________________ Picks Mani Vaya: Good to Great The Lean Startup Charles Max Wood: Expert Secrets The Masked Singer Follow JavaScript Jabber on Twitter > @JSJabbber Full Article
start Agritech start-up Brainwired raises funding By www.thehindubusinessline.com Published On :: Fri, 08 May 2020 15:53:35 +0530 Agritech start-up Brainwired, which provides livestock health monitoring and tracking solution has raised undisclosed funding from Mumbai Angels. The Full Article Agri Business
start Product :: Adobe Acrobat X for Windows and Macintosh: Visual QuickStart Guide By www.peachpit.com Published On :: Tue, 28 Dec 2010 00:00:00 GMT Full Article
start Product :: Microsoft Office 2011 for Mac: Visual QuickStart By www.peachpit.com Published On :: Fri, 11 Feb 2011 00:00:00 GMT Full Article
start Product :: Microsoft Office 2011 for Mac: Visual QuickStart By www.peachpit.com Published On :: Fri, 11 Feb 2011 00:00:00 GMT Full Article
start Product :: Dragon Dictate 2.5: Visual QuickStart Guide By www.peachpit.com Published On :: Thu, 03 Nov 2011 00:00:00 GMT Full Article
start Product :: Windows 8: Visual QuickStart Guide By www.peachpit.com Published On :: Fri, 19 Oct 2012 00:00:00 GMT Full Article
start The tech entrepreneur's survival guide [electronic resource] : how to bootstrap your startup, lead through tough times, and cash in for success / Bernd Schoner By prospero.murdoch.edu.au Published On :: Schoner, Bernd Full Article
start Think before you engage [electronic resource] : 100 questions to ask before starting a social media marketing campaign / Dave Peck By prospero.murdoch.edu.au Published On :: Peck, Dave D Full Article
start JAMA Cardiology : Efficacy and Safety of Further Lowering of LDL Cholesterol in Patients Starting With Very Low Levels By traffic.libsyn.com Published On :: Wed, 01 Aug 2018 15:00:00 +0000 Interview with Marc S. Sabatine, MD, MPH, author of Efficacy and Safety of Further Lowering of Low-Density Lipoprotein Cholesterol in Patients Starting With Very Low Levels: A Meta-analysis Full Article
start La Liga knocks down talk of June 20 restart By www.thehindu.com Published On :: Fri, 08 May 2020 06:22:48 +0530 Leganes coach Javier Aguirre had said that the Spanish football season will re-start on June 20. Full Article Football
start Transactional intellectual property: from startups to public companies / Richard S. Gruner, professor of law, John Marshall Law School), Shubha Ghosh (Crandall Melvin Professor of Law, director, Technology Commercialization Law Program & Syracuse Inte By library.mit.edu Published On :: Sun, 11 Aug 2019 10:25:18 EDT Dewey Library - KF2980.G78 2018 Full Article
start Re-starting trains a relief, but some migrants continue trek By www.thehindu.com Published On :: Fri, 08 May 2020 23:32:18 +0530 About 300 of those who had been detained leave by train to Uttar Pradesh Full Article Karnataka
start Bundesliga restart gives hope to other leagues, says Schalke’s David Wagner By indianexpress.com Published On :: Sat, 09 May 2020 14:00:27 +0000 Full Article Football Sports
start At least six EPL teams oppose restart By www.rediff.com Published On :: The Premier League's 'Project Restart' envisages a return to play in June, once given the green light from government, with the remaining 92 matches held behind closed doors at neutral venues. Full Article
start Serie A restart still on hold By www.rediff.com Published On :: Serie A teams have been allowed to start practice this week but only with players training individually and respecting social distancing. Full team practice is due to begin on May 18, but only if the medical protocol is approved. Full Article
start Students want more climate change education. Their teachers and professors are starting to listen By feedproxy.google.com Published On :: 10 Feb 2020 06:01:01 +0000 Spurred by activism, educators are reworking curricula to train future generations to adapt to our changing climate Full Article
start Versalis to restart Italian cellulosic ethanol plant By feedproxy.google.com Published On :: 15 Feb 2020 11:29:27 +0000 Full Article
start Biotech IPOs off to a strong start in 2020 By feedproxy.google.com Published On :: 20 Feb 2020 23:49:34 +0000 4 firms have raised more than double their initial expectations Full Article
start Ethylene plants start up in the US By feedproxy.google.com Published On :: 22 Feb 2020 11:30:36 +0000 Full Article
start Paula Hammond on women in science: Life will always be busy; start a company anyway By feedproxy.google.com Published On :: 08 Mar 2020 06:14:00 +0000 The MIT chemical engineering head is charting a course into the start-up world with LayerBio Full Article
start Protein degradation start-up Kymera raises $102 million in series C financing By feedproxy.google.com Published On :: 15 Mar 2020 09:52:28 +0000 Full Article
start Syngenta backs sterile pollen start-up By feedproxy.google.com Published On :: 15 Mar 2020 09:52:40 +0000 Full Article
start Coronavirus starts to weigh on industry By feedproxy.google.com Published On :: 01 Apr 2020 19:43:14 +0000 Auto manufacturing is the first sector to halt demand for chemicals Full Article
start Quantum computing start-up Seeqc gets backing from Merck KGaA By feedproxy.google.com Published On :: 17 Apr 2020 04:00:00 +0000 Full Article
start Polyhydroxyalkanoate start-up RWDC raises $135 million By feedproxy.google.com Published On :: 09 May 2020 00:44:15 +0000 Full Article
start Die doktorarbeit: vom start zum ziel [electronic resource] : lei(d)tfaden für promotionswillige / Barbara Messing, Klaus-Peter Huber By darius.uleth.ca Published On :: Berlin, Heidelberg : Springer-Verlag Berlin Heidelberg, 2007 Full Article
start Preservation News: Topics in Preservation Series (TOPS) Webinars for Preservation Week 2020, Starting April 27 By locpreservation.eventbrite.com Published On :: Tue, 21 Apr 2020 14:13:38 -0500 The Library of Congress Preservation Directorate is excited to present a Topics in Preservation Series (TOPS) for Preservation Week 2020! From April 27-May 1, we are hosting webinars every day at 11am (EST). The five, hour-long webinars will feature preservation related projects conducted at the Library of Congress. Register now for any, or all, of the following webinars at http://LOCPreservation.eventbrite.com or at the links below. For more information and resources related to preservation at the Library of Congress, visit https://www.loc.gov/preservation/ Keeping it Cool – Designing the Library’s New Gutenberg Bible Display Case Monday, April 27th, 11am – 12pm Register here The Library of Congress’ Gutenberg Bible is on permanent display in the Thomas Jefferson Building. Even though its three volumes are displayed on a rotating basis, the concerns about the adverse effects of long-term display required the Library’s’ conservation staff to create a purpose designed display case that would mitigate these adverse effects. The speakers will talk about the design process, present various features of the new case, and share with the audience some lessons learned now that the case is fully functioning for a little over a year. Presented by Elmer Eusman, Chief, Conservation Division and Nancy Lev-Alexander, Head, Collection Stabilization Section Acquiring and Developing an Offsite High Density Collections Storage Facility Tuesday, April 28th, 11am – 12pm Register here In addition to operating state-of-the art preservation quality storage facilities at Ft. Meade, the Library operates a rental property which meets its needs for interim storage. This webinar discusses the Library’s experience in acquiring and developing this facility. Cabin Branch (located in Landover, MD) shows a way to control costs without compromising on collections care. The webinar will explain how the Library of Congress designed an interim storage warehouse with collections safety foremost in mind, while keeping cost under control by working with the developer to focus on the features most critical to safeguarding our collections. Presented by Steve Herman, Chief, Collections Management Division; Rohn Roache, Assistant Chief, Collections Management Division; Nancy Lev-Alexander, Head, Collection Stabilization Section Assessing the Condition of the United States National Collection Wednesday, April 29th, 11am – 12pm Register here A national research initiative funded by the Mellon Foundation “Assessing the Physical Condition of the National Collection” is undertaking the task to objectively assess the condition of books held in collecting institutions of the United States by performing an in-depth scientific analysis on a representative sample. The research focuses on analyzing the same 500 volumes from five different research libraries in five different climatic zones through the time period 1840-1940. Research to date has shown some extremely interesting trends. This presentation will focus on the analytical techniques used in the program and show what this means to the preservation of print collections throughout the United States. Presented by Fenella France, Chief, Preservation Research and Testing Division Environment, Housing & Building Materials Testing to Protect our Collections Thursday, April 30th, 11am – 12pm Register here Challenges to preserving the national collection come from both inherent risks in the collections themselves and from materials in the immediate environment. The Library’s quality assurance program is focused on analyzing all materials that come into contact with collections or are part of the surrounding environment. The quality assurance (QA) program involves testing of materials used for housing, storage, and in conservation treatments, as well as evaluation, definition, and dissemination of standards for the use of these materials. This presentation will give specific examples of QA testing, new developments in quantification and identification of volatile organic compounds, fast and accurate test methodologies, examples of collection inherent material challenges, and assessment of off-gassing from potential building and housing materials to determine safety for special collections. Presented by Dr. Eric Monroe, Supervisory Physical Scientist Would You Like to Save Your Game? Friday, May 1st, 11am – 12pm Register here Libraries, archives and museums are facing an ever increasing amount of interactive media in their collections, including software applications, time based artworks and video games. These materials provide unique challenges in regards to acquisition, description and preservation, and many institutions are working to develop new approaches to ensuring the long term preservation of and access to born digital cultural artifacts. The Library’s National Audio-Visual Conservation Center (NAVCC) holds over 5,000 videogames amassed through copyright deposit and private donation. This collection contains not only a wide array of formats from 5.25” floppy disks to modern console cartridges, but also packaging, documentation, and adjacent materials such as magazines. The Preservation Reformatting Division and NAVCC work together to describe, reformat, and preserve these complex digital objects and preserve this important part of culture. This webinar will highlight different aspects of the preservation workflow. Presented by Amanda May, Digital Conservation Specialist; David Gibson, Processing Technician; Laura Davis, Project Specialist Click here for more information about the webinars. Full Article
start Sony India starts advanced booking for home audio-video products By economictimes.indiatimes.com Published On :: 2020-05-08T17:02:11+05:30 After 40 days of lockdown, certain business activities like opening of standalone stores and e-commerce delivery of non-essential items have been allowed in green and orange zones (locations with few or no COVID-19 cases). Full Article
start Jewellery exporters seek permission to start diamond bourse, SEZ in Mumbai By www.business-standard.com Published On :: Mon, 04 May 2020 16:33:00 +0530 The industry would like to commence operations at the earliest to avoid cancellation of pending orders Full Article
start Security projects 'violate' green laws as they start work in Karnataka By www.dailymail.co.uk Published On :: Fri, 29 Mar 2013 00:00:00 -0000 Security projects 'violate' green laws as they start work in Karnataka Full Article
start Coronavirus update: India cases cross 52k; public transport may start soon By www.business-standard.com Published On :: Thu, 07 May 2020 11:38:00 +0530 It's already May, and parts of the country hit 40 degrees Celsius a few days ago, making situations worse for people living in cramped quarters to stay indoors Full Article
start The US car industry is restarting after Covid. Now what? By Published On :: The US car industry is restarting after Covid. Now what? Full Article
start Bundesliga restart gives hope to other leagues: Schalke's Wagner By Published On :: Bundesliga restart gives hope to other leagues: Schalke's Wagner Full Article
start Czech Airlines to restart some flights after coronavirus grounding By Published On :: Czech Airlines to restart some flights after coronavirus grounding Full Article
start Film industry can start post-production from May 11 By Published On :: Film industry can start post-production from May 11 Full Article
start 'Europe needs a break': EU plots to restart tourism By Published On :: 'Europe needs a break': EU plots to restart tourism Full Article
start Coronavirus impact: Early funding of start-ups may hit a stumbling block By www.business-standard.com Published On :: Sun, 05 Apr 2020 22:43:00 +0530 This comes as seed investments in India during the January-March quarter, which was hit by the lowest level in five quarters Full Article
start RBI MPC starts meeting to decide new rates amid slowdown, rising inflation By www.business-standard.com Published On :: Tue, 04 Feb 2020 15:00:00 +0530 The retail inflation that for several months remained in the comfort zone of the central bank has started inching up and crossed the 7 per cent mark during December 2019 Full Article
start Yogi govt to table Budget 2020-21 on February 18; session starts Thursday By www.business-standard.com Published On :: Wed, 12 Feb 2020 17:26:00 +0530 The size of the UP Annual Budget 2020-21 is expected to breach the historic mark of Rs 5 trillion Full Article
start Objective of kick-starting growth not addressed effectively in Budget: Garg By www.business-standard.com Published On :: Sat, 15 Feb 2020 19:44:00 +0530 "All these expenditures are unlikely to be imparting any fresh growth stimulus to the Indian economy," he argued Full Article
start Die Entwicklung von Palästen und palastartigen Wohnbauten in Iran / Wolfram Kleiss By grammy.mit.edu Published On :: Wed, 30 Oct 2019 Rotch Library - NA1480.K535 1989 Full Article