Archive

Archive for May, 2024

Modern CSS Layouts: You Might Not Need A Framework For That

May 22nd, 2024 No comments

Establishing layouts in CSS is something that we, as developers, often delegate to whatever framework we’re most comfortable using. And even though it’s possible to configure a framework to get just what we need out of it, how often have you integrated an entire CSS library simply for its layout features? I’m sure many of us have done it at some point, dating back to the days of 960.gs, Bootstrap, Susy, and Foundation.

Modern CSS features have significantly cut the need to reach for a framework simply for its layout. Yet, I continue to see it happen. Or, I empathize with many of my colleagues who find themselves re-creating the same Grid or Flexbox layout over and over again.

In this article, we will gain greater control over web layouts. Specifically, we will create four CSS classes that you will be able to take and use immediately on just about any project or place where you need a particular layout that can be configured to your needs.

While the concepts we cover are key, the real thing I want you to take away from this is the confidence to use CSS for those things we tend to avoid doing ourselves. Layouts used to be a challenge on the same level of styling form controls. Certain creative layouts may still be difficult to pull off, but the way CSS is designed today solves the burdens of the established layout patterns we’ve been outsourcing and re-creating for many years.

What We’re Making

We’re going to establish four CSS classes, each with a different layout approach. The idea is that if you need, say, a fluid layout based on Flexbox, you have it ready. The same goes for the three other classes we’re making.

And what exactly are these classes? Two of them are Flexbox layouts, and the other two are Grid layouts, each for a specific purpose. We’ll even extend the Grid layouts to leverage CSS Subgrid for when that’s needed.

Within those two groups of Flexbox and Grid layouts are two utility classes: one that auto-fills the available space — we’re calling these “fluid” layouts — and another where we have greater control over the columns and rows — we’re calling these “repeating” layouts.

Finally, we’ll integrate CSS Container Queries so that these layouts respond to their own size for responsive behavior rather than the size of the viewport. Where we’ll start, though, is organizing our work into Cascade Layers, which further allow you to control the level of specificity and prevent style conflicts with your own CSS.

Setup: Cascade Layers & CSS Variables

A technique that I’ve used a few times is to define Cascade Layers at the start of a stylesheet. I like this idea not only because it keeps styles neat and organized but also because we can influence the specificity of the styles in each layer by organizing the layers in a specific order. All of this makes the utility classes we’re making easier to maintain and integrate into your own work without running into specificity battles.

I think the following three layers are enough for this work:

@layer reset, theme, layout;

Notice the order because it really, really matters. The reset layer comes first, making it the least specific layer of the bunch. The layout layer comes in at the end, making it the most specific set of styles, giving them higher priority than the styles in the other two layers. If we add an unlayered style, that one would be added last and thus have the highest specificity.

Related: “Getting Started With Cascade Layers” by Stephanie Eckles.

Let’s briefly cover how we’ll use each layer in our work.

Reset Layer

The reset layer will contain styles for any user agent styles we want to “reset”. You can add your own resets here, or if you already have a reset in your project, you can safely move on without this particular layer. However, do remember that un-layered styles will be read last, so wrap them in this layer if needed.

I’m just going to drop in the popular box-sizing declaration that ensures all elements are sized consistently by the border-box in accordance with the CSS Box Model.

@layer reset {
  *,
  *::before,
  *::after {
    box-sizing: border-box;
  }

  body {
    margin: 0;
  }
}

Theme Layer

This layer provides variables scoped to the :root element. I like the idea of scoping variables this high up the chain because layout containers — like the utility classes we’re creating — are often wrappers around lots of other elements, and a global scope ensures that the variables are available anywhere we need them. That said, it is possible to scope these locally to another element if you need to.

Now, whatever makes for “good” default values for the variables will absolutely depend on the project. I’m going to set these with particular values, but do not assume for a moment that you have to stick with them — this is very much a configurable system that you can adapt to your needs.

Here are the only three variables we need for all four layouts:

@layer theme {
  :root {
    --layout-fluid-min: 35ch;
    --layout-default-repeat: 3;
    --layout-default-gap: 3vmax;
  }
}

In order, these map to the following:

Notice: The variables are prefixed with layout-, which I’m using as an identifier for layout-specific values. This is my personal preference for structuring this work, but please choose a naming convention that fits your mental model — naming things can be hard!

Layout Layer

This layer will hold our utility class rulesets, which is where all the magic happens. For the grid, we will include a fifth class specifically for using CSS Subgrid within a grid container for those possible use cases.

@layer layout {  
  .repeating-grid {}
  .repeating-flex {}
  .fluid-grid {}
  .fluid-flex {}

  .subgrid-rows {}
}

Now that all our layers are organized, variables are set, and rulesets are defined, we can begin working on the layouts themselves. We will start with the “repeating” layouts, one based on CSS Grid and the other using Flexbox.

Repeating Grid And Flex Layouts

I think it’s a good idea to start with the “simplest” layout and scale up the complexity from there. So, we’ll tackle the “Repeating Grid” layout first as an introduction to the overarching technique we will be using for the other layouts.

Repeating Grid

If we head into the @layout layer, that’s where we’ll find the .repeating-grid ruleset, where we’ll write the styles for this specific layout. Essentially, we are setting this up as a grid container and applying the variables we created to it to establish layout columns and spacing between them.

.repeating-grid {
  display: grid;
  grid-template-columns: repeat(var(--layout-default-repeat), 1fr);
  gap: var(--layout-default-gap);
}

It’s not too complicated so far, right? We now have a grid container with three equally sized columns that take up one fraction (1fr) of the available space with a gap between them.

This is all fine and dandy, but we do want to take this a step further and turn this into a system where you can configure the number of columns and the size of the gap. I’m going to introduce two new variables scoped to this grid:

  • --_grid-repeat: The number of grid columns.
  • --_repeating-grid-gap: The amount of space between grid items.

Did you notice that I’ve prefixed these variables with an underscore? This was actually a JavaScript convention to specify variables that are “private” — or locally-scoped — before we had const and let to help with that. Feel free to rename these however you see fit, but I wanted to note that up-front in case you’re wondering why the underscore is there.

.repeating-grid {
  --_grid-repeat: var(--grid-repeat, var(--layout-default-repeat));
  --_repeating-grid-gap: var(--grid-gap, var(--layout-default-gap));

  display: grid;
  grid-template-columns: repeat(var(--layout-default-repeat), 1fr);
  gap: var(--layout-default-gap);
}

Notice: These variables are set to the variables in the @theme layer. I like the idea of assigning a global variable to a locally-scoped variable. This way, we get to leverage the default values we set in @theme but can easily override them without interfering anywhere else the global variables are used.

Now let’s put those variables to use on the style rules from before in the same .repeating-grid ruleset:

.repeating-grid {
  --_grid-repeat: var(--grid-repeat, var(--layout-default-repeat));
  --_repeating-grid-gap: var(--grid-gap, var(--layout-default-gap));

  display: grid;
  grid-template-columns: repeat(var(--_grid-repeat), 1fr);
  gap: var(--_repeating-grid-gap);
}

What happens from here when we apply the .repeating-grid to an element in HTML? Let’s imagine that we are working with the following simplified markup:

<section class="repeating-grid">
  <div></div>
  <div></div>
  <div></div>
</section>

If we were to apply a background-color and height to those divs, we would get a nice set of boxes that are placed into three equally-sized columns, where any divs that do not fit on the first row automatically wrap to the next row.

Time to put the process we established with the Repeating Grid layout to use in this Repeating Flex layout. This time, we jump straight to defining the private variables on the .repeating-flex ruleset in the @layout layer since we already know what we’re doing.

.repeating-flex {
  --_flex-repeat: var(--flex-repeat, var(--layout-default-repeat));
  --_repeating-flex-gap: var(--flex-gap, var(--layout-default-gap));
}

Again, we have two locally-scoped variables used to override the default values assigned to the globally-scoped variables. Now, we apply them to the style declarations.

.repeating-flex {
  --_flex-repeat: var(--flex-repeat, var(--layout-default-repeat));
  --_repeating-flex-gap: var(--flex-gap, var(--layout-default-gap));

  display: flex;
  flex-wrap: wrap;
  gap: var(--_repeating-flex-gap);
}

We’re only using one of the variables to set the gap size between flex items at the moment, but that will change in a bit. For now, the important thing to note is that we are using the flex-wrap property to tell Flexbox that it’s OK to let additional items in the layout wrap into multiple rows rather than trying to pack everything in a single row.

But once we do that, we also have to configure how the flex items shrink or expand based on whatever amount of available space is remaining. Let’s nest those styles inside the parent ruleset:

.repeating-flex {
  --_flex-repeat: var(--flex-repeat, var(--layout-default-repeat));
  --_repeating-flex-gap: var(--flex-gap, var(--layout-default-gap));

  display: flex;
  flex-wrap: wrap;
  gap: var(--_repeating-flex-gap);

  > * {
    flex: 1 1 calc((100% / var(--_flex-repeat)) - var(--_gap-repeater-calc));
  }
}

If you’re wondering why I’m using the universal selector (*), it’s because we can’t assume that the layout items will always be divs. Perhaps they are

elements,

s, or something else entirely. The child combinator (>) ensures that we’re only selecting elements that are direct children of the utility class to prevent leakage into other ancestor styles.

The flex shorthand property is one of those that’s been around for many years now but still seems to mystify many of us. Before we unpack it, did you also notice that we have a new locally-scoped --_gap-repeater-calc variable that needs to be defined? Let’s do this:

.repeating-flex {
  --_flex-repeat: var(--flex-repeat, var(--layout-default-repeat));
  --_repeating-flex-gap: var(--flex-gap, var(--layout-default-gap));

  /* New variables */
  --_gap-count: calc(var(--_flex-repeat) - 1);
  --_gap-repeater-calc: calc(
    var(--_repeating-flex-gap) / var(--_flex-repeat) * var(--_gap-count)
  );

  display: flex;
  flex-wrap: wrap;
  gap: var(--_repeating-flex-gap);

  > * {
    flex: 1 1 calc((100% / var(--_flex-repeat)) - var(--_gap-repeater-calc));
  }
}

Whoa, we actually created a second variable that --_gap-repeater-calc can use to properly calculate the third flex value, which corresponds to the flex-basis property, i.e., the “ideal” size we want the flex items to be.

If we take out the variable abstractions from our code above, then this is what we’re looking at:

.repeating-flex {
  display: flex;
  flex-wrap: wrap;
  gap: 3vmax

  > * {
    flex: 1 1 calc((100% / 3) - calc(3vmax / 3 * 2));
  }
}

Hopefully, this will help you see what sort of math the browser has to do to size the flexible items in the layout. Of course, those values change if the variables’ values change. But, in short, elements that are direct children of the .repeating-flex utility class are allowed to grow (flex-grow: 1) and shrink (flex-shrink: 1) based on the amount of available space while we inform the browser that the initial size (i.e., flex-basis) of each flex item is equal to some calc()-ulated value.

Because we had to introduce a couple of new variables to get here, I’d like to at least explain what they do:

  • --_gap-count: This stores the number of gaps between layout items by subtracting 1 from --_flex-repeat. There’s one less gap in the number of items because there’s no gap before the first item or after the last item.
  • --_gap-repeater-calc: This calculates the total gap size based on the individual item’s gap size and the total number of gaps between items.

From there, we calculate the total gap size more efficiently with the following formula:

calc(var(--_repeating-flex-gap) / var(--_flex-repeat) * var(--_gap-count))

Let’s break that down further because it’s an inception of variables referencing other variables. In this example, we already provided our repeat-counting private variable, which falls back to the default repeater by setting the --layout-default-repeat variable.

This sets a gap, but we’re not done yet because, with flexible containers, we need to define the flex behavior of the container’s direct children so that they grow (flex-grow: 1), shrink (flex-shrink: 1), and with a flex-basis value that is calculated by multiplying the repeater by the total number of gaps between items.

Next, we divide the individual gap size (--_repeating-flex-gap) by the number of repetitions (--_flex-repeat)) to equally distribute the gap size between each item in the layout. Then, we multiply that gap size value by one minus the total number of gaps with the --_gap-count variable.

And that concludes our repeating grids! Pretty fun, or at least interesting, right? I like a bit of math.

Before we move to the final two layout utility classes we’re making, you might be wondering why we want so many abstractions of the same variable, as we start with one globally-scoped variable referenced by a locally-scoped variable which, in turn, can be referenced and overridden again by yet another variable that is locally scoped to another ruleset. We could simply work with the global variable the whole time, but I’ve taken us through the extra steps of abstraction.

I like it this way because of the following:

  1. I can peek at the HTML and instantly see which layout approach is in use: .repeating-grid or .repeating-flex.
  2. It maintains a certain separation of concerns that keeps styles in order without running into specificity conflicts.

See how clear and understandable the markup is:

<section class="repeating-flex footer-usps">
  <div></div>
  <div></div>
  <div></div>
</section>

The corresponding CSS is likely to be a slim ruleset for the semantic .footer-usps class that simply updates variable values:

.footer-usps {
  --flex-repeat: 3;
  --flex-gap: 2rem;
}

This gives me all of the context I need: the type of layout, what it is used for, and where to find the variables. I think that’s handy, but you certainly could get by without the added abstractions if you’re looking to streamline things a bit.

Fluid Grid And Flex Layouts

All the repeating we’ve done until now is fun, and we can manipulate the number of repeats with container queries and media queries. But rather than repeating columns manually, let’s make the browser do the work for us with fluid layouts that automatically fill whatever empty space is available in the layout container. We may sacrifice a small amount of control with these two utilities, but we get to leverage the browser’s ability to “intelligently” place layout items with a few CSS hints.

Fluid Grid

Once again, we’re starting with the variables and working our way to the calculations and style rules. Specifically, we’re defining a variable called --_fluid-grid-min that manages a column’s minimum width.

Let’s take a rather trivial example and say we want a grid column that’s at least 400px wide with a 20px gap. In this situation, we’re essentially working with a two-column grid when the container is greater than 820px wide. If the container is narrower than 820px, the column stretches out to the container’s full width.

If we want to go for a three-column grid instead, the container’s width should be about 1240px wide. It’s all about controlling the minimum sizing values in the gap.

.fluid-grid {
  --_fluid-grid-min: var(--fluid-grid-min, var(--layout-fluid-min));
  --_fluid-grid-gap: var(--grid-gap, var(--layout-default-gap));
}

That establishes the variables we need to calculate and set styles on the .fluid-grid layout. This is the full code we are unpacking:

 .fluid-grid {
  --_fluid-grid-min: var(--fluid-grid-min, var(--layout-fluid-min));
  --_fluid-grid-gap: var(--grid-gap, var(--layout-default-gap));

  display: grid;
  grid-template-columns: repeat(
    auto-fit,
    minmax(min(var(--_fluid-grid-min), 100%), 1fr)
  );
  gap: var(--_fluid-grid-gap);
}

The display is set to grid, and the gap between items is based on the --fluid-grid-gap variable. The magic is taking place in the grid-template-columns declaration.

This grid uses the repeat() function just as the .repeating-grid utility does. By declaring auto-fit in the function, the browser automatically packs in as many columns as it possibly can in the amount of available space in the layout container. Any columns that can’t fit on a line simply wrap to the next line and occupy the full space that is available there.

Then there’s the minmax() function for setting the minimum and maximum width of the columns. What’s special here is that we’re nesting yet another function, min(), within minmax() (which, remember, is nested in the repeat() function). This a bit of extra logic that sets the minimum width value of each column somewhere in a range between --_fluid-grid-min and 100%, where 100% is a fallback for when --_fluid-grid-min is undefined or is less than 100%. In other words, each column is at least the full 100% width of the grid container.

The “max” half of minmax() is set to 1fr to ensure that each column grows proportionally and maintains equally sized columns.

See the Pen Fluid grid [forked] by utilitybend.

That’s it for the Fluid Grid layout! That said, please do take note that this is a strong grid, particularly when it is combined with modern relative units, e.g. ch, as it produces a grid that only scales from one column to multiple columns based on the size of the content.

Fluid Flex

We pretty much get to re-use all of the code we wrote for the Repeating Flex layout for the Fluid Flex layout, but only we’re setting the flex-basis of each column by its minimum size rather than the number of columns.

.fluid-flex {
  --_fluid-flex-min: var(--fluid-flex-min, var(--layout-fluid-min));
  --_fluid-flex-gap: var(--flex-gap, var(--layout-default-gap));

  display: flex;
  flex-wrap: wrap;
  gap: var(--_fluid-flex-gap);

  > * {
    flex: 1 1 var(--_fluid-flex-min);
  }
}

That completes the fourth and final layout utility — but there’s one bonus class we can create to use together with the Repeating Grid and Fluid Grid utilities for even more control over each layout.

Optional: Subgrid Utility

Subgrid is handy because it turns any grid item into a grid container of its own that shares the parent container’s track sizing to keep the two containers aligned without having to redefine tracks by hand. It’s got full browser support and makes our layout system just that much more robust. That’s why we can set it up as a utility to use with the Repeating Grid and Fluid Grid layouts if we need any of the layout items to be grid containers for laying out any child elements they contain.

Here we go:

.subgrid-rows {
  > * {
    display: grid;
    gap: var(--subgrid-gap, 0);
    grid-row: auto / span var(--subgrid-rows, 4);
    grid-template-rows: subgrid;
  }
}

We have two new variables, of course:

  • --subgrid-gap: The vertical gap between grid items.
  • --subgrid-rows The number of grid rows defaulted to 4.

We have a bit of a challenge: How do we control the subgrid items in the rows? I see two possible methods.

Method 1: Inline Styles

We already have a variable that can technically be used directly in the HTML as an inline style:

<section class="fluid-grid subgrid-rows" style="--subgrid-rows: 4;">
  <!-- items -->
</section>

This works like a charm since the variable informs the subgrid how much it can grow.

Method 2: Using The :has() Pseudo-Class

This approach leads to verbose CSS, but sacrificing brevity allows us to automate the layout so it handles practically anything we throw at it without having to update an inline style in the markup.

Check this out:

.subgrid-rows {
  &:has(> :nth-child(1):last-child) { --subgrid-rows: 1; }
  &:has(> :nth-child(2):last-child) { --subgrid-rows: 2; }
  &:has(> :nth-child(3):last-child) { --subgrid-rows: 3; }
  &:has(> :nth-child(4):last-child) { --subgrid-rows: 4; }
  &:has(> :nth-child(5):last-child) { --subgrid-rows: 5; }
  /* etc. */

  > * {
    display: grid;
    gap: var(--subgrid-gap, 0);
    grid-row: auto / span var(--subgrid-rows, 5);
    grid-template-rows: subgrid;
  }
}

The :has() selector checks if a subgrid row is the last child item in the container when that item is either the first, second, third, fourth, fifth, and so on item. For example, the second declaration:

&:has(> :nth-child(2):last-child) { --subgrid-rows: 2; }

…is pretty much saying, “If this is the second subgrid item and it happens to be the last item in the container, then set the number of rows to 2.”

Whether this is too heavy-handed, I don’t know; but I love that we’re able to do it in CSS.

The final missing piece is to declare a container on our children. Let’s give the columns a general class name, .grid-item, that we can override if we need to while setting each one as a container we can query for the sake of updating its layout when it is a certain size (as opposed to responding to the viewport’s size in a media query).

:is(.fluid-grid:not(.subgrid-rows),
.repeating-grid:not(.subgrid-rows),
.repeating-flex, .fluid-flex) {
    > * {
    container: var(--grid-item-container, grid-item) / inline-size;
  }
}

That’s a wild-looking selector, but the verbosity is certainly kept to a minimum thanks to the :is() pseudo-class, which saves us from having to write this as a larger chain selector. It essentially selects the direct children of the other utilities without leaking into .subgrid-rows and inadvertently selecting its direct children.

The container property is a shorthand that combines container-name and container-type into a single declaration separated by a forward slash (/). The name of the container is set to one of our variables, and the type is always its inline-size (i.e., width in a horizontal writing mode).

The container-type property can only be applied to grid containers — not grid items. This means we’re unable to combine it with the grid-template-rows: subgrid value, which is why we needed to write a more complex selector to exclude those instances.

Demo

Check out the following demo to see how everything comes together.

See the Pen Grid system playground [forked] by utilitybend.

The demo is pulling in styles from another pen that contains the full CSS for everything we made together in this article. So, if you were to replace the .fluid-flex classname from the parent container in the HTML with another one of the layout utilities, the layout will update accordingly, allowing you to compare them.

Those classes are the following:

  • .repeating-grid,
  • .repeating-flex,
  • .fluid-grid,
  • .fluid-flex.

And, of course, you have the option of turning any grid items into grid containers using the optional .subgrid-rows class in combination with the .repeating-grid and .fluid-grid utilities.

Conclusion: Write Once And Repurpose

This was quite a journey, wasn’t it? It might seem like a lot of information, but we made something that we only need to write once and can use practically anywhere we need a certain type of layout using modern CSS approaches. I strongly believe these utilities can not only help you in a bunch of your work but also cut any reliance on CSS frameworks that you may be using simply for its layout configurations.

This is a combination of many techniques I’ve seen, one of them being a presentation Stephanie Eckles gave at CSS Day 2023. I love it when people handcraft modern CSS solutions for things we used to work around. Stephanie’s demonstration was clean from the start, which is refreshing as so many other areas of web development are becoming ever more complex.

After learning a bunch from CSS Day 2023, I played with Subgrid on my own and published different ideas from my experiments. That’s all it took for me to realize how extensible modern CSS layout approaches are and inspired me to create a set of utilities I could rely on, perhaps for a long time.

By no means am I trying to convince you or anyone else that these utilities are perfect and should be used everywhere or even that they’re better than . One thing that I do know for certain is that by experimenting with the ideas we covered in this article, you will get a solid feel of how CSS is capable of making layout work much more convenient and robust than ever.

Create something out of this, and share it in the comments if you’re willing — I’m looking forward to seeing some fresh ideas!

Categories: Others Tags:

Top Web Hosting Features Every E-commerce Store Needs 

May 22nd, 2024 No comments

E-commerce is a competitive biz, so when you find small things you can do to make a big difference, you have nothing to lose by doing them. Like making sure your online store has all the top web hosting features every e-commerce feature needs, to make life easier for your visitors and get those sales ticking over. 

E-Commerce Hosting: What Is It? 

E-commerce hosting is web hosting services specifically tailored for businesses selling products or services on the internet. These kinds of web hosts offer handy features for selling, like website/storefront builders, shopping cart software, payment gateways, and on-the-ball customer support who are knowledgeable about online stores. 

Why Hosting Matters for E-Commerce Success

Your web hosting affects everything from your website’s security to user experience. With a good web host on your side, you can look forward to faster page loading times, which lowers customer frustration and minimizes cart abandonment. 

Then there’s the extra security, which builds trust and protects your customer’s info. A good web host will also be able to handle spikes in website traffic, keeping your store up and running even if there’s a bit of a surge. 

Key Features to Look for in E-Commerce Web Hosting 

Find a web host that ticks all the boxes. Here are the top web hosting features every e-commerce store needs. Make sure your host has them all! 

1. High Uptime Guarantee

You can’t make sales if your store is down. If you’re serious about your business, find a web host that has an uptime guarantee of 99.99% or higher. This means your store will almost always be online, with no risk of someone trying to shop while your site is down. Plus, research shows that if someone tries to access your site while it’s down, their trust in you goes down. 

2. Scalability

As your business grows, your hosting needs will probably change. From the start, choose a hosting provider that offers scalable solutions. This allows you to upgrade your resources easily and seamlessly without having a negative effect on your site’s performance. 

Scalability is super important in handling traffic spikes during peak shopping times, especially during holidays or sales events. A scalable hosting solution is like opening your doors wider—it can allow a larger number of visitors and transactions without crashing. 

3. Speed and Performance

Once your visitors have arrived on your site, keep them there with fast page loading times. Your web host should make it their mission to be fast and perform seamlessly. Look for features like SSD storage, using content delivery services (CDNs), and regular updates. 

Don’t neglect this! A faster site boosts the user’s experience, reducing bounce rate and increasing conversions. Plus, it helps you climb those elusive SEO rankings, so it’s double important! 

4. Security Features

Protecting your customers’ data is one of the most important things you can do. Make sure your hosting provider offers excellent security features, such as SSL certificates, regular malware scans, firewalls, and DDoS protection. 

This doesn’t just protect your customers’ data. It also keeps you safe from cyber threats and builds trust in your customer community. 

5. E-Commerce Integration 

If you’re selling, you need e-commerce features. Your host should make it easy for you to link up to popular e-commerce platforms like Shopify, Magento, WooCommerce, and others. 

These features usually help you to do things like process orders more efficiently, keep track of your stock, and provide decent customer service. 

6. Backup and Restore Options 

If your store crashes, will it be a quick process to get it back up and running? Your hosting provider needs to offer automatic backups and restorations, or they’re not worth your money! 

Accidents happen, and trust us—even fast restoring options can feel like they take forever. And every minute your website isn’t available is a minute you’re losing out on sales. 

Don’t leave room for potential problems—just choose a web host that’s meticulous about backing up your data and offers easy-restore features. 

7. Easy-to-Use Control Panel

Managing your hosting shouldn’t be difficult. A user-friendly control panel, like cPanel or Plesk, makes it easier to handle things like setting up email accounts, managing domains, and setting up your server settings. 

Even if you’ve got the tech know-how, a simple, easy control panel makes life easier. You can focus more on just running your business and less on the server admin side of things! 

8. SEO Tools and Features 

Surprisingly, good web hosting can improve your site’s search engine rankings on Google. Better SEO = better rankings, so choose a host with things like site analytics and SEO plugins to take advantage of this. 

Better SEO leads to more organic traffic, more potential customers, and at the end of the day, more sales. Built-in SEO tools mean you don’t need to clutter up your dashboard with plugins. 

9. Analytics and Reporting 

Don’t think keeping track of your site’s performance is silly. Find a host that gives you data on visitor behavior, where your traffic comes from, and sales figures. Study it. Use it to make better business decisions. 

10. Customer Support 

You never know when you might need extra support. Traveling to a different time zone? Struggling to sleep? Choose a host with 24/7 customer support so you can always reach out when you need to. 

Conclusion 

Putting together an effective, popular, and successful e-commerce store isn’t hard, especially if you know what features are important. Does your business have all these top web hosting features every e-commerce store needs? Now’s the time to make changes to start ticking these boxes… Your sales (and business success) depend on you!

Featured Image by storyset on Freepik

The post Top Web Hosting Features Every E-commerce Store Needs  appeared first on noupe.

Categories: Others Tags:

Best PDF Invoice and Document Generation Plugins

May 21st, 2024 No comments

In this blog, we’ll explore a selection of top-notch plugins designed to simplify your invoicing and document creation processes. Whether you’re running a WooCommerce store, managing orders in WordPress, or seeking versatile solutions for generating professional invoices and documents, these plugins have got you covered. 

Why businesses might need PDF invoice and document generation plugins?

PDF invoice and document generation plugins are invaluable tools for businesses and individuals looking to simplify their invoicing and document creation processes. The ability to generate professional-looking invoices, packing slips, delivery notes, and other documents efficiently is essential for maintaining a polished and organized image. 

These plugins offer a range of benefits, including saving time by automating the creation of documents, improving professionalism with branded templates, and enhancing organization by centralizing document management.

With the help of PDF invoice and document generation plugins, businesses can simplify their workflow, impress clients with polished documents, and ensure smoother operations overall.

Best PDF Invoice and Document Generation Plugins to Consider

Let’s dive in and discover the top plugins that can enhance your business efficiency.

1- WooCommerce PDF Invoices, Packing Slips and Credit Notes

With the WooCommerce PDF Invoices plugin, generating professional invoices, packing slips, and credit notes has never been easier. 

With this user-friendly plugin, you can automate the generation of PDF documents for invoices, packing slips, and credit notes. It allows you to attach these documents to order emails and customize templates to match your brand. 

You can also easily download or print invoices and packing slips, choose custom numbering for documents, and even offer a “pay later” option for customers. These features enhance your store’s functionality and contribute to a smoother and more professional customer experience.

By simplifying the invoicing process and providing advanced customization options, this plugin helps you save time and maintain a professional image for your business. 

2- PDF Invoices & Packing Slips for WooCommerce by WP Overnight

The PDF Invoices & Packing Slips plugin by WP Overnight is an essential extension that seamlessly integrates into your store. It automatically adds PDF or UBL invoices to order confirmation emails sent to your valued customers.

With a basic template included and the option to customize or create your own templates, you can ensure that your invoices and packing slips reflect your brand’s identity perfectly. You can even attach invoices to WooCommerce emails of your choice and can also download or print documents directly from the WooCommerce order admin page. This will simplify your order management process.

Furthermore, the plugin offers bulk PDF generation, fully customizable HTML/CSS invoice templates, and multi-language support. With its sequential invoice numbers and custom formatting options, you will also have complete control over the numbering of your invoices. 

Overall, you can simplify your order management process, enhance your brand’s image, and elevate the customer experience with this indispensable tool for WooCommerce store owners.

3- WooCommerce Shipping Labels, Dispatch Labels and Delivery Notes

WooCommerce Shipping Labels plugin is a comprehensive plugin designed to simplify your order processing by creating professional dispatch labels, shipping labels, and delivery notes for WooCommerce orders. With custom settings and layouts tailored to your business, this plugin simplifies the generation of essential order documents.

It automatically generates fully customized documents. It offers multiple pre-built layouts to choose from. It also allows you to create your own templates by adding, removing, or editing components of the document layouts to suit your business requirements. 

The generated documents can be easily accessed from the order edit page of each order. You can add a ‘Print’ button to order status emails for convenient printing directly from the email. You can also easily add multiple labels to a single page and bulk-print them directly from the admin order page for efficient order processing.

It even allows you to add additional order and product-related information, such as meta fields and product attributes, to your WooCommerce documents. Plus, it offers seamless multilingual support. Overall, this plugin is a great option for simplifying your order processing.

4- Sliced Invoices

Sliced Invoices is a user-friendly WordPress invoicing plugin that simplifies your quoting and invoicing processes. With Sliced Invoices, creating professional quotes and invoices that clients can pay for online has always been easier. 

The plugin offers many customization options, including pre-defined line items, customizable email templates, and flexible tax settings. You can also personalize your invoices with your logo and business details, ensuring a polished presentation. 

Plus, with features like automatic increment of invoice and quote numbers, customizable templates using CSS, and support for bulk CSV import of quotes and invoices, Sliced Invoices empowers you to manage your invoicing efficiently and effectively.

The plugin also offers features like sending automatic payment reminder emails and cloning existing quotes and invoices, further enhancing your invoicing workflow. Whether you’re a freelancer, small business owner, or agency, Sliced Invoices provides the flexibility and support you need to create professional quotes and invoices with ease.

5- PeproDev Ultimate Invoice

PeproDev Ultimate Invoice is a great solution for generating advanced HTML/PDF invoices for WooCommerce orders. This plugin offers unparalleled customization options, allowing you to create beautiful, professional-looking invoices that perfectly reflect your brand identity.

With PeproDev Ultimate Invoice, you can effortlessly download PDF invoices, email-styled invoices, and attach PDF invoices to WooCommerce emails, packing slips, shipping labels, and shipping tracking. You can provide them with downloadable, customizable styled invoices that meet their expectations.

The plugin offers full customization capabilities. You can customize every aspect of your invoices, from the layout to the design, and even create your own invoice templates, PDF invoice templates, inventory report templates, and packing slip templates. You can also alter plugins via Action/Filter hooks.

With PeproDev Ultimate Invoice, you can simplify your invoicing process and elevate your WooCommerce store 

6- WooCommerce Proforma Invoices Plugin

The WooCommerce Proforma Invoices Plugin is an advanced tool designed to simplify the creation of custom proforma invoices for all orders in your WooCommerce store. With this plugin, you can effortlessly generate branded proforma invoices that align with your business standards, complete with advanced settings and layout customizations.

It allows you to automatically generate proforma invoices for all orders in your store and easily customize them by adjusting plugin configurations to suit your needs. You can also customize pre-built layouts by adding, removing, or editing components.

It offers custom numbering options to personalize proforma invoice numbers. You can adjust starting numbers, number formats, and lengths to your preference. You can also add custom fields such as special notes, transport terms, sales terms, and custom footers. 

These WooCommerce proforma invoice PDFs can be attached to order emails, along with specific order status emails for attachment. Customers can also print invoices directly from the ‘My accounts’ page of your store, either individually or in bulk.

Plus, it offers seamless multilingual support. overall, you can simplify your invoicing process and elevate your business standards with the WooCommerce Proforma Invoices Plugin.

7- WooCommerce PDF Invoice Builder by RedNao

WooCommerce PDF Invoice Builder by RedNao is an innovative plugin that revolutionizes PDF creation for your WooCommerce store. With its intuitive drag-and-drop builder, you can effortlessly create invoices, packing slips, credit notes, and more. 

The plugin allows you to easily customize fields such as dates, invoice numbers, and billing addresses, and personalize detail tables with different colors, styles, and columns. Plus, it offers over 500 icons, image support, and style designer, with which you can make your PDF invoice unique and professional.

You can download your PDFs directly from your dashboard or configure them to be sent within WooCommerce emails. It also offers a variety of PDF templates to choose from if you’re short on time. The plugin automatically formats amounts using the currency of the order. 

Also, with configurable invoice numbers and file names, WooCommerce PDF Invoice Builder by RedNao offers unparalleled flexibility and convenience for your invoicing needs.

8- Challan

Challan is a comprehensive PDF Invoice & Packing Slip plugin for WooCommerce that simplifies your invoicing process effortlessly. With Challan, you can automatically generate PDF invoices and packing slips, attaching them to order confirmation emails based on the configured order status. 

Its intuitive drag-and-drop builder makes creating and printing invoices a breeze. From resizing PDFs to bulk downloading invoices and packing slips, Challan simplifies the sales and purchasing process.

Its customization options ensure your documents reflect your brand’s identity perfectly. Challan allows you to set shipping and billing information, order data, customer notes, tax details, and more with ease. You can also customize invoice numbers, order titles, product details, and templates effortlessly, and tailor the invoice style using custom CSS. 

Plus, with features like automatic attachment of invoices and packing slips to order confirmation emails, delivery address generation, and sequential order numbering, Challan empowers you to create professional and organized invoices and packing slips for your WooCommerce store.

9- Flexible PDF Invoices for WooCommerce & WordPress

Flexible PDF Invoices for WooCommerce & WordPress is a versatile plugin that empowers you to create invoices effortlessly, whether for WooCommerce orders or standalone transactions within WordPress. With this plugin, you can issue VAT invoices seamlessly, simplifying your invoicing process across all platforms.

The free version of Flexible PDF Invoices offers a range of powerful features, including the ability to issue PDF invoices for WooCommerce orders and manually create VAT invoices in both WooCommerce and WordPress. 

The plugin allows you to easily manage invoices as custom post types, add, edit, and delete invoices with ease, and send them manually as needed. You can also customize your PDF invoice templates to suit VAT taxpayers and VAT-exempt entities and generate and download invoices in bulk by date range for efficient invoicing. 

Plus, with options to add payment info, additional notes, and custom numbering of invoices, Flexible PDF Invoices provides the flexibility and convenience you need to manage your invoicing efficiently.

10- Print Invoice & Delivery Notes for WooCommerce

Print Invoice & Delivery Notes for WooCommerce is yet another powerful tool that simplifies the process of printing invoices and delivery notes for WooCommerce orders. With this plugin, you can effortlessly print out invoices and delivery notes, customize them with your company or shop details, and even add personal notes, conditions, or policies.

The plugin seamlessly integrates into your WooCommerce order management system, adding a convenient side panel for administrators on the order edit page. This allows you to print invoices or delivery notes quickly. 

Additionally, registered customers can easily print their orders with a button added to the order screen. It also offers features like bulk printing, allows customers to print orders from their account page, and includes print links in customer emails for added convenience.

With support for simple and sequential invoice numbering, as well as compatibility with the WooCommerce refund system, this plugin offers flexibility and functionality to meet your invoicing needs.

Conclusion

Investing in PDF invoice and document generation plugins can revolutionize how businesses manage invoicing and document creation processes. 

With the ability to automate tasks, improve professionalism, and enhance organization, these plugins offer invaluable solutions for managing operations and impressing clients. Whether you’re a small business owner or a seasoned professional, integrating these plugins into your workflow can lead to significant time savings and improved efficiency.

Featured image by FIN on Unsplash

The post Best PDF Invoice and Document Generation Plugins appeared first on noupe.

Categories: Others Tags:

Mastering Domain Authority: Key Strategies for Ecommerce Brands

May 20th, 2024 No comments

In the intensely competitive ecommerce sector, your store’s Domain Authority (DA) can significantly influence your brand’s online success. In simple terms, it is a metric developed by Moz that determines a site’s ranking based on search engine results. For ecommerce brands, a higher DA means greater visibility, increased organic traffic, and potentially higher sales. 

In this article, you will explore the tried and tested strategies for improving Domain Authority for ecommerce brands, along with actionable tips and insights to boost your site’s credibility and performance.

What is Domain Authority?

Domain Authority (DA) varies on a scale of 1 to 100. A higher score indicates a strong domain, which means the site will have a higher ranking on SERPs. It depends on factors such as the number and quality of backlinks, the quality of content, and overall site structure.

Why is Domain Authority Important for Ecommerce?

As discussed earlier, a website with an excellent DA score will rank higher in search results. Better ranking further implies that the site is authoritative and trustworthy. For e-commerce brands, this translates to more organic traffic, improved brand credibility, and increased sales. If your store has a high DA, potential customers looking for them will easily discover your products and services.

Strategies to Improve Domain Authority

  1. Create High-Quality Content

Content is the front face of any brand. If you create valuable, informative, and engaging content, you will attract visitors, and other websites will also be inclined to link to your content.

Tips for Creating High-Quality Content

  • Focus on topics that are relevant to your target audience.
  • Ensure your content is well-researched, accurate, and up-to-date.
  • Create informative blog posts, infographics, videos, and guides.

2. High-Quality Backlinks

If you get a backlink from a reputable website, it will indicate to search engines that your site is a credible source of information. So, it will be more fruitful if you focus on acquiring high-quality backlinks for your site. 

Strategies for Building High-Quality Backlinks

  • Guest Blogging: Write articles for reputable blogs in your niche. This method allows you to include backlinks to your site, which will certainly increase your DA score. 
  • Influencer Partnerships: You can also collaborate with influencers. Your DA score will improve if they share your content and link back to your site. 
  • Content Marketing: Create shareable content that other websites find helpful and will like to link to. Like, you can design infographics and create research reports.

3. Optimize On-Page SEO

On-page SEO involves optimizing individual pages to improve their search engine rankings. This includes using relevant keywords, optimizing meta tags, and ensuring a user-friendly site structure.

On-Page SEO Best Practices

  • Keyword Research: Your first step should be identifying relevant keywords. When you get the list of key terms potential customers use, include them naturally in your site’s content.
  • Meta Tags: Optimize your title, meta descriptions, and header tags with relevant keywords.
  • Internal Linking: Use internal links to guide users to related content and improve site navigation.

4. Improve Site Structure and User Experience

A well-structured website with a positive user experience can help improve your DA score. If your site is easy to navigate, mobile-friendly, swiftly loads, and ensures the presence of every UX factor that strengthens its architecture, you will have a good DA score.

Tips for Improving Site Structure and User Experience

  • Mobile Optimization: Ensure your site has a fully responsive web design. 
  • Site Speed: Tools like Google PageSpeed Insights can help you identify and fix any issues slowing down your site.
  • Clear Navigation: Organize your site structure logically and use clear, descriptive menus and links.

5. Ensure Technical SEO is Up to Par

Technical SEO covers optimizing a site’s technical aspects. When you improve your website technically, search engines can crawl and index your pages effectively.

Key Technical SEO Tips

  • XML Sitemaps: You can create and submit an XML sitemap to search engines. This will help them comprehend your site’s content and index your page.
  • Robots.txt: Use a robots.txt file to control which pages search engines can crawl.
  • SSL Certification: Ensure your site uses HTTPS to provide a secure connection for users.

6. Leverage Social Media

Social media promotes your content and increases your brand’s online visibility. Sharing your content on such platforms drives interested customers to your site, which increases sales and backlinks for your site.

Social Media Tips

  • Engage with Your Audience: Responding to public comments and participating in discussions helps build a community around a brand. So, leverage the way to engage with your audience.
  • Share Valuable Content: Regularly share your blog posts, product updates, and other valuable content on your social media channels.
  • Collaborate with Influencers: Partner with influencers and amplify your reach to a broader audience.

7. Monitor and Analyze Your Performance

If you regularly monitor and analyze your site’s SEO performance, you will identify improvement areas and track the effectiveness of your strategies.

Tools for Monitoring SEO Performance

  • Google Analytics: Track your website traffic, user behavior, and conversion rates.
  • Moz: Monitor your Domain Authority and analyze your backlink profile.
  • SEMrush: Track your keyword rankings and identify opportunities for improvement.

Conclusion

Overall, improving Domain Authority is a multifaceted process that requires high-quality content creation, strategic backlink building, on-page, technical SEO optimization, and social media leveraging. 

By implementing these strategies, e-commerce brands can improve their organic visibility and traffic and ultimately increase sales. Regularly monitoring performance and making data-driven adjustments ensures that a store’s efforts yield the best possible results.

Partnering with an experienced e-commerce SEO agency can help those who want to maximize their SEO efforts. They have the expertise and resources required to significantly improve an e-commerce website’s domain authority.

Featured image by Karine Avetisyan on Unsplash

The post Mastering Domain Authority: Key Strategies for Ecommerce Brands appeared first on noupe.

Categories: Others Tags:

15 Best New Fonts, May 2024

May 20th, 2024 No comments

Every month we put together this collection of the best new fonts we’ve found online in the previous weeks.

Categories: Designing, Others Tags:

Building A User Segmentation Matrix To Foster Cross-Org Alignment

May 17th, 2024 No comments

Do you recognize this situation? The marketing and business teams talk about their customers, and each team thinks they have the same understanding of the problem and what needs to be done. Then, they’re including the Product and UX team in the conversation around how to best serve a particular customer group and where to invest in development and marketing efforts. They’ve done their initial ideation and are trying to prioritize, but this turns into a long discussion with the different teams favoring different areas to focus on. Suddenly, an executive highlights that instead of this customer segment, there should be a much higher focus on an entirely different segment — and the whole discussion starts again.

This situation often arises when there is no joint-up understanding of the different customer segments a company is serving historically and strategically. And there is no shared understanding beyond using the same high-level terms. To reach this understanding, you need to dig deeper into segment definitions, goals, pain points, and jobs-to-be-done (JTBD) so as to enable the organization to make evidence-based decisions instead of having to rely on top-down prioritization.

The hardest part about doing the right thing for your user or customers (please note I’m aware these terms aren’t technically the same, but I’m using them interchangeably in this article so as to be useful to a wider audience) often starts inside your own company and getting different teams with diverging goals and priorities to agree on where to focus and why.

But how do you get there — thinking user-first AND ensuring teams are aligned and have a shared mental model of primary and secondary customer segments?

Personas vs Segments

To explore that further, let’s take a brief look at the most commonly applied techniques to better understand customers and communicate this knowledge within organizations.

Two frequently employed tools are user personas and user segmentation.

Product/UX (or non-demographic) personas aim to represent the characteristics and needs of a certain type of customer, as well as their motivations and experience. The aim is to illustrate an ideal customer and allow teams to empathize and solve different use cases. Marketing (or demographic) personas, on the other hand, traditionally focus on age, socio-demographics, education, and geography but usually don’t include needs, motivations, or other contexts. So they’re good for targeting but not great for identifying new potential solutions or helping teams prioritize.

In contrast to personas, user segments illustrate groups of customers with shared needs, characteristics, and actions. They are relatively high-level classifications, deliberately looking at a whole group of needs without telling a detailed story. The aim is to gain a broader overview of the wider market’s wants and needs.

Tony Ulwick, creator of the “jobs-to-be-done” framework, for example, creates outcome-based segmentations, which are quite similar to what this article is proposing. Other types of segmentations include geographic, psychographic, demographic, or needs-based segmentations. What all segmentations, including the user segmentation matrix, have in common is that the segments are different from each other but don‘t need to be mutually exclusive.

As Simon Penny points out, personas and segments are tools for different purposes. While customer segments help us understand a marketplace or customer base, personas help us to understand more about the lived experience of a particular group of customers within that marketplace.

Both personas and segmentations have their applications, but this article argues that using a matrix will help you prioritize between the different segments. In addition, the key aspect here is the co-creation process that fosters understanding across departments and allows for more transparent decision-making. Instead of focusing only on the outcome, the process of getting there is what matters for alignment and collaboration across teams. Let’s dig deeper into how to achieve that.

User Segmentation Matrix: 101

At its core, the idea of the user segmentation matrix is meant to create a shared mental model across teams and departments of an organization to enable better decision-making and collaboration.

And it does that by visualizing the relevance and differences between a company’s customer segments. Crucially, input into the matrix comes from across teams as the process of co-creation plays an essential part in getting to a shared understanding of the different segments and their relevance to the overall business challenge.

Additionally, this kind of matrix follows the principle of “just enough, not too much” to create meaning without going too deep into details or leading to confusion. It is about pulling together key elements from existing tools and methods, such as User Journeys or Jobs-to-be-done, and visualizing them in one place.

For a high-level first overview, see the matrix scaffolding below.

Case Study: Getting To A Shared Mental Model Across Teams

Let’s look at the problem through a case study and see how building a user segmentation matrix helped a global data products organization gain a much clearer view of its customers and priorities.

Here is some context. The organization was partly driven by NGO principles like societal impact and partly by economic concerns like revenue and efficiencies. Its primary source of revenue was raw data and data products, and it was operating in a B2B setting. Despite operating for several decades already, its maturity level in terms of user experience and product knowledge was low, while the amount of different data outputs and services was high, with a whole bouquet of bespoke solutions for individual clients. The level of bespoke solutions that had to be maintained and had grown organically over time had surpassed the “featuritis” stage and turned utterly unsustainable.

And you probably guessed it: The business focus had traditionally been “What can we offer and sell?” instead of “What are our customers trying to solve?”

That means there were essentially two problems to figure out:

  1. Help executives and department leaders from Marketing through Sales, Business, and Data Science see the value of customer-first product thinking.
  2. Establish a shared mental model of the key customer segments to start prioritizing with focus and reduce the completely overgrown service offering.

For full disclosure, here’s a bit about my role in this context: I was there in a fractional product leader role at first, after running a discovery workshop, which then developed into product strategy work and eventually a full evaluation of the product portfolio according to user & business value.

Approach

So how did we get to that outcome? Basically, we spent an afternoon filling out a table with different customer segments, presented it to a couple of stakeholders, and everyone was happy — THE END. You can stop reading…

Or not, because from just a few initial conversations and trying to find out if there were any existing personas, user insights, or other customer data, it became clear that there was no shared mental model of the organization’s customer segments.

At the same time, the Business and Account management teams, especially, had a lot of contact with new and existing customers and knew the market and competition well. And the Marketing department had started on personas. However, they were not widely used and weren’t able to act as that shared mental model across different departments.

So, instead of thinking customer-first the organization was operating “inside-out first,” based on the services they offered. With the user segmentation matrix, we wanted to change this perspective and align all teams around one shared canvas to create transparency around user and business priorities.

But How To Proceed Quickly While Taking People Along On The Journey?

Here’s the approach we took:

1. Gather All Existing Research

First, we gathered all user insights, customer feedback, and data from different parts of the organization and mapped them out on a big board (see below). Initially, we really tried to map out all existing documentation, including links to in-house documents and all previous attempts at separating different user groups, analytics data, revenue figures, and so on.

The key here was to speak to people in different departments to understand how they were currently thinking about their customers and to include the terms and documentation they thought most relevant without giving them a predefined framework. We used the dimensions of the matrix as a conversation guide, e.g., asking about their definitions for key user groups and what makes them distinctly different from others.

2. Start The Draft Scaffolding

Secondly, we created the draft matrix with assumed segments and some core elements that have proven useful in different UX techniques.

In this step, we started to make sense of all the information we had collected and gave the segments “draft labels” and “draft definitions” based on input from the teams, but creating this first draft version within the small working group. The aim was to reduce complexity, settle on simple labels, and introduce primary vs secondary groups based on the input we received.

We then made sure to run this summarized draft version past the stakeholders for feedback and amends, always calling out the DRAFT status to ensure we had buy-in across teams before removing that label. In addition to interviews, we also provided direct access to the workboard for stakeholders to contribute asynchronously and in their own time and to give them the option to discuss with their own teams.

3. Refine

In the next step, we went through several rounds of “joint sense-making” with stakeholders from across different departments. At this stage, we started coloring in the scaffolding version of the matrix with more and more detail. We also asked stakeholders to review the matrix as a whole and comment on it to make sure the different business areas were on board and to see the different priorities between, e.g., primary and secondary user groups due to segment size, pain points, or revenue numbers.

4. Prompt

We then promoted specifically for insights around segment definitions, pain points, goals, jobs to be done, and defining differences to other segments. Once the different labels and the sorting into primary versus secondary groups were clear, we tried to make sure that we had similar types of information per segment so that it would be easy to compare different aspects across the matrix.

5. Communicate

Finally, we made sure the core structure reached different levels of leadership. While we made sure to include senior stakeholders in the process throughout, this step was essential prior to circulating the matrix widely across the organization.

However, due to the previous steps, we had gone through, at this point, we were able to assure senior leadership that their teams had contributed and reviewed several times, so getting that final alignment was easy.

We did this in a team of two external consultants and three in-house colleagues, who conducted the interviews and information gathering exercises in tandem with us. Due to the size and global nature of the organization and various different time zones to manage, it took around 3 weeks of effort, but 3 months in time due to summer holidays and alignment activities. So we did this next to other work, which allowed us to be deeply plugged into the organization and avoid blind spots due to having both internal and external perspectives.

Building on in-house advocates with deep organizational knowledge and subject-matter expertise was a key factor and helped bring the organization along much better than purely external consultants could have done.

User Segmentation Matrix: Key Ingredients

So, what are the dimensions we included in this mapping out of primary and secondary user segments?

The dimensions we used were the following:

  1. Segment definition
    Who is this group?
    Define it in a simple, straightforward way so everyone understands — NO acronyms or abbreviations. Further information to include that’s useful if you have it: the size of the segment and associated revenue.
  2. Their main goals
    What are their main goals?
    Thinking outside-in and from this user groups perspective these would be at a higher level than the specific JTBD field, big picture and longer term.
  3. What are their “Jobs-to-be-done”?
    Define the key things this group needs in order to get their own work done (whether that’s currently available in your service or not; if you don’t know this, it’s time for some discovery). Please note this is not a full JTBD mapping, but instead seeks to call out exemplary practical tasks.
  4. How are they different from other segments?
    Segments should be clearly different in their needs. If they’re too similar, they might not be a separate group.
  5. Main pain points
    What are the pain points for each segment? What issues are they currently experiencing with your service/product? Note the recurring themes.
  6. Key contacts in the organization
    Who are the best people holding knowledge about this user segment?
    Usually, these would be the interview partners who contributed to the matrix, and it helps to not worry too much about ownership or levels here; it could be from any department, and often, the Business or Product org are good starting points.

This is an example of a user segmentation matrix:

Outcomes & Learning

What we found in this work is that seeing all user segments mapped out next to each other helped focus the conversation and create a shared mental model that switched the organization’s perspective to outside-in and customer-first.

Establishing the different user segment names and defining primary versus secondary segments created transparency, focus, and a shared understanding of priorities.

Building this matrix based on stakeholder interviews and existing user insights while keeping the labeling in DRAFT mode, we encouraged feedback and amends and helped everyone feel part of the process. So, rather than being a one-time set visualization, the key to creating value with this matrix is to encourage conversation and feedback loops between teams and departments.

In our case, we made sure that every stakeholder (at different levels within the organization, including several people from the executive team) had seen this matrix at least twice and had the chance to input. Once we then got to the final version, we were sure that we had an agreement on the terminology, issues, and priorities.

Below is the real case study example (with anonymized inputs):

Takeaways And What To Watch Out For

So what did this approach help us achieve?

  1. It created transparency and helped the Sales and Business teams understand how their asks would roughly be prioritized — seeing the other customer segments in comparison (especially knowing the difference between primary vs secondary segments).
  2. It shifted the thinking to customer-first by providing an overview for the executive team (and everyone else) to start thinking about customers rather than business units and see new opportunities more clearly.
  3. It highlighted the need to gather more customer insights and better performance data, such as revenue per segment, more detailed user tracking, and so on.

In terms of the challenges we faced when conducting and planning this work, there are a few things to watch out for:

We found that due to the size and global nature of the organization, it took several rounds of feedback to align with all stakeholders on the draft versions. So, the larger the size of your organization, the more buffer time to include (or the ability to change interview partners at short notice).

If you’re planning to do this in a startup or mid-sized organization, especially if they’ve got the relevant information available, you might need far less time, although it will still make sense to carefully select the contributors.

Having in-house advocates who actively contributed to the work and conducted interviews was a real benefit for alignment and getting buy-in across the organization, especially when things started getting political.

Gathering information from Marketing, Product, Business, Sales and Leadership and sticking with their terms and definitions initially was crucial, so everyone felt their inputs were heard and saw it reflected, even if amended, in the overall matrix.

And finally, a challenge that’s not to be underestimated is the selection of those asked to input — where it’s a tightrope walk between speed and inclusion.

We found that a “snowball system” worked well, where we initially worked with the C-level sponsor to define the crucial counterparts at the leadership level and have them name 3-4 leads in their organization, looking after different parts of the organization. These leaders were asked for their input and their team’s input in interviews and through asynchronous access to the joint workboard.

What’s In It For You?

To summarize, the key benefits of creating a user segmentation matrix in your organization are the following:

  • Thinking outside-in and user-first.
    Instead of thinking this is what you offer, your organization starts to think about solving real customer problems — the matrix is your GPS view of your market (but like any GPS system, don’t forget to update it occasionally).
  • Clarity and a shared mental model.
    Everyone is starting to use the same language, and there’s more clarity about what you offer per customer segment. So, from Sales through to Business and Product, you’re speaking to users and their needs instead of talking about products and services (or even worse, your in-house org structure). Shared clarity drastically reduces meeting and decision time and allows you to do more impactful work.
  • Focus, and more show than tell.
    Having a matrix helps differentiate between primary, secondary, and other customer segments and visualizes these differences for everyone.

When Not To Use It

If you already have a clearly defined set of customer segments that your organization is in agreement on and working towards — good for you; you won’t need this and can rely on your existing data.

Another case where you will likely not need this full overview is when you’re dealing with a very specific customer segment, and there is good alignment between the teams serving this group in terms of focus, priorities, and goals.

Organizations that will see the highest value in this exercise are those who are not yet thinking outside-in and customer-first and who still have a traditional approach, starting from their own services and dealing with conflicting priorities between departments.

Next Steps

And now? You’ve got your beautiful and fully aligned customer segmentation matrix ready and done. What’s next? In all honesty, this work is never done, and this is just the beginning.

If you have been struggling with creating an outside-in perspective in your organization, the key is to make sure that it gets communicated far and wide.

For example, make sure to get your executive sponsors to talk about it in their rounds, do a road show, or hold open office hours where you can present it to anyone interested and give them a chance to ask questions. Or even better, present it at the next company all-hands, with the suggestion to start building up an insights library per customer segment.

If this was really just the starting point to becoming more product-led, then the next logical step is to assess and evaluate the current product portfolio. The aim is to get clarity around which services or products are relevant for which customers. Especially in product portfolios plagued by “featuritis,” it makes sense to do a full audit, evaluate both user and business value, and clean out your product closet.

If you’ve seen gaps and blind spots in your matrix, another next step would be to do some deep dives, customer interviews, and discovery work to fill those. And as you continue on that journey towards more customer-centricity, other tools from the UX and product tool kit, like mapping out user journeys and establishing a good tracking system and KPIs, will be helpful so you can start measuring customer satisfaction and continue to test and learn.

Like a good map, it helps you navigate and create a shared understanding across departments. And this is its primary purpose: getting clarity and focus across teams to enable better decision-making. The process of co-creating a living document that visualizes customer segments is at least as important here as the final outcome.

Further Reading

Categories: Others Tags:

Can AI Design Tools Replace Human Designers?

May 17th, 2024 No comments

Are AI design tools about to replace human designers? Most of us would assume they are not quite there yet. But: could they be getting closer?

While AI can certainly generate strong designs instantly, it often misses the mark on the finer details that a human designer would catch. If you, for example, ask an AI to draw a picture of a hand—it might get a general idea, but it might not capture the subtle details that make a hand look real.

And yet, despite these limitations, AI has its strengths. It can handle repetitive tasks, analyze vast amounts of information, and even suggest ideas that a human designer might not have thought of.

So, while AI isn’t ready to take over the design world just yet, it’s definitely changing the game. To succeed in this new era, designers need to adapt and integrate AI into their workflows.

In this article, we’ll explore the current state of AI in design, its strengths and weaknesses, how designers can adapt, and what the future might hold. 

The Rise of AI Design Tools

Source

AI design tools are shaking up the industry. They’re fast, efficient, and can generate hundreds of ideas in no time. Tools like Midjourney, DALL-E, and Adobe Sensei use advanced algorithms and vast datasets to create designs that are visually attractive and technically precise.

However, AI’s speed and efficiency come with limitations. These tools lack the human touch—they don’t understand emotions, cultural contexts, or storytelling. They serve as powerful assistants but fall short of replacing the instinctive decision-making of human designers.

AI: A Powerful Partner

Source

AI isn’t here to replace you, the designer. It’s here to assist you. Think of AI as a powerful ally, taking on monotonous tasks and freeing you to focus on the creative, strategic parts of your work.

Here’s how AI can help:

  • Automating Boring Tasks: AI can handle repetitive tasks like resizing images, selecting colors, and generating variations. This automation means you spend less time on tedious work and more on creativity.
  • Data Analysis: AI can sift through large datasets, spotting trends and suggesting design improvements. This can provide insights that might not be immediately obvious.
  • Generating Ideas: AI can propose a range of design ideas, sparking inspiration that you might not have thought of. This expands your creative possibilities and helps you think outside the box.

By taking care of the heavy work, AI lets you focus on what you do best—coming up with ideas, solving problems, and creating designs that connect on an emotional level.

Let’s look at some tools that make this possible:

  • Microsoft Designer: This tool offers a user-friendly interface and a range of features for creating various items quickly, from social media posts to professional presentations. It leverages AI to suggest design elements and layouts, making your workflow smoother and faster.
  • Adobe Firefly: Firefly allows you to generate vectors, brushes, and textures from simple prompts. It’s perfect for experimenting with new concepts and bringing your creative visions to life without extensive manual work.
  • Runway: Runway simplifies video editing with its comprehensive suite. It offers advanced features for color correction, visual effects, and seamless integration with other tools, streamlining your entire production process.

With AI as your partner, you can work faster, explore more ideas, and push your creative boundaries further. That said, no matter how advanced AI gets, it can’t replace the unique human perspective. Let’s explore what makes human designers truly irreplaceable.

The Irreplaceable Human Touch

Despite AI’s capabilities, it can’t replicate the unique qualities that human designers bring. Designers infuse their work with personal experiences, empathy, and an understanding of human behavior that AI lacks.

Human designers can:

  • Anticipate user needs and craft engaging narratives.
  • Understand the emotional impact of design elements like color and typography.
  • Grasp cultural context and ensure relevance and sensitivity.

AI might be able to generate a variety of design options, but it can’t really understand the emotional impact of color choices or the cultural significance of certain design elements. It can’t predict how a user might emotionally respond to a particular design or how a design fits into a larger strategic vision.

So, how can we blend AI’s capabilities with human creativity to create exceptional designs?

Collaboration: The Future of Design

Source

The future of design isn’t about AI versus humans; it’s about using the strengths of both to create exceptional work. AI can generate several ideas and handle repetitive tasks, freeing human designers to refine these ideas with creativity, strategic thinking, and emotional intelligence.

Here’s how to make the most of AI in your design process:

  • Streamline Your Workflow: Let AI take care of repetitive tasks like resizing images and selecting colors. This frees up your time to focus on more complex design elements.
  • Speed Up Iterations: Use AI to quickly generate multiple design variations. This allows you to test and refine ideas faster, improving the overall design process.
  • Enhance Quality: Leverage AI’s precision to ensure technical accuracy, while you add the creative touches that make a design stand out.
  • Stay Innovative: Use AI to explore new design concepts and ideas that you might not have thought of on your own. This expands your creative possibilities and keeps your work fresh.
  • Make Data-Driven Decisions: AI can analyze large datasets to spot trends and suggest design improvements. Use these insights to inform your design choices and stay ahead of the curve.

The key is to view AI as a partner. It handles the heavy lifting, but your creativity and vision bring the final product to life. This collaboration is the future of design—leveraging technology to enhance, not replace, human creativity.

That said, the impact of AI goes beyond the creative process itself.

AI in Design Meetings: Enhancing Collaboration

Source

AI is changing not just how we design, but also how we collaborate. Effective communication is crucial in design projects, and AI meeting assistants can make a big difference. By automating meeting tasks, AI lets designers focus more on creativity and less on administration.

  • Transcriptions: AI can transcribe meetings in real-time, ensuring nothing is missed and everyone is on the same page.
  • Summaries: Generate concise meeting summaries, highlighting key points, decisions, and next steps.
  • Action Items: Identify and track action items, ensuring follow-through on tasks and responsibilities.

Using AI in your meetings means less time spent on logistics and more on what really matters—creating great designs! This is especially important as design teams often juggle multiple projects and meetings. 

The Future of Design

Let’s rewind and revisit our original question: Can AI replace human designers? The short answer is no. But it will definitely change the game.

Designers who rely on both AI and their insights will thrive. Those who leverage AI for repetitive tasks will have more time to add creative details and make their work more impactful. 

Here’s the bottom line: AI is here to stay. It’s not a threat; it’s an opportunity. An opportunity to work smarter, push the boundaries of what’s possible, and create designs that make a real difference in people’s lives.

The future of design is about human-AI synergy. It’s about creating designs that are not only functional but also emotionally resonant. It’s about leveraging technology while staying true to your core values as a designer.

Featured image by Antoni Shkraba

The post Can AI Design Tools Replace Human Designers? appeared first on noupe.

Categories: Others Tags:

9 Ways to Build Meaningful Connections for Business Growth

May 17th, 2024 No comments

Growing your business is often synonymous with growing your network. After all, your business is often only as good as your vendors, suppliers, employees, collaborators, and, of course, your customers. Building communities is the best way to catalyze innovation and connect people, exponentially increasing their potential. 

With uncertain signals in the 2024 economic outlook, this focus is more vital than ever. Let’s take a closer look at some of the best ways to build meaningful connections to help your business thrive.

Don’t Let It Take Over Your Time

One of the most common mistakes business owners make when it comes to networking is going overboard. If you live in one of the best startup cities in America, there’s a near-endless supply of networking opportunities, from conferences and summits to casual social engagements where you’ll find yourself rubbing shoulders with leaders in your field.

However, these opportunities can easily become a distraction. Networking is valuable and necessary, but it can’t take time and energy away from your business’s core functions. 

Experts suggest allocating a specific amount of time to networking; this could be per day, per week, or only on designated days or at designated times of the day. This often has a double benefit. First, setting aside specific time to network instead of only doing it when the urge strikes can often result in you actually networking more on a weekly or monthly basis than before. Second, it preserves the rest of your time for other work.

Know What You Want

Just like you should decide exactly when to network (and when you shouldn’t), you should also have a clear idea of what you want to get out of it.

Small business owners can have many different networking goals, such as raising brand awareness, looking for partners to help expand, pivoting into a slightly different area of expertise, or even recruitment. Defining these goals for yourself ahead of time will help you stay focused and on message. 

Don’t Focus Too Narrowly

It’s natural to feel in sync with business owners and entrepreneurs like yourself; you understand their journey and the obstacles they face. But make sure you network far and wide, ranging well beyond your specific role and industry. The most valuable insights and relationships are often the result of differing perspectives coming together. 

Beyond that, networking with professionals outside your immediate sphere will give you a richer perspective on your industry, often leading to valuable insights.

Let People Do Favors for You

Many people think of demonstrating value as a one-way street and that the best (and perhaps only) way to do so is to do things for other people. But this is a very limited view of human nature. While it might sound counterintuitive, asking someone for a favor can be one of the best ways to cement your relationship.

Most people like to do favors for others, sometimes even more than they enjoy receiving them. Doing things for coworkers or bosses allows them to demonstrate positive qualities like generosity, altruism, and competence. 

Don’t Be a Taker

Still, don’t immediately start asking for favors and referrals when you forge a new contact. At the start of the relationship, share your knowledge and contacts first to make it clear you’re not just a selfish opportunist. More often than not, this kind of upfront generosity is eventually returned many times over. 

Don’t Just Look Up

One of the most common goals for small business owners is to find mentors who can help them take their brand to the next level. But that shouldn’t be your sole focus. 

Network in every direction. That means reaching out not just to powerful mentors further along their business journey but also interacting regularly with more junior colleagues who are just starting out. This is a great way to build out organic networks and uncover valuable hidden talents that can benefit the community. Plus, it’s not uncommon for high-performing younger employees to quickly reach the upper echelons of the company or industry. Who knows what that cup of coffee with a junior coworker might lead to someday?

Make Introductions and Connections

Don’t just think about who you can connect with. If you have two contacts who clearly share a vision but don’t know each other yet, introduce them. Building relationships between your contacts is a great way to build goodwill, multiply your influence, and cultivate the network around you. 

Be Genuine

Don’t be too transactional about your networking; approach it like any other substantial human relationship. Don’t restrict your conversation to business. Talk about your personal lives, shared hobbies, or anything else that might come up. 

And remember that you shouldn’t make networking all about yourself. If you think back to horrible bosses and coworkers you’ve had in the past, they probably bored you with relentless monologues about themselves. The more you can make the conversation about the other person and solicit their opinions and feelings, the more fruitful your networking will be. 

Cultivate and Always Follow Up

Networking isn’t about making easy money fast; it’s about forging long-term relationships. Check in with new networking contacts soon after you make that initial contact. Remind them how you met, and continue the conversation. This will firm up your connection and leave them with a positive association. 

If you said you’d give them materials or a referral, make sure you follow through. This doesn’t have to be a face-to-face meeting or even a phone call; a social media message or post can be very effective, too. Even more importantly, this has to be a consistent effort. Reach out to your contacts regularly, or your network will wither.

Featured Image by Brooke Cagle on Unsplash

The post 9 Ways to Build Meaningful Connections for Business Growth appeared first on noupe.

Categories: Others Tags:

Brand Deals: The Art of Sustainable Creator Economy Collaborations

May 17th, 2024 No comments

A recent report reveals that the creator economy is worth more than $100 billion dollars.

In the last eight years, its global market size has increased by more than 20 times and is expected to reach $500 billion in the next three years.

And it’s not hard to see why. 

67% of B2B marketers see more impact with influencer marketing than brand-only campaigns.

What’s more, out of social media users ages 18–54, 21% have made a purchase after an influencer’s recommendation. And 32% of Gen Zers have bought something after a creator recommended it.

With high engagement and conversions, consider dedicating a chunk of your marketing budget to influencer campaigns.

To see the most impact, focus on building sustainable, long-term partnerships when working with aligned creators. 

When you build trust and mutual respect, there’s no limit to the potential success you can reach together. 

Let’s take a closer look at the creator economy, how to work with creators to reach more audiences, and how to find aligned partners for the long haul.

Examples of strong, sustainable partnerships

Thought leader, author, and entrepreneur Marie Forleo has built several businesses and specializes in helping others do the same. 

Time Genius program home page with Marie Forleo.

For years, she’s leveraged strong partnerships with other big names in the industry, such as Jenna Kutcher, Kris Carr, and Danielle LaPorte.

Using both influencer and affiliate marketing strategies, Marie Forleo has worked with creators to drum up awareness, qualified leads, and user-generated content for her programs, B-School and Time Genius. 

Influencer marketing campaign example.

Marie has launched “seasons” and preps for them by investing in massive influencer campaigns with the partners she trusts most. She leverages their reach every year — typically during Q4 and Q1 to fill course seats. 

Together, they produce social media videos, Instagram Stories, ads, and email marketing content featuring her programs. 

With over a million and a half niche followers (on Instagram alone) between Jenna, Kris, and Danielle, Marie has ample opportunities to grab aligned leads.

Influencer marketer, Jenna Kutcher’s profile on Instragram.

In the B2B space …

Thought leaders and entrepreneurs Massimo Chieruzzi, Shane Barker, and Adam Enfroy make affiliate marketing income reviewing B2B sales books, marketing books, tools, and services — mostly about SaaS and Tech. 

Massimo Chieruzzi’s About page.

Their authoritative content and high-traffic websites give SaaS and Tech brands a secure channel for attracting qualified leads and conversions. 

They trust Massimo, Shane, and Adam with ongoing content marketing campaigns, including explainer videos, blog posts, and in-depth guides. 

Example of B2B affiliate review.

These help generate quality backlinks to the brands’ sites and help them reach more audiences, build authority, and boost sales.

A pro when working with affiliate marketers? It can be easier to gauge their return on investment (ROI). You’ll have auto-generated commission tracking to see exactly how much profit you’ve earned with each campaign. 

Many affiliate marketers also don’t charge upfront fees. 

Instead, they only make commissions when they sell your product or service. 

Collaborating with and building relationships with professionals in your niche 

Networking with creators and successful professionals in your industry is an invaluable way to create a long-term mutual value exchange.

Here are some best practices to keep in mind when collaborating with and building relationships with like-minded professionals:

B2C influencer marketing 

If you’re in the B2C space, find other professionals in your niche who aren’t direct competitors. 

Build relationships with vendors that have aligned values and share each other’s content and promos:

  • Across social media platforms
  • In email marketing campaigns 
  • In ad campaigns

Consider linking up to collaborate on short-form videos, styled photo shoots, and user-generated content (UGC) campaigns. 

For instance, if you own a professional wedding photography company, consider building relationships with dress and tailored men’s suit brands, custom picture frame vendors, and florists. Set up ongoing styled shoots and cross-market the images on your social media profiles and in email campaigns:

Example of a brand collaboration.

You can also collaborate on lead magnet campaigns to build your email lists. Consider using generous coupons and helpful guides (like best picture frame materials for wedding photos) to nudge website visitors and campaign viewers to hand over their email addresses:

Lead magnet example.

Take this tip up a notch by partnering with industry vendors with impressive endorsements. 

For instance, VRAI, a jewelry store specializing in lab-grown diamond rings, has a notable endorsement from actor Leonardo DiCaprio, featured on its website:

Endorsement example.

The brand also showcased actor Robert Downey Jr. wearing its VRAI diamond cufflinks at an award ceremony to its Instagram followers:

Endorsement example.

These humbling recognitions help VRAI build trust with its audience — as well as promising relationships with relevant vendors and creators in the wedding industry:

Brand collaboration example.

B2B influencer marketing

If you’re in the B2B space, build relationships with subject-matter experts, thought leaders, and content marketers. 

Look for ones with niche expertise in your industry and websites with high DA scores (ideally 80+). 

You’ll also want to make sure their content style and brand values match yours. Consider testing a few campaigns before committing to longer agreements.

When you’re ready for long-term impact, create a content marketing schedule with pre-defined workflows. For instance, plan campaigns a quarter or even a year in advance. 

This gives your partnership time to grow and deepen so you can improve each campaign. 

Some B2B leaders charge retainer fees, while others work for affiliate marketing commissions. Test both options to see which agreements foster the best ROI.

When creating your affiliate marketing program, be fair. While you want to earn a profit, you also need to sweeten the deal for your B2B creators.

In other words, ensure your affiliates feel valued and have real income potential by partnering with your brand. 

Get inspired by one of the leading AI voice generation software companies, LOVO. Its affiliate marketing program offers creators 20% recurring commissions for 24 months when they acquire new customers:

Affiliate marketing program by LOVO.
Source

Its affiliates can also track results, receive monthly payments, and get access to training resources to improve sales. The generous commission amount and holistic support options help affiliates feel excited about — and committed to — endorsing LOVO. 

When creating B2B campaigns with your partners, focus on educational and informative content that generates leads and website traffic. 

Be sure to create an SEO strategy based on search intent to encourage higher rankings. Focus on high-volume, low-competition keywords.

Some effective SEO content assets for B2B influencer campaigns include:

  • Lead magnet campaigns, i.e., B2B ebooks or in-depth guides
  • YouTube explainer videos
  • Knowledge Base content
  • Comparison guides
  • Product reviews
  • White papers
  • Case studies 
  • Guest posts 
  • Blog posts
  • Tutorials

The power of implementing user-generated content and social proof at scale 

One of the most important benefits of working with long-term influencers and affiliates is the ability to drum up UGC. 

When you link arms with aligned creators over the long haul, there are endless opportunities for people to shout your praises. This can generate viral results when partners dedicate more time to focus on UGC campaigns. 

As Roy Mayer, Social Media Lead at Artlist, says …

“Partnering with creators has allowed us to create more content and deliver a bigger impact. We see this both in ’soft’ metrics, such as our channel growth and brand sentiment, as well as in hard data. 

UGC was one of our main traffic sources this year from organic social media activity. It also allowed us to respond quickly to marketing needs, creating an organic content envelope to assist with more performance-oriented efforts. 

We’ve experienced higher-impact marketing campaigns on all fronts and acquired more traffic and sales.”

If you’re on a budget, consider partnering with micro-influencers and nano-influencers in your niche to boost UGC. 

They’re cost-effective and have a knack for building genuine connections and loyal followers. 

With UGC campaigns, you can collect social proof in bulk and integrate it across marketing campaigns and throughout your website.

For instance, you can add social proof:

  • On your pricing and plans pages
  • Near CTAs on your website
  • On your testimonials pages 
  • In social media campaigns 
  • In email marketing content
  • On product labels 
  • On landing pages
  • To ad campaigns
  • On sales pages

Collaborating with UGC creators can also boost your content production so you’re not spinning your wheels creating everything in-house. 

How to find aligned partnerships 

To secure content creators you align with, start by creating partner personas. 

When building these, consider your potential partner’s ideal:

  • Follower counts on social media platforms
  • Subject-matter expertise
  • Previous experience 
  • Engagement rates 
  • Industry and niche
  • Content specialty 
  • Target audience 
  • Share of Voice
  • Style and tone 
  • Reach

Then, use influencer marketing platforms to search for potential partners that line up with your personas. 

You can even find platforms that function like “influencer marketing hubs,” like Grin. 

With these tools, you can find, track, manage, and pay your creators in one place.

How to nurture aligned partnerships 

Build genuine connections when forming creator partnerships. 

Remember to link up with people and brands with similar values and focus on creating a win-win/mutual value exchange.

After testing a few campaigns, nurture partnerships with creators that:

  • Help you achieve the best results
  • Mirror your style and tone
  • You enjoy working with
  • Align with your mission

You’ll also need to create clear and fair contracts.

Make sure your partners feel valued and are happy with the financial terms and their creative roles. Check in with each other throughout campaign periods to give and receive feedback — and maintain positive communication. 

Continue looking for more ways to establish growth together. Track metrics and key performance indicators and refine campaigns as you learn what works best. 

Wrap up 

Building and nurturing long-term relationships with content creators helps your brand create more authentic and impactful content. 

These relationships foster a deeper understanding of your brand’s values and messaging, resulting in content that truly resonates with your target audience. 

Working with the same creators over time also creates a consistent brand voice and aesthetic — increasing brand recognition. 

Plus, with the right partners, your campaigns can see higher ROIs than with traditional marketing methods. 

The bottom line? Investing in promising relationships can amplify your brand’s reach, engagement, and effectiveness.

For more helpful marketing guides like this one, head to our blog

To your success!

Featured image by Slidebean on Unsplash

The post Brand Deals: The Art of Sustainable Creator Economy Collaborations appeared first on noupe.

Categories: Others Tags:

Beyond CSS Media Queries

May 16th, 2024 No comments

Media queries have been around almost as long as CSS itself — and with no flex, no grid, no responsive units, and no math functions, media queries were the most pragmatic choice available to make a somewhat responsive website.

In the early 2010s, with the proliferation of mobile devices and the timely publication of Ethan Marcotte’s classic article “Responsive Web Design”, media queries became much needed for crafting layouts that could morph across screens and devices. Even when the CSS Flexbox and Grid specifications rolled out, media queries for resizing never left.

While data on the actual usage of media queries is elusive, the fact that they have grown over time with additional features that go well beyond the viewport and into things like user preferences continues to make them a bellwether ingredient for responsive design.

Today, there are more options and tools in CSS for establishing layouts that allow page elements to adapt to many different conditions besides the size of the viewport. Some are more widely used — Flexbox and Grid for certain — but also things like responsive length units and, most notably, container queries, a concept we will come back to in a bit.

But media queries are still often the de facto tool that developers reach for. Maybe it’s muscle memory, inconsistent browser support, or that we’re stuck in our ways, but adoption of the modern approaches we have for responsive interfaces seems slow to take off.

To be clear, I am all for media queries. They play a significant role in the work we do above and beyond watching the viewport size to make better and more accessible user experiences based on a user’s OS preferences, the type of input device they’re using, and more.

But should media queries continue to be the gold standard for responsive layouts? As always, it depends, but

It is undeniable that media queries have evolved toward accessibility solutions, making space for other CSS features to take responsibility for responsiveness.

The Problem With Media Queries

Media queries seemed like a great solution for most responsive-related problems, but as the web has grown towards bigger and more complex layouts, the limits of media queries are more prevalent than ever.

Problem #1: They Are Viewport-Focused

When writing media query breakpoints where we want the layout to adapt, we only have access to the viewport’s properties, like width or orientation. Sometimes, all we need is to tweak a font size, and the viewport is our best bud for that, but most times, context is important.

Components on a page share space with others and are positioned relative to each other according to normal document flow. If all we have access to is the viewport width, knowing exactly where to establish a particular breakpoint becomes a task of compromises where some components will respond well to the adapted layout while others will need additional adjustments at that specific breakpoint.

So, there we are, resizing our browser and looking for the correct breakpoint where our content becomes too squished.

The following example probably has the worst CSS you will see in a while, but it helps to understand one of the problems with media queries.

That same layout in mobile simply does not work. Tables have their own set of responsive challenges as it is, and while there is no shortage of solutions, we may be able to consider another layout using modern techniques that are way less engineered.

We are doing much more than simply changing the width or height of elements! Border colors, element visibility, and flex directions need to be changed, and it can only be done through a media query, right? Well, even in cases where we have to completely switch a layout depending on the viewport size, we can better achieve it with container queries.

Again, Problem #1 of media queries is that they only consider the viewport size when making decisions and are completely ignorant of an element’s surrounding context.

That may not be a big concern if all we’re talking about is a series of elements that are allowed to take up the full page width because the full page width is very much related to the viewport size, making media queries a perfectly fine choice for making adjustments.

See the Pen Responsive Cards Using Media Queries [forked] by Monknow.

But say we want to display those same elements as part of a multi-column layout where they are included in a narrow column as an

Categories: Others Tags: