#AsyncOperations
Explore tagged Tumblr posts
Text
Fetching and displaying data from external APIs is a common task in modern web development. In Vue.js, you can easily handle API requests and display the results using a library like Axios. Axios is a promise-based HTTP client that works seamlessly with Vue.js for making requests to APIs. This guide will walk you through the process of using Axios in Vue.js to fetch data from an API and display it in your components, step by step.
#VueJS#Axios#APIIntegration#FrontendDevelopment#JavaScript#WebDevelopment#Vue3#RESTAPI#DataFetching#VueComponents#APIRequests#VueJSApp#JavaScriptFramework#AsyncOperations#VueRouter#JSON#HTTPRequests#WebAppDevelopment#StateManagement#VueJSDevelopment#AxiosRequests#APIResponse#DataBinding#DynamicData#JavaScriptAsync#VueJSArchitecture#SinglePageApplications#SPA
0 notes
Text
Dynamics 365 EXCEPTION HANDLING in Plugins
Dynamics 365 EXCEPTION HANDLING in Plugins
For synchronous plug-ins, whether registered in the sandbox or not, the Microsoft Dynamics CRM platform handles exceptions passed back from a plug-in by displaying an error message in a dialog of the web application user interface.
The exception message for asynchronous registered plug-ins is written to a System Job (AsyncOperation) record which can be viewed in the System Jobs area of the web…
View On WordPress
0 notes
Text
Loading screen functionality code
using UnityEngine; using System.Collections; using UnityEngine.UI; public class SceneLoader : MonoBehaviour { private bool loadScene = false; [SerializeField] private int scene; [SerializeField] private Text loadingText; // Updates once per frame void Update() { // If the player has pressed the space bar and a new scene is not loading yet... if (Input.GetKeyUp(KeyCode.Space) && loadScene == false) { // ...set the loadScene boolean to true to prevent loading a new scene more than once... loadScene = true; // ...change the instruction text to read "Loading..." loadingText.text = "Loading..."; // ...and start a coroutine that will load the desired scene. StartCoroutine(LoadNewScene()); } // If the new scene has started loading... if (loadScene == true) { // ...then pulse the transparency of the loading text to let the player know that the computer is still working. loadingText.color = new Color(loadingText.color.r, loadingText.color.g, loadingText.color.b, Mathf.PingPong(Time.time, 1)); } } // The coroutine runs on its own at the same time as Update() and takes an integer indicating which scene to load. IEnumerator LoadNewScene() { // This line waits for 3 seconds before executing the next line in the coroutine. // This line is only necessary for this demo. The scenes are so simple that they load too fast to read the "Loading..." text. yield return new WaitForSeconds(3); // Start an asynchronous operation to load the scene that was passed to the LoadNewScene coroutine. AsyncOperation async = Application.LoadLevelAsync(scene); // While the asynchronous operation to load the new scene is not yet complete, continue waiting until it's done. while (!async.isDone) { yield return null; } } }
0 notes
Text
How we adapted the LA Times map maker
When news breaks, The Seattle Times faces a common problem: we want visual elements for the story, but photographers may not be on the scene yet. For this, we’ve often turned to maps from the graphics department, but these are labor-intensive to build, even with our fantastic crew of news artists. Services to generate maps are expensive. What’s a small, penny-pinching newsroom to do?
My first attempt at solving this problem was a simple Leaflet-based app. The styling wasn’t great, and due to browser security restrictions, people still had to manually screenshot the window in order to grab an image. It was, in short, a total hack. That’s why I was thrilled to discover the work that the LA Times Data Desk has been doing with their Web Map Maker project. Using OpenStreetMap data and vector tiles from MapZen, their tool is capable of rendering directly to a canvas, and then saving that image–no screenshot required!
I forked the project pretty much right away, and started messing around with it. Eventually, an evening in Sublime turned into a substantial rewrite, with two main goals: to match Seattle Times code style, and to simplify it by taking advantage of new browser features. In this post, I’d like to walk through some of the changes that we made–not as a criticism of the LA Times’ work, which I’m still in awe of, but as a way to explore how modern JavaScript can make a real-world application simpler and easier to maintain.
async/await
The first thing I noticed about the web map maker was the downloadIMG() function, which does the actual image capture. At more than 100 lines, it’s a monster, but a necessary one: it combines canvas rendering for the base map, html2canvas to grab popups and other map elements, and a chunk of custom code to draw any SVG elements loaded from GeoJSON. Web maps are complicated!
Compounding this problem is that, like a lot of legacy JavaScript, the code is callback-heavy. downloadIMG() becomes more and more indented as it moves through various stages, which is hard to maintain. Untangling this rendering process made a lot of sense as a starting point for the refactor, and using async/await was a natural method for taming those wild callbacks.
The async and await keywords are new to ES2017, but you can use them in evergreen browsers like Chrome and Firefox now. They’re syntactic sugar for the then() method of JavaScript Promises: inside of a function marked with async, you can “pause” the function using await instead of passing a callback to then(). For example, this:
var asyncOperation = functionThatReturnsAPromise(); asyncOperation.then(function(result) { return doSomeWork(result); }).then(function(nextResult) { return doMoreAsyncWork(nextResult); });
can be simplified into this:
var firstResult = await functionThatReturnsAPromise(); var secondResult = await doSomeWork(firstResult); await doMoreAsyncWork(secondResult);
At each await, the browser converts your function into a callback for you, even in the middle of an expression or a variable assignment. The resulting code no longer requires all the function boilerplate and extra indentation. It can be “read” as synchronous, even though in reality it might take significant time to execute.
Breaking downloadIMG() into several promise-based functions made it much easier to understand and debug, since skipping a step became as simple as commenting out an await-ed function call. The new code has actually gotten a little longer after being broken up into sub-tasks, but the readability is much higher now. I was also able to move it out into its own module, which strengthens the distinction between logic and UI in the app structure.
No jQuery
jQuery is great, but at the Times we have a policy of avoiding it unless we need at least three of its hard-to-shim features, like JSONP requests or event delegation. Modern browser APIs have learned a lot from jQuery, and integrated many of its features, to the point where you might not need its help.
The original map maker code used jQuery extensively, but most of the cleanup was pretty straightforward:
perform DOM queries with a call to document.querySelectorAll(), aliased to $
use classList instead of addClass() and removeClass() calls
addEventListener() instead of on()
A common pattern of jQuery is that it acts on all elements in a selected query, whether there’s one or more (or even zero). ES2015’s arrow functions aren’t quite that convenient, but they do provide a close analog:
// jQuery version $(".toggle-element").addClass("enabled"); // qsa() returns an array from document.querySelectorAll qsa(".toggle-element").forEach(el => el.classList.add("enabled"));
It’s a little more clumsy, but it saves us the cost of loading 32KB of code for jQuery, which contributes to faster page load. jQueryUI adds another 55KB, most of which is unused–the project only needs the resize functionality for the map’s drag handle. I write a small vanilla JS module to do resizing instead, dispatching a custom DOM event whenever the element’s dimensions changed so that we could continue listening in the main module for changes.
Eliminating ~90KB of code may not seem like a lot, but on lower-powered devices, that can shave ~90ms off the page load just from the cost of code parsing and module execution. It also means we no longer load the CSS required for jQueryUI (which, ironically, the original app did not use anywhere). And speaking of CSS…
Flexbox instead of Bootstrap
This is another technique that’s becoming conventional wisdom as browsers improve: you might not need Bootstrap! The Flexbox specification for CSS lets us define a page in terms of vertical or horizontal ��flex containers,” and force the children of those containers to stretch or align on either axis (finally, easier vertical centering is here). The original map maker used Bootstrap for some button group styles, but otherwise didn’t really rely on it. Swapping Flexbox in for positioning, and styling those buttons manually, turned out to be a pretty easy fix.
Destructuring and for/of loops
Finally, although it’s not a big change, I did take advantage of destructuring assignment throughout the app. For example, when pulling the width and height out of the resizer’s event:
var { width, height } = event.detail;
Or even when importing modules from my async-based loader:
var [ qsa, resizer, render ] = await install.batch("qsa", "resizer", "render");
And when combined with the new value-oriented loops and iterables in ES2015, it eliminates some boilerplate from checking the current dimensions against existing size presets:
for (var [w, h] of Object.values(sizePresets)) { if (w == width && h == height) custom = false; }
This kind of unpacking behavior is common in Python or PHP, so it’s a relief to finally have it in JavaScript. It reduces the assignment code you need to write, and makes it clearer which properties you’re going to use from a given object. In some cases, it can also make tight loops faster, since local variables are quicker than properties accessed through the dot operator.
Final thoughts
Internal tools like this are a great chance to play around with new browser features, because we can set stronger minimum requirements for users. However, you can also publish code that uses many of these new JavaScript toys if you’re willing to set up a transpiler like Babel in your build process. We’ve made this a part of our standard news app template at the Times, and it has made a lot of our code much more pleasant to read and write. I highly recommend giving it a shot.
I’d like to close by again noting how incredibly grateful I am that the LA Times decided to open-source their tools, and that LAT map guru Jon Schleuss was so gracious about sharing with us. We’re actually still working on the project styles, and hoping to use it in production soon. You can check out the repo and watch our progress here.
Unfortunately, it’s likely that I’ve refactored so much that it’ll be difficult to pull changes back into their master branch. I hope that by spelling out the changes in this post, it’ll be easier to figure out which parts are most useful, and which ones are just me showing off. Projects like this really drive home just how important open-source development can be for the news nerd community, since we’re much stronger as a community than we are as individual newsrooms.
from Code @ Seattle Times http://ift.tt/2s4V4fN via IFTTT
0 notes