Set up a smarter routing system with Node.js and Express

At FusionWorks we enjoy using the NestJS framework, which helps a lot to keep our Node.js code clean and well-structured thanks to its modular architecture. But what if you only have Express at a hand? Could we achieve something similar?

Image generated by MidJourney AI for “developer creates smart routing system using Express”

In this tutorial, we’ll set up routes with “dummy” handler functions. On completion, we’ll have a modular structure for our route handling code, which we can extend with real handler functions. We’ll also have a really good understanding of how to create modular routes using Express!

Let’s say we have three routes (//home/about), each one with two different HTTP verbs (getpost).

Our goal here is to create a separate file for each path and make use of the Express Router object. The Router object is a collection of middleware and routes. It is a mini-app within the main app. It can only perform middleware and routing functions and can’t stand on its own.

// routes/root.js
const express = require("express");
const router = express.Router();
router
.route("/")
.get((req, res) => res.send("getting /"))
.post((req, res) => res.send("posting /"));

module.exports = router;// routes/home.js
const express = require("express");
const router = express.Router();
router
.route("/home")
.get((req, res) => res.send("get /home"))
.post((req, res) => res.send("post /home"));

module.exports = router;// routes/about.js
const express = require("express");
const router = express.Router();
router
.route("/about")
.get((req, res) => res.send("get /about"))
.post((req, res) => res.send("post /about"));

module.exports = router;// index.js
const express = require("express");
const app = express();
const port = 3000;
app.use("/", require("./routes/root"));
app.use("/home", require("./routes/home"));
app.use("/about", require("./routes/about"));
app.listen(port, () =>
console.log(`App listening at http://localhost:${port}`)
);

By having each route in its own file, we’re achieving a less messy code in the index.js file. The problem that still persists here — is that every time we add a new route file, the main file has to change as well, in order to map the path to the file.

Achieving a greater number of routes — produces the same problem: the main file gets bigger and messier.

We can solve this issue by creating a separate file that maps all the other routes and making use of it inside the main file.

// routes/index.js
module.exports = (app) => {
app.use("/", require("./root"));
app.use("/home", require("./home"));
app.use("/about", require("./about"));
};// index.js
const express = require("express");
const app = express();
const port = 3000;
const bootstrapRoutes = require("./routes");
bootstrapRoutes(app);
app.listen(port, () =>
console.log(`App listening at http://localhost:${port}`)
);

The routes folder index file receives the app instance from the main file and makes the path mapping. Now we have a cleaner main file, but we still have the problem that it’s required to manually map each path to its file.

This can be improved if we would loop through the routes folder’s files and map them accordingly. We’ll be using the filesystem readdirSync method. This method is used to synchronously read the contents of a given directory,
it also returns an array with all the file names or objects in the directory.

// routes/index.js
const snakeCase = require("lodash/snakeCase");
const express = require("express");
const fs = require("fs");
const path = require("path");module.exports = (app) => {
const files = fs.readdirSync(__dirname);
files.forEach(file => {
if (file === "index.js") {
return;
} const filePath =
file !== "root.js"
? file.replace(".js", "")
: "";

const router = express.Router(); const currentRoute =
require(path.join(__dirname, `/${filePath}`))(router); app.use(`/${filePath}`, currentRoute);
});
}

References

NestJS + JWT: complete hands-on guide

In today’s article, we’ll be building a complete JWT-based authentication module with logout and refresh functionality. Also, we’ll get through on how to use access and refresh tokens with PassportJS and NestJS. But first, let’s understand how this mechanism works in theory.

Image generated by MidJourney AI for “json web token protects API from hacker attacks”
  1. After authenticating successfully the client receives an access token.
  2. The client provides an access token every time a protected request is made.
  3. The server checks if the access token is valid, if so, the request is successful.
  4. In case the token is invalid, the server throws an error about the token being invalid.
  5. The client is able to get a new access token by authenticating or refreshing it by presenting the refresh token.
  6. The server validates the refresh token, and if valid, issues a new access token and a refresh token.

Now that we have a solid grasp of how the mechanism works in theory, let’s try and put it into practice.

Prerequisites

In this guide we’ll be using regular REST for our endpoints and Prisma as our ORM system, we’re also gonna need a hashing library to hash users’ passwords and tokens — we’ll be using bcrypt.
For our authentication strategy, we’re gonna install nestjs/jwt and passport-jwt.

We won’t cover the project setup or the Prisma & JWT setup, since this is not the purpose of our today’s article. You could check the respective NestJS documentation if you need more details on this:

Once done with the basics let’s dive in by setting up our authentication controller:

And the authentication service should look like this:

Now let’s add our first method in our auth.service.ts to retrieve a user’s tokens, use env variables for the expiresIn field, the refreshToken expiration time is usually about a week and the accessToken expiration time should be about 15 minutes.

Let’s also add a method that will update a user’s hashedRefreshToken field, see more here.

Let’s implement the login functionality inside auth.service.ts, we’ll be using the above-implemented methods, signTokens and updateRefreshToken:

So what happens here is — that on each login, we supply the client with fresh tokens and update the current user’s state with a hashed token which will be used in the future to refresh both the refresh token and the access token.

Let’s implement both the logout and refresh methods, the logout method will delete the user’s stored hashed token and the refresh method will compare if the issued token matches the one stored inside the user, if that’s the case — it will issue the client a pair of fresh tokens.

Let’s move on to our auth.service.ts, see more here.

Pay attention that our logout and refresh method — received userId as a parameter, we’re not gonna pass that parameter inside the body of our request but rather get it from the JWT of the current user — we’ll achieve that by implementing both strategy and guard functionality (we’ll use the @nestjs/passport AuthGuard for now), it will help to manage the state of the authenticated users (by issuing JWT tokens in our case and verifying their credentials).

We’ll need 2 different strategies, one for accessing all the endpoints and one for our refresh endpoint.

The first strategy will decode the JWT from the request, by setting the ignoreExpiration to false — it will also check its expiration and send it back through the AuthGuard, so we’ll be able to access it from the Req() decorator (by default under the property user).

By setting the passReqToCallback to true inside the second strategy, we have access to the request object inside the validate method, the “refresh strategy” will take the refresh token from the authorization header and send it to the controller through the AuthGuard.

Let’s proceed by implementing our strategies first:

Now, let’s update our logout and refresh endpoints inside the auth.controller.ts, we’ll pass our newly created strategies to the AuthGuard which will be passed inside the @UseGuards decorator, thus our endpoints will be secured accordingly, that way we’ll create a connection between our endpoint and the created strategy and we’ll have access to the request object that is fulfilled with JWT data inside the strategy.

So let’s go once again through what’s happening really:

  • The logout endpoint is secured by our guard that implements the jwt strategy, thus it can be accessed only if the client provides a valid access token, if the access token is invalid — the refresh endpoint should be called by the client to ask for a new pair of tokens.
  • The refresh endpoint has one important job — to let the client refresh his tokens (without having to log in again), in case the provided refresh token by the client is not valid, the user is forbidden from accessing any endpoints other than login (in the case of our guide).

So now — we have our own refresh token mechanism implementation. This can be improved of course by creating a custom AuthGuard for both of our cases (access and refresh), we may also create a custom decorator that will return the JWT data from the ExecutionContext, instead of accessing the Req() decorator.

Bonus

Since we have the backend implementation, let’s try to go through the frontend part.
As was mentioned before, the client asks for new tokens using the refresh token as soon as the main token expires, and then the client needs to use the freshly retrieved token for the next API call until that token expires as well. You can send the request for new tokens after the first 403 response for example, but in this guide, we’ll be using Axios for the HTTP requests and Redis to store the tokens:

The response interceptor verifies if the server returned a status code that shows an access token has expired. If that’s the case, a function that refreshes the access token gets called. That function returns and stores the tokens in Redis.

References

Using WebView with Flutter

Flutter comes with many packages that grant the possibility to run web pages in mobile apps. After research, the leader has been found: webview_flutter.

Why webview_flutter

First of all, it is currently maintained by the official Google team. When the development started, there were no official recommendations by the Flutter team on which package should be used.

The second reason why we started using this package — it gives us the possibility to share data between the web page and the flutter application in two directions. This feature was crucial when we investigated this case.

On iOS the WebView widget is backed by a WKWebView; On Android, the WebView widget is backed by a WebView.

How to set up webview_flutter

The setup is pretty easy. Install the library using the description on the official page.

How do we get data from a web page

JavascriptChannel gives us possibility to get data from web page. We set it up in the javascriptChannels list:

Firstly we choose the name for the channel in name parameter. This name will used to access channel from inside the web page. When we call the method channel from the page, onMessageReceived will be fired transporting the message.

Now let’s see how to send messages from the page. Firstly, webview_flutter mutates window object. If a web page has been loaded using this package it will have a property that we have defined in JavascriptChannel. In our case we can access the channel by calling:

We can use postMessage method to pass data to WebView and trigger onMessageReceived callback.

If you should use TypeScript in your project, you will need to override Window interface using following syntax:

How to pass data to a web page

In this particular case, we can not just use a JavascriptChannel, we should somehow inject some JavaScript code that will fire messages inside the web page. In this case, the web page will have a subscriber that will process the data received from the app.

The packagewebview_flutter comes with a solution. We can use WebViewController class that has runJavascript(String script) method:

Once script is executed and message is fired, a callback from inside the page is triggered:

Summary

In this article we have successfully transported data from a web page into Flutter application using WebView and vice versa.

Web page:

Send data: window.WebViewUserLocation.postMessage('');

Receive data: window.addEventListener('message', onMessageReceived);

Flutter app:

Send data:

Receive data: use JavascriptChannel

How to prevent sensitive data leakages through code repositories

Version control software (VCS) is essential for most modern software development practices. Among other benefits, software like Git, Mercurial, Bazaar, Perforce, CVS, and Subversion allows developers to save snapshots of their project history to enable better collaboration, revert to previous states, recover from unintended code changes, and manage multiple versions of the same codebase. These tools allow multiple developers to safely work on the same project and provide significant benefits even if you do not plan to share your work with others.

Although it is important to save your code in source control, it is equally important for some project assets to be kept out of your repository. Certain data like binary blobs and configuration files are best left out of source control for performance and usability reasons. But more importantly, sensitive data like passwords, secrets, and private keys should never be checked into a repository unprotected for security reasons.

Checking your Git Repository for Sensitive Data

First of all, once you started managing your secret security you need to check the repository for certain data. If you know an exact string that you want to search for, you can try using your VCS tool’s native search function to check whether the provided value is present in any commits. For example, with git, a command like this can search for a specific password:

git grep my_secret $(git rev-list --all)

Setting the security

Once you have removed sensitive data from the repository you should consider setting some internal tools to ensure you did not commit those files.

Ignoring Sensitive Files

The most basic way to keep files with sensitive data out of your repository is to leverage your VCS’s ignore functionality from the very beginning. VCS “ignore” files (like .gitignore) define patterns, directories, or files that should be excluded from the repository. These are a good first line of defense against accidentally exposing data. This strategy is useful because it does not rely on external tooling, the list of excluded items is automatically configured for collaborators, and it is easy to set up.

While VCS ignore functionality is useful as a baseline, it relies on keeping the ignore definitions up-to-date. It is easy to commit sensitive data accidentally prior to updating or implementing the ignore file. Ignore patterns that only have file-level granularity, so you may have to refactor some parts of your project if secrets are mixed in with code or other data that should be committed.

Using VCS Hooks to Check Files Prior to Committing

Most modern VCS implementations include a system called “hooks” for executing scripts before or after certain actions are taken within the repository. This functionality can be used to execute a script to check the contents of pending changes for sensitive material. The previously mentioned git-secrets tool has the ability to install pre-commit hooks that implement automatic checking for the type of content it evaluates. You can add your own custom scripts to check for whatever patterns you’d like to guard against.

Repository hooks provide a much more flexible mechanism for searching for and guarding against the addition of sensitive data at the time of commit. This increased flexibility comes at the cost of having to script all of the behavior you’d like to implement, which can potentially be a difficult process depending on the type of data you want to check. An additional consideration is that hooks are not shared as easily as ignore files, as they are not part of the repository that other developers copy. Each contributor will need to set up the hooks on their own machine, which makes enforcement a more difficult problem.

Adding Files to the Staging Area Explicitly

While more localized in scope, one simple strategy that may help you to be more mindful of your commits is to only add items to the VCS staging area explicitly by name. While adding files by wildcard or expansion can save some time, being intentional about each file you want to add can help prevent accidental additions that might otherwise be included. A beneficial side effect of this is that it generally allows you to create more focused and consistent commits, which helps with many other aspects of collaborative work.

Rules that you need to consider:

  • Never store unencrypted secrets in .git repositories. 
    A secret in a private repo is like a password written on a $20 bill, you might trust the person you gave it to, but that bill can end up in hundreds of peoples hands as a part of multiple transactions and within multiple cash registers.
  • Avoid git add * commands on git. 
    Using wildcard commands like git add *or git add . can easily capture files that should not enter a git repository, this includes generated files, config files and temporary source code. Add each file by name when making a commit and use git status to list tracked and untracked files.
  • Don’t rely on code reviews to discover secrets.
    It is extremely important to understand that code reviews will not always detect secrets, especially if they are hidden in previous versions of code. The reason code reviews are not adequate protection is because reviewers are only concerned with the difference between current and proposed states of the code, they do not consider the entire history of the project.
  • Use local environment variables, when feasible.
    An environment variable is a dynamic object whose value is set outside of the application. This makes them easier to rotate without having to make changes within the application itself. It also removes the need to have these written within source code, making them more appropriate to handle sensitive data.
  • Use automated secrets scanning on repositories.
    Implement real time alerting on repositories and gain visibility over where your secrets are with tools like GitGuardian

People with Culture: bringing Mission and Values to life

In this article, we’ll talk about how a company’s values and culture help it implement its strategies and mission. We’ll start with some definitions and introductions and then will identify the possible issues and practical solutions.

Disclaimer: we’ll be using an IT company as an example, so some aspects may appear a bit subjective.

Values, Mission, Strategy

The mission defines the company’s global goal, while strategy leads to its implementation through culture and values.

To develop high-tech products the world and future you will be proud of — FusionWorks

Company values must change through the years. Not because the old ones were bad, but because they are bad for what the company represents now. This is a normal process of getting mature. Just see how Uber changed its initial ‘pirate’ values into more enterprise ones — or you may watch the “Super Pumped” series instead. The same changes we experience in our personal lives. Several times. If not — this is a sign to think your life over.

At FusionWorks, we are going through the same process over and over again, sometimes it’s painful and time-consuming. There are core values such as honesty, openness and inclusion that should not be changed, but upgrades are inevitable for lots of things you thought are here forever. I love this process, but you? Will be great to see your thoughts in the comments.

Values determine the company’s culture code. Here are some aspects of why culture is so important:

Culture is not the thing you write in the company’s employee handbook, it’s what people talk about when you are not around.

Strategy is a promise, corporate culture is the execution.

Culture eats strategy for breakfast.

Culture is formed around what you do, not what you say. If you say you are a company that values health and wellness but then brings in doughnuts every morning there is a disconnect. It’s fine to value doughnuts, who doesn’t love them but it’s not ok when your words don’t match your actions. It kills the trust you have in your team.

Job seekers are most likely to choose one job over another because of the chosen employer’s culture, according to talent acquisition professionals surveyed by the Korn Ferry Institute.

Having this said, a strong company needs to make sure it has its culture code and it’s working. At FusionWorks we use the people and culture approachwhich is a more progressive way of dealing with people. It is people-based, not policy-based.

If you treat people like people, they will be happier.

We can have a meaningful impact on people’s lives by giving them a working environment where they can be themselves and thrive. Understand and help your team grow together through positive activities and encouragement.

Manifesto

The manifesto is a more deliberate expression of your values and also supports the mission you have. It’s typically an emotional story that captivates your audience, emotionally connects with them, and persuades them to support your brand. It’s always a good idea to have it before we proceed to practical steps.

We build a no-bullshit company. No secrets, no lies, transparent, accountable, driven by facts, respectful to all. Openness in every aspect.

We love being tech-oriented and this infuses everything we do.

We believe being people-centric motivates and inspires much better than policies and control.

We are committed to being learning-driven, changing with the world, changing the world.

— FusionWorks

A practical guide to people-centric culture

First, let’s list the things that may make employees unhappy. It doesn’t mean your company has all of them, but they should be considered:

  1. Lack of progression and self-development.
  2. Unsatisfactory salary or benefits.
  3. Unhappiness with leadership.
  4. Lack of flexible schedules.
  5. Boring tasks.
  6. Negative experience/incident.
  7. Lack of recognition.
  8. Dissatisfaction with the company culture.
  9. A need for better work-life balance.

So here we go with implementing the People and Culture strategy. We aren’t forgetting about Human Resources, we value it and everything that goes along with it. HR is policies, procedures, and paperwork — all extremely important. But remember, People and Culture is people-based, not policy-based.

Once the employee has been onboarded (by the fabulous Human Resource team), it is time to improve their well-being, integrate them into the company, and show their value. This engagement improves productivity, creates a positive environment for the employee to thrive in, and generates happiness. Lower turnover, happier employees, and better work.

When we identify the issues, we may choose from the solutions below (not all of them work for all companies).

Supporting employees with talent and career development programs

  1. Implement the grading system — Roles and Levels — and make sure it’s well-defined.
  2. Assign employees to their current Levels. Explain their Roles.
  3. Clearly define the steps to progress to the next level.
  4. Revise the employees’ levels once in 6 months.
  5. Acknowledge employees’ successes.

According to LinkedIn, 94 percent of employees would stay at a company if it invested in their career development.

Development programs should be designed to ensure alignment between your expectations for top talent and the organization’s goals and vision. Professional development can include coaching processes, training seminars, networking opportunities, mentoring, special projects, and more.

Creating a more flexible schedule

The reason for that is the world trend toward remote work. So if it is possible with your company — consider it.

  1. Allow flexible schedule.
  2. Allow remote work if possible.
  3. Encourage a healthy work-life balance.

Many employees value a flexible work environment over compensation. In fact, 72 percent of employees would search for new opportunities if their schedule wasn’t flexible. Implementing changes to work policies can help improve retention rates.

Implementing a feedback and performance appraisal process

  1. Regularly get feedback from clients (once in 3-6 months).
  2. Pass feedback to employees.

Feedback is especially useful during the development of retention plans, and 82 percent of employees appreciate it. Feedback is essential in a remote environment; it establishes a benchmark for behaviors and skills and highlights what employees need to remain happy with their employer. Companies must be open to listening to employees and implementing changes and actions required to keep top talent.

Employee turnover can be reduced by up to 31% by managers acknowledging employee successes. Source.

Offering challenging projects where people matter

  1. Work with the clients directly.
  2. Work on interesting projects that matter.
  3. Make sure the clients listen to the voices of the employees.
  4. Make sure our employees are growing and learning on the projects.
  5. Fire bad clients.

Developing an effective employer branding strategy

Showing you are great or being great? Both. Showing your successes with no real wins doesn’t work long-term and leads to internal discontent. Being great without showing this externally won’t make the employees feel proud of the company, as well as your potential customers and employees won’t know how beautiful you are.

Companies are u̶g̶l̶y̶ copies of their founders.

People want to work in a company which grows together with them, faster than them. Also, they rarely work for those and with those whom they don’t respect at least professionally, who are weaker.

  1. Plan marketing strategy: current employees, potential employees, and customers.
  2. Communicate company strategy, mission and successes both internally and externally.
  3. Engage employees in the company’s activities.

According to a LinkedIn study, a strong employer brand can reduce turnover by 28 percent and the cost of hiring by 50 percent.

The communication and dissemination of the company’s image and actions are key to maintaining employees’ interest in remaining with the company and contributing to its success through specific projects.

46% of employees stated that a lack of transparent leadership communication is driving them to seek new employment. Meanwhile, 79% of highly engaged employees have trust and confidence in their leaders. Source.

Making culture work

  1. Clearly define the company’s mission, culture, and values.
  2. Show employees the big picture and goals.
  3. Explain mission and values.
  4. Believe in your mission and values. If you don’t believe — change them.
  5. Follow them — management should be an example.
  6. Show how mission and values work in practice.

Offering competitive benefits

  1. Offer what others have.
  2. Offer what others don’t have (to stand out).
  3. Offer benefits that make employee’s life comfortable and disappear when they leave the company.

Companies that offer competitive compensation and benefits can see 56 percent lower attrition. With the ever-changing labor market, companies need to adapt to employees’ evolving and growing needs and expectations. Nowadays, the most valuable benefits include remote work flexibility, employee discounts, time off, and financial advice.

Creating an open environment

  1. Encourage employees to speak and voice their concerns, ideas, and opinions.
  2. Treat all employees equally, on all levels. No favoritism.
  3. Treat your employees as you treat your best customers.
  4. Create an environment where everyone feels comfortable and safe.

No one wants to feel excluded in an organization they are a part of. New hire wants to feel like they were hired for a reason, and that they are playing a key role in helping the business achieve its objectives.

Josh Bersin, founder and principal at Bersin by Deloitte, found that companies who deliberately work to encourage inclusion, diversity, development planning, and leadership development in their culture were 3.8 times more likely to be able to coach people for improved performance, 3.6 times more able to deal with personnel performance problems, and 2.9 times more likely to identify and build leaders. Source.

Instead of epilogue

In the final chapter, I’d like to show you the FusionWorks values we believe in and share with the team. They determine our culture code:

Shared understanding in everything we do. Nobody has a monopoly on the truth. Decisions are made together and actions are reasoned on all levels.

People over processes. We encourage independent decision-making and believe in the power of freedom and responsibility.

Building cognitive diversity. Inventions are done by teamwork with people with different mindsets and competencies.

Building quality products. The things we do determine who we are, create our reputation step by step and reflect our eternal pursuit of excellence.

Learning never stops. We believe gaining knowledge is a continuous process and help you invest in your education for mutual benefit.

Sharing is caring. We share our experience — successes and failures — to help others learn and grow.

Building long-term relationships. Both our employees and clients are the people we want to work with long-term.

Learn, make impact, have fun. We always support initiative, awareness, quality, spirit and creativity. As simple as it sounds.

Like, comment, share — it’s always welcome!

7Cs as the pillar of retention

A trust or corporate trust is a large grouping of business interests with significant market power, which may be embodied as a corporation or as a group of corporations that cooperate with one another in various ways. — FusionWorks

In the past, interpersonal relationships were created on the concept — I trust you until you will demonstrate I shouldn’t.

Today, due to competitiveness and many cultural reasons, interpersonal relationships are based on the concept — I do not trust you until you demonstrate I may.

I am not sure which theory is better, but we may surely agree that you may be an enthusiast, competent, and genius, but this means nothing for your success until others believe in you.

Any interpersonal relationship is based on trust and the relationship between employee-employer or the one between client-provider are not exceptions at all. Trust is like a safe feeling in someone’s sincerity. It is the firm belief that a company (it’s management, your colleagues and its services) retains its integrity, quality, and brand for a predictable period of time.

In practice, inspiring someone to trust you is a really hard work of mixing 7 essential elements. These are 7 ”C”-s of trust. Let’s discover them together.

First C is for CHARACTER
A company’s character, its Identity is the most difficult to fake, as this is the moral quality that manifests itself through perseverance, the firm will, and fairness. These are the primordial elements for someone to be trustworthy. One of the best ways to prove that you could be trusted is to accept when you are wrong. Everyone appreciates the courage to admit one’s own imperfection.

Second C is for COMPETENCE
It is very important to always find time for the personal and professional development of your skills. This is why, FusionWorks is always for sharing knowledge and we inspire our employees to learn continuously as learning is life, especially in our field. Competence in any field means training, reading, learning, and implementing in practice any single skill.

Nr. 3 C is for CONSOLIDATION of the company’s values 
This aspect is crucial as this is one of the first things to be observed by others. One’s first impression of your company is made in the first moments of your communication. The following moments from any discussion are for validating that first impression. This is why, when some of your employees are not sure about your company’s value, this is felt. The whole conversation will be dominated by a wrong/bad — emotions domino.

This article is powered by Empy.io — an all-in-one tool that helps HRs synchronize with the employees and handle all the internal requests in one single place. Try it for free!

4th C is for CONGRUENCE
Trust increases every time your actions (any employees ones) confirm your words (company-culture). The key is the harmony between verbal and non-verbal messages you and your employees spread into the world. In the lack of this harmony, your interlocutor could not believe your message and will have no trust in you as a company.

5th C is for CREDIBILITY
Credibility is the ability or power to stimulate the trust of others in your company. It means letting the person we spoke with understand that you, as a company, know very well what you are talking about and if they follow your advice, it will be good for them later. This C is the one most felt in the sales and in the recruitment field. As you will never get a super-contract or a rocket star without demonstrating your credibility.

6th C is for CONSISTENCE
consistent company easily gains the trust of others, no matter who are those — partners, clients, candidates, or employees. It is all too well known in marketing that a brand image is not built overnight. People need time to adapt, time to test, to form opinions, and to disseminate them.

7th C equals to COMPLETENESS
People generally have a very strong desire to close the processes that have begun. This “closure” eliminates stress. The explanation is given by a subtle psychological mechanism that shows that the value of stress is directly proportional to the number of unfinished processes. More specifically, when you have 15 distinct activities to solve, you will be more stressed than if you have only one, which involves the same length of work/time to complete. On this principle, we prefer not to engage in activities that do not seem to have a clear and predictable purpose. Consequently, in order to inspire trust, it is very important that what you offer, as a company — your product or service has a beginning and an end. When people know the purpose of an idea, they are more likely to believe in it.

When employees/clients are trusting that the organization provides them with (access to) their goal, both the employee/client and the company will benefit because

a) employee trust is the reason for employees to be motivated, productive and happy. What your employees give back makes the decision to focus on employee trust easier for business leaders. Or, as for many organizations who recognize the importance, it makes employee trust a top priority.

b) client trust is crucial for successful and productive-long-collaborations. This means greater advocacy, loyalty, and engagement from clients. This sets the tone for your business, and as clients advocate, businesses will be able to attract more customers who are ready to invest in their offering.

Encoding, storage, and retrieval OR about MEMORY, simple

As sharing is caring, in this article you will find some good lectures and curious experiments.- FusionWorks

One of my favorite definitions of ”Memory” is that this represents the process of maintaining information over time. Our memory helps us discover the world. We do not need every time a lot of information to absorb and to try to figure it out dealing with classifications or comparison.

There are moments when, being too engaged in an activity we forgot some elementary staff like to eat, to respond to a message, etc. In the era of information, it is a priority to understand fast and proceed to complete future tasks instead of analyzing what do we miss.

A large part of the research on memory is based on experiments conducted in laboratories. Those who take part in the experiments — the participants — are asked to perform tasks such as recalling lists of words and numbers. Both the setting — the laboratory — and the tasks are a long way from everyday life. In many cases, the setting is artificial and the tasks fairly meaningless. Does this matter? How can this help?

Memory is a single term that reflects a number of different abilities: holding information briefly while working with it (working memory), remembering episodes of one’s life (episodic memory), and our general knowledge of facts of the world (semantic memory), among other types. Remembering episodes involves three processes: encoding information (learning it, by perceiving it and relating it to past knowledge), storing it (maintaining it over time), and then retrieving it (accessing the information when needed). Failures can occur at any stage, leading to forgetting or to having false memories. The key to improving one’s memory is to improve processes of encoding and to use techniques that guarantee effective retrieval.

This article is powered by Empy.io — an all-in-one tool that helps HRs synchronize with the employees and handle all the internal requests in one single place. Try it for free!

Increasing your memory may help you in different manners. Firstly, you will force your brain to think, you will exercise it and make it stronger. Secondly, you will be much more productive. And third — your general well-being will increase as a result of self-esteem. Does this sound perfect? It is also easy to achieve!

  • Associate — combine what you want to remember with what you already know. You can associate places with people, names with songs, phone numbers with birthdays.
  • Practice — our brain has supernatural powers if we have enough patience to develop them. We can calculate in mind, memorize a voluminous number, or complete sudoku, what do you choose?
  • Focus — when we learn something new and quickly forget, we blame our memory, when in fact we were not paying attention to what we were doing. When you do something (or learn) dedicate yourself to the activity 100%. Being fully involved you will be surprised by the results!
  • Chewing gum — some research has shown that chewing gum improves memory. Thus, chewing gum during an exam can make it easier to remember everything we have learned.
  • Build a palace of memory — it’s an exercise for hundreds of years, but just as great. According to this technique, we are supposed to remember more easily anything with the idea that we have visual memories related to that something (it doesn’t matter if it’s real or imaginary).
  • Avoid stress — felt for a long time, stress affects the normal functioning of the brain, therefore decreasing memory capacity. As much as we can, let’s avoid it, finding more time for relaxing.
  • Get enough sleep — if your sleep doesn’t reach at least 7 hours a night, your brain has nowhere to take energy to function wonderfully.
  • Eat healthily — scientific studies have shown the link between food and memory. So, in order to improve it, we need vegetables, fruits, seafood, and green tea.
  • Keep fit — if your body is healthy, so will your mind. Exercising 20 minutes a day, we will look more beautiful not only physically, but also in terms of memory.
  • Read — you can improve your creativity by reading something special and imagining your video. In this way, you put your brain to work, and during the construction of images, you also develop your memory.

Yes, it seems like all these techniques are viable and all of them may be experienced very simply, but could these also feed the Misinformation Effect?

In a famous experiment conducted by Loftus, participants were shown video footage of a traffic accident. After watching the clip, the participants were then asked a number of questions about what they had observed, much in the same way police officers, accident investigators, and attorneys might question an eyewitness.

One of the questions asked was, “How fast were the cars going when they hit each other?” In some instances, however, a subtle change was made; participants were instead asked how fast the cars were going when they “smashed into” each other. What the researchers discovered was that simply using the word “smashed” instead of “hit” could change how the participants remembered the accident.

A week later, the participants were once again asked a series of questions, including “Did you see the broken glass?” Most of the participants correctly answered no, but those who had been asked the “smashed into” version of the question in the initial interview were more likely to incorrectly believe that they had indeed seen broken glass.

How can such a minor change lead to such differing memories of the same video clip? Experts suggest that this is an example of the misinformation effect at work. Other interesting experiments that seem curious.

The best version of employees — HOW and WHY

”…the most efficient way to make your employees happy is to understand their needs and mindsets.” — FusionWorks

A happy employee is a productive one. This is why it is very important to understand what makes not any, but YOUR employees happy. Knowing the individual motivators we may share care and strengthen what really matters.

Yes, it is priorly to allocate resources for employees’ motivation. What drives someone starts with communication. An empathic, non-violent (reading recommendation), and assertive one — this is when we learn to understand our employees, not only pretend we do. Mental and physical health at work is totally dependent on the working atmosphere. If you need a healthy employee you have to work on his / her well-being. This is a long process. Do not be scared or afraid when results will need time to be seen. This is normal. Below will be listed some crucial axioms to control and influence your employee motivation and in this way — to help them become the best versions of themselves. All of these were summarized while tested in time, on different employees (the difference was in one or some of these factors: age, gender, interests, temperament, education, and background), and could be used as steps for employee-admiration.

  1. When satisfaction and benefits are in a correlation with work-volumewe see a happy employee. We may easily monitor this correlation with 3 simple tools: 1–1’s, onboardings, performance review (in ideal cases onboardings and performance review meetings will be conducted by TL & HR), questionnaires (with direct questions and metaphorical ones, anonymous and not). Honestly, first in this list is my favorite tool, as during 1-on-1 it is very easy to understand the person you interact with. And this is much more than words. Here every single gesture is special and every single selected topic is crucial. Without a psychological background, things could be a little more challenging, but we are so lucky! A lot of information is available online and after some search and good reading — anyone could coordinate an awesome 1–1. Another advantage is that no 1-on-1 is the same. So, this kind of discussion is fascinating!

This article is powered by Empy.io — an all-in-one tool that helps HRs synchronize with the employees and handle all the internal requests in one single place. Try it for free!

2. Leaders influence employees. All of us need approval, no matter how old or how experienced we are. Being in a room where you have a leader, you need to understand that he/she is here for you. That you may ask anything and you will receive the needed / correct answer. The easiest way to influence your employees positively is to be an example they would love to follow: do not be afraid to ask for help (we are all humans, we all need help sometimes with something, and this is normal), do not doodle from answering questions (even if tricky ones. Find a real response and operate with it). If you want something to be changed, be the first who not only is ready for a change but has already begun this brilliant process: take different tasks, enroll in different pieces of training and projects (why not along with your employees).

3. A constructive, positive, and empathic attitude towards your employees encourages them to express their ideas and visions freely, to communicate as openly as possible, without fear of making mistakes or being judged. They said people never leave jobs, they leave bosses or teams. So help your team be the one everyone dreams to become a part of. Steps to be taken: grow a collaborative work-culture (team responsibility — team decisions, brand bearers while participating in different non-work-related activities), cherish your team (praise concrete behavior, encourage employees individuality, create a context for creativity expressing).

The most important, but at the same time, the most beautiful way to make your employees happy is to understand everyone’s needs and mindsets. Knowing what drives every single employee, investing in his/her wellbeing, we will reach the win-win solution: a happy employee is a productive one, a productive one is a valuable one, a valuable one is the loyal one. Loyal employees are the treasure any respectable company deserves.

Dear Procrastination, let’s break up!

“… procrastination is a well-known process: we leave the tasks for the last moment, then we panic.”

Your deadline is here. But your task is not in progress, it is not even started yet. And you do not rush to do it. You may recheck a 10th time if you have a new message. You may remind yourself about a very interesting video that must be reseen at this very moment. You are hungry. You have to respond to an urgent call. Yes, you understand that you need to work. Also you, as a rational being, understand that you have to force yourself to start this task/activity. But it is simply impossible. Yes, procrastination is a well-known process. We leave the things we have to do for the last moment, then we panic. Do you remember the Panic Moster Ted talk? This habit destroys us, but what would be the solution? Here are some options:

This article is powered by Empy.io — an all-in-one tool that helps HRs synchronize with the employees and handle all the internal requests in one single place. Try it for free!

1. Divide everything you need into small pieces. They say it is impossible to eat an elephant, but it could be done by breaking it into small pieces. One of the causes of procrastination is the understanding, on a subconscious level, of the excessive volume of the task. Focusing on small things we will be willing to quickly finish what we set out.

2. Change the work environment. Different environments have different impacts on our productivity. Choose where it is easier for you to do a certain activity.

3. Draw up a calendar and set deadlines for every particular activity. Having a single deadline for all activities is like an invitation to procrastinate.

4. Eliminate distracting factors. One of the reasons for procrastination is the availability of other occupations, so limit your access to what distracts you. Put the phone on silent, close all tabs where you do not work, do not leave any opportunity to escape!

5. Communicate with people who inspire you to action. The people in our entourage directly influence our behavior. By interacting with other people, each of us takes something from the interlocutor.

6. Clarify your goal. Maybe the cause of procrastination is the discrepancy between what you want to achieve and what you do. It happens that during our journey in reaching the goal, we grow and we already have other desires and needs. Instead of wasting time, take a break and decide what you really want to achieve.

7. Don’t complicate things. Are you waiting for a perfect time to start? Now is not the right time to start because x, y, z? Here’s a secret — the perfect moment will never be or is right now, you choose!

Wix + Viar.Live: VR websites made easy

Several years ago we at FusionWorks launched our awesome tool for 360° photographers — Viar.Live. Its goal was to offer an easy-to-use tool for creating virtual tours from 360° photos. Viar.Live was warmly accepted by the users and we got a lot of positive feedback, but one email really surprised us: we were approached by Wix with the suggestion of joining their app market with our application, which we eagerly accepted. The journey was not easy since Wix has a lot of specific requirements with which we had to comply, but finally we made it through and now it’s time to present the results.

Finding the Virtual Tours app on the market place

Just type “Virtual” in the Wix App Market or follow this link and add our app to your website.

Creating your first tour

To create a tour you don’t need to specifically create a 360° photo — any panorama made on your smartphone will work. Just click “Get Started” in the application settings and upload your photos.

Once the uploading and processing are over, click “Continue” to proceed to the tour editor. Once in it, start connecting panoramas by dragging thumbnails into appropriate connection places.

Besides connection points, you can also add link and information hotspots.

Once finished, just assign a newly created tour to the Virtual Tours widget and share your website!

Have a great day!

Genadii Ganebnyi,
CEO @ Viar.Live