The Little Triangle in the Tooltip

December 20th, 2024 No comments

Tooltips are like homemade food: everyone uses them and everyone has their own recipe to make them. If you don’t remember a particular recipe, you will search for one, follow it, and go on with your day. This “many ways to do the same thing” concept is general to web development and programming (and life!), but it’s something that especially rings true with tooltips. There isn’t a specialized way to make them — and at this point, it isn’t needed — so people come up with different ways to fill those gaps.

Today, I want to focus on just one step of the recipe, which due to lack of a better name, I’ll just call the little triangle in the tooltip. It’s one of those things that receives minimal attention (admittedly, I didn’t know much before writing this) but it amazes you how many ways there are to make them. Let’s start with the simplest and make our way up to the not-so-simple.

Ideally, the tooltip is just one element. We want to avoid polluting our markup just for that little triangle:

<span class="tooltip">I am a tooltip</span>

Clever border

Before running, we have to learn to walk. And before connecting that little triangle we have to learn to make a triangle. Maybe the most widespread recipe for a triangle is the border trick, one that can be found in Stack Overflow issues from 2010 or even here by Chris in 2016.

In a nutshell, borders meet each other at 45° angles, so if an element has a border but no width and height, the borders will make four perfect triangles. What’s left is to set three border colors to transparent and only one triangle will show! You can find an animated version on this CodePen by Chris Coyier

CodePen Embed Fallback

Usually, our little triangle will be a pseudo-element of the tooltip, so we need to set its dimensions to 0px (which is something ::before and ::after already do) and only set one of the borders to a solid color. We can control the size of the triangle base by making the other borders wider, and the height by making the visible border larger.

.tooltip {
  &::before {
    content: "";

    border-width: var(--triangle-base);
    border-style: solid;
    border-color: transparent;

    border-top: var(--triangle-height) solid red;
  }
}

Attaching the triangle to its tooltip is an art in itself, so I am going with the basics and setting the little triangle’s position to absolute and the .tooltip to relative, then playing with its inset properties to place it where we want. The only thing to notice is that we will have to translate the little triangle to account for its width, -50% if we are setting its position with the left property, and 50% if we are using right.

.tooltip {
  position: relative;

  &::before {
    /* ... */
    position: absolute;
    top: var(--triangle-top);
    left: var(--triangle-left);

    transform: translateX(-50%);
  }
}

However, we could even use the new Anchor Positioning properties for the task. Whichever method you choose, we should now have that little triangle attached to the tooltip:

CodePen Embed Fallback

Rotated square

One drawback from that last example is that we are blocking the border property so that if we need it for something else, we are out of luck. However, there is another old-school method to make that little triangle: we rotate a square by 45° degrees and hide half of it behind the tooltip’s body. This way, only the corner shows in the shape of a triangle. We can make the square out of a pseudo-element:

.tooltip {
  &::before {
    content: "";

    display: block;
    height: var(--triangle-size);
    width: var(--triangle-size);

    background-color: red;
  }
}

Then, position it behind the tooltip’s body. In this case, such that only one-half shows. Since the square is rotated, the transformation will be on both axes.

.tooltip {
  position: relative;

  &::before {
    /* ... */
    position: absolute;
    top: 75%;
    left: 50%;
    z-index: -1; /* So it's behind the tooltip's body */

    transform: translateX(-50%);
    transform: rotate(45deg) translateY(25%) translateX(-50%);
  }
}
CodePen Embed Fallback

I also found that this method works better with Anchor Positioning since we don’t have to change the little triangle’s styles whenever we move it around. Unlike the border method, in which the visible border changes depending on the direction.

CodePen Embed Fallback

Trimming the square with clip-path

Although I didn’t mention it before, you may have noticed some problems with that last approach. First off, it isn’t exactly a triangle, so it isn’t the most bulletproof take; if the tooltip is too short, the square could sneak out on the top, and moving the false triangle to the sides reveals its true square nature. We can solve both issues using the clip-path property.

The clip-path property allows us to select a region of an element to display while clipping the rest. It works by providing the path we want to trim through, and since we want a triangle out of a square, we can use the polygon() function. It takes points in the element and trims through them in straight lines. The points can be written as percentages from the origin (i.e., top-left corner), and in this case, we want to trim through three points 0% 0% (top-left corner), 100% 0% (top-right corner) and 50% 100% (bottom-center point).

So, the clip-path value would be the polygon() function with those three points in a comma-separated list:

.tooltip {
  &::before {
    content: "";

    width: var(--triangle-base);
    height: var(--triangle-height);

    clip-path: polygon(0% 0%, 100% 0%, 50% 100%);
    transform: translate(-50%);

    background-color: red;
  }
}

This time, we will set the top and left properties using CSS variables, which will come in handy later.

.tooltip {
  position: relative;

  &::before {
    /* ... */
    position: absolute;
    top: var(--triangle-top); /* 100% */
    left: var(--triangle-left); /* 50% */

    transform: translate(-50%);
  }
}

And now we should have a true little triangle attached to the tooltip:

CodePen Embed Fallback

However, if we take the little triangle to the far end of any side, we can still see how it slips out of the tooltip’s body. Luckily, the clip-path property gives us better control of the triangle’s shape. In this case, we can change the points the trim goes through depending on the horizontal position of the little triangle. For the top-left corner, we want its horizontal value to approach 50% when the tooltip’s position approaches 0%, while the top-right corner should approach 50% when the tooltip position approaches 100%.

Path to trim right triangles

The following min() + max() combo does exactly that:

.tooltip {
  clip-path: polygon(
    max(50% - var(--triangle-left), 0%) 0,
    min(150% - var(--triangle-left), 100%) 0%,
    50% 100%
  );
}

The calc() function isn’t necessary inside math functions like min() and max().

Try to move the tooltip around and see how its shape changes depending on where it is on the horizontal axis:

CodePen Embed Fallback

Using the border-image property

It may look like our last little triangle is the ultimate triangle. However, imagine a situation where you have already used both pseudo-elements and can’t spare one for the little triangle, or simply put, you want a more elegant way of doing it without any pseudo-elements. The task may seem impossible, but we can use two properties for the job: the already-seen clip-path and the border-image property.

Using the clip-path property, we could trim the shape of a tooltip — with the little triangle included! — directly out of the element. The problem is that the element’s background isn’t big enough to account for the little triangle. However, we can use the border-image property to make an overgrown background. The syntax is a bit complex, so I recommend reading this full dive into border-image by Temani Afif. In short, it allows us to use an image or CSS gradient as the border of an element. In this case, we are making a border as wide as the triangle height and with a solid color.

.tooltip {
  border-image: fill 0 // var(--triangle-height) conic-gradient(red 0 0);;
}

The trim this time will be a little more complex, since we will also trim the little triangle, so more points are needed. Exactly, the following seven points:

The clip-path trim the shape of a tooltip body and little triangle

This translates to the following clip-path value:

.tooltip {
  /* ... */
  clip-path: polygon(
    0% 100%,
    0% 0%,
    100% 0%,
    100% 100%,
    calc(50% + var(--triangle-base) / 2) 100%,
    50% calc(100% + var(--triangle-height)),
    calc(50% - var(--triangle-base) / 2) 100%
  );
}

We can turn it smart by also capping the little triangle bottom point whenever it gets past any side of the tooltip:

.tooltip {
  /* ... */
  clip-path: polygon(
    0% 100%,
    0% 0%,
    100% 0%,
    100% 100%,
    min(var(--triangle-left) + var(--triangle-base) / 2, 100%) 100%,
    var(--triangle-left) calc(100% + var(--triangle-height)),
    max(var(--triangle-left) - var(--triangle-base) / 2, 0%) 100%
  ;
}

And now we have our final little triangle of the tooltip, one that is part of the main body and only uses one element!

CodePen Embed Fallback

More information

Related tricks!


The Little Triangle in the Tooltip originally published on CSS-Tricks, which is part of the DigitalOcean family. You should get the newsletter.

Categories: Designing, Others Tags:

Google’s Project Mariner: UX and User Testing in the Age of AI-Driven Web Navigation

December 20th, 2024 No comments

Google’s Project Mariner introduces autonomous AI agents that navigate the web and perform tasks, reshaping UX design and testing to accommodate both human users and AI agents.

Categories: Designing, Others Tags:

How Video Messaging Enhances Communication in Remote Teams

December 20th, 2024 No comments

Introduction

Remote Work has revolutionized how we interact with each other in the workplace; increased workforce globalization. Nonetheless, the most emergent issue needs to be addressed in this setup is probably the communication issue. Students might feel isolated and lonely due to no live contact, communication can become confusing and lack of team cohesiveness. Allow me to introduce video messaging as the means to close the gap and instill virtually enhanced relationships within geographically distanced employees.

In this blog, I will focus on how video message can help to improve the communication among employees who work altogether in distance, as well as, I will present some tips on how to adopt this technology for achieving the productivity boost. 

The Challenges of Remote Team Communication

Remote work brings with it unique communication hurdles, such as:

1. Lack of Nonverbal Cues – In normal organizational environment, physical gestures, eye contact, gestures and even intonation contribute to the communication process. Such nuances are missing in the written communication which include emails and messages through online chatting.

2. Overreliance on Written Communication – Remote teams heavily rely on writing to communicate with each other and it can be problematic. Contradictory meanings, delays in reaction, and the lack of understanding of the affective intents lead to intragroup conflict.

3. Scheduling Challenges – Due to the distribution of team members across different geographical regions, often the functionality of scheduling a meeting at particular time of the day poses a challenge. Inaccurate timings cause disconnections and inability to communicate at precise times and dates.

How Video Messaging Solves These Challenges

Video messaging addresses many of these issues by offering a more dynamic and human-centric way to communicate. Here’s how:

1. Bringing Back Nonverbal Communication – With video messaging, people can finally bring back their body language again. Nonverbal cues along with verbal are likely to understand messages and avoid confusion resulting from similar words and phrases.

2. Asynchronous Communication Made Personal- Unlike live video calls, video messages are recorded and passed around thus making asynchronous communication personal. This helps reduce scheduling constraints and most of the interchange will be very much simplified across working hours let alone time zones.

3. Enhanced Engagement and Connection – Seeing a colleague or a fellow employee during a meeting and hearing from them certainly creates a level of interaction, which an email or a message cannot create. Such an emotional interest will further enhance team spirit and shed positive feeling towards the people involved.

4. Clearer Explanations for Complex Topics- While sometimes words or pictures can be used to teach people what we want them to know, there are times which these are inadequate. Video messaging has an added advantage of being able to record the screen, draw on visuals, or verbally elaborate on complex data.

Practical Benefits of Video Messaging for Remote Teams

1. Increased efficiency – Video messaging helps do away with a long thread associated with emails or chats. This goes a long way in getting the message across without the need for many emails or lengthy explanation as the video gets the work done.

2. Better Onboarding and Training- Success in any new job is achieved majorly through receiving constructive instructions from supervisors or managers, but this is difficult for new employees in remote teams. Video messages are extremely useful for onboarding, providing easy and detailed instructions on how to do something, welcome message and training.

3. Increased Transparency – It is hard to argue with a video, especially if it contains important information the rest of the team only gets secondhand or thirdhand. This approach reduces the possibility of coming up with the wrong understanding and distorting the original goal.

4. Strengthened Team Culture- It is easy to send daily check-ins, fun greetings, videos, or hellos to the entire crew to strengthen the remote working bonds and work on forming a stronger and cheerful organizational culture.

Strategies for Effective Video Messaging

To make the most of video messaging, consider the following best practices:

1. Keep It Short and Focused- Lengthy videos can lose the viewer’s attention. Aim for concise messages that address a specific topic or question.

2. Use Visual Aids- While producing your video make sure to add relevant pictures and graphs to support your content and also to make your video more attractive.

3. Be Authentic – Don’t aim for perfection focus on being authentic and relatable. A natural tone helps build trust and connection.

4. Encourage Feedback- Invite recipients to respond with their own video messages or comments. This two-way interaction keeps the communication dynamic and engaging.

5. Choose the Right Tools- Select a video messaging platform that aligns with your team’s needs. Look for features like high-quality video, ease of use, and integrations with existing workflows.

Popular Use Cases for Video Messaging

Video messaging can be leveraged in various scenarios to enhance team collaboration:

1. Project Updates- Implement a video project status to quickly share updates to the team without scheduling a meeting.

2. Performance Reviews- Use video messaging to deliver personalized feedback, especially for remote employees who may feel disconnected from management.

3. Team Announcements – Celebrate milestones, share important news, or communicate policy changes using engaging video messages.

4. Conflict Resolution- Address misunderstandings or conflicts with video messages to provide clarity and a personal touch that text cannot offer.

5. Team Building- Play interactive short videos or post amusing clip page and messages to enhance the cohesiveness of the team.

Conclusion

The utilization of video messaging is gradually becoming the most powerful tool especially when dealing with remote teams as the means of communication is much more dynamic and elastic than in Instant Messaging. When adopted as part of one’s regular practice, this tool will help to address many of the barriers to effective communication we have seen hitherto, enhance work output and create a more cohesive working environment. 

For today’s workspace that has gradually moved to remote work, it is critical to have a solid video messaging platform that fostered team cohesiveness and great performance. Engage yourself with this technology and let your offsite employees maximize their productivity.

Featured image by William Fortunato

The post How Video Messaging Enhances Communication in Remote Teams appeared first on noupe.

Categories: Others Tags:

Git Wrapped: The GitHub Year in Review You Didn’t Know You Needed

December 19th, 2024 No comments

Git Wrapped is a free tool that transforms your GitHub activity into an engaging, shareable year-in-review summary, highlighting your top projects, language usage, and commit trends.

Categories: Designing, Others Tags:

The 30 Best Fonts of 2024

December 19th, 2024 No comments

2024 has been a great year for type design. Over the past few years geometric sans have been less apparent, with cursive and serifs having something of a renaissance; that trend continued this year. There’s been a very clear fashion for French design. Experimental fonts are more usable than ever. Here — in no particular […]

Categories: Designing, Others Tags:

Why Big Brands Are Ditching Serif Fonts in Their Logos

December 18th, 2024 No comments

Big brands are increasingly ditching serif fonts in their logos, opting for sleek sans-serif designs to stay modern, improve digital readability, and appeal to younger, tech-savvy audiences.

Categories: Designing, Others Tags:

Sandisk’s New Logo Is a Single Pixel of the Future

December 17th, 2024 No comments

Sandisk Corporation—synonymous with flash drives, memory cards, and digital storage—has redefined its visual identity with a bold, minimalist new logo. The inspiration? A single pixel.

“It all started with the pixel, which is the fundamental smallest unit of data,” explains Andre Filip, CEO of ELA Advertising, the agency behind the redesign.

Sandisk worked on the new look ahead of its highly anticipated spin-off from parent company Western Digital planned for next year.

The Logo: A Modernized Minimalism

The updated design is sleek, futuristic, and packed with symbolism. Sandisk’s recognizable open ‘D’ remains, but the standout feature is the revamped ‘S’: a pared-down form shaped into a cone and a square pixel.

“It’s the first letter; it’s like the cornerstone of the company,” says Joel Davis, Sandisk’s Vice President of Creative. If the pixel seems NASA-inspired, it’s no accident. “We actually asked ourselves, ‘What would this look like on a spaceship?’” Davis reveals.

Sandisk now boasts two versions of its logo—vertical and horizontal—ensuring flexibility across digital and physical branding.

A Legacy Redefined

Founded as SunDisk in 1988 and renamed in 1995, Sandisk has seen decades of technological evolution. Western Digital acquired the company in 2016 for a staggering $15.59 billion, but as part of an upcoming business split, Sandisk’s flash storage division will emerge as its own entity.

The logo redesign marks a pivotal moment in Sandisk’s story.

Image courtesy of Sandisk

Why Should Designers Care?

Sandisk’s rebrand shows that even practical, hardware-focused companies can embrace storytelling and emotional impact. This isn’t just about storage devices; it’s about empowering progress for creators, businesses, and individuals.

For designers, the lesson is clear: a logo is just one part of a larger narrative. Sandisk’s redesign proves that minimalism can still feel dynamic and alive, while delivering a scalable, timeless identity that sets a new benchmark for tech brands.

23423 2
Image courtesy of Sandisk

A One-Shot Opportunity

For the team behind the new design, this wasn’t just another update—it was a statement. “The brand has been around since the late ’80s,” Davis says, “and while it’s a great logo, we really had this one opportunity to bring the company into the future.”

And the future, it seems, begins with a single pixel.

Behind the Design: Sandisk’s New Brand

Categories: Designing, Others Tags:

The State of UX in 2025: What Designers Need to Know

December 17th, 2024 No comments
234233

Every year, the UX Collective dives deep into what’s shaping the design world, and their 2025 State of UX report is out.

Spoiler alert: it’s a mix of exciting tech breakthroughs and some hard truths about where our industry is headed. If you’re wondering how AI, design tools, and shifting priorities are changing the game, here’s what you need to know.

The Great Design Handoff: Humans vs. Algorithms?

Design is no longer just about sketching out wireframes or crafting pixel-perfect mockups. A massive shift is happening: control is moving from designers to algorithms, automated tools, and, yes, business stakeholders.

Tools like Figma and Canva are doing more than just speeding things up—they’re changing how we define “designing.”

As AI-powered tools get smarter, they’re taking over tasks like creating layouts or optimizing experiences. While this frees us up for more creative work, it also begs the question: are we okay with giving up some of the artistry in favor of efficiency?

Image courtesy of UXDesign.cc

Clicks Over Clarity: The Business of UX

Let’s talk about something uncomfortable: UX is becoming less about the “user” and more about hitting business KPIs. Growth teams are using design systems to focus on maximizing engagement—clicks, sign-ups, conversions. Sounds great on paper, right? But at what cost?

The report warns that this metric-driven approach risks turning UX into a numbers game, where clarity and user satisfaction take a backseat. Ever felt frustrated by an endless pop-up or confusing navigation? Yep, that’s what happens when growth trumps good design.

AI: Friend, Foe, or Frenemy?

AI is everywhere, and it’s rewriting the rules of UX. Personalization is becoming hyper-specific, automated A/B tests are a breeze, and data-driven decisions are ruling the roost. But here’s the flip side: the more we rely on AI, the less room there is for human intuition and empathy.

The report urges us to keep a balance. Sure, let AI handle the grunt work, but let’s not forget the importance of crafting designs that feel genuinely human. Machines might know what works, but they don’t understand why it works—or how it makes someone feel.

What This Means for Designers

So, where does all of this leave us as designers? The report encourages us to adapt—and fast. Want to stay ahead? Think beyond the pixels. Lean into strategy, leadership, user psychology, and accessibility.

There’s also a big push to double down on creativity. While AI might be able to generate layouts, it can’t replace the depth of storytelling or the finesse of thoughtful design. This is where we can shine.

Looking Ahead

The 2025 UX landscape is challenging us to redefine what it means to be a designer. Whether it’s embracing new tools, fighting for user-centric principles, or stepping into leadership roles, there’s plenty of opportunity to grow.

The big takeaway? Designers still matter—maybe now more than ever. But we have to evolve, stay curious, and never lose sight of what makes our work impactful: designing for people, not just metrics.

Go to The State of UX in 2025

Categories: Designing, Others Tags:

Three Approaches To Amplify Your Design Projects

December 17th, 2024 No comments

What makes an incredible project? Is it the client? The type of project? An exorbitant budget? While those things help to create the environment in which a great project can thrive, what truly makes a project something powerful is you.

No, this isn’t some pep talk on why you are the ultimate weapon — but yes, you are if you want to be. I am simply a web and product designer writing down my observations in order to give others the tools to make their project experiences all the better for it.

Still with me? Let me tell you about what I’ve discovered over the years working as an agency designer.

There are three approaches that have completely changed the way my projects run from start to finish. I have found that since implementing all three, my work and my interactions with clients and coworkers have blossomed. Here they are:

  1. Unlearn previous experiences through Reframing.
  2. Tap into your background with Connection Paths.
  3. Take up your own space. Period.

In this article, you will find explanations of each approach and connected practical examples — as well as real-life ones from my project work at Fueled + 10up — to show you how they can be applied to projects. With that said, let’s dive in.

Approach 1: Unlearn Previous Experiences Through Reframing

While some of the things that we have learned over the years spent in design are invaluable, amidst those previous experiences, there are also the ones that hold us back.

Unlearning ingrained lessons is not an easy thing to do. Rather, I challenge you to reframe them and get into the habit of asking yourself, “Am I stopping short creatively because I have always gone this far?” or “Am I associating an implied response from others due to a previous experience and therefore not doing enough for the project?”

Let me give you some examples of thoughts that may arise on a given project and how you can reframe them in a better way.

Initial Thought

“I’ve designed cards thousands of times. Therefore, there are only so many ways you can do it.”

As you know, in 99.9% of website design projects, a card design is required. It may seem that every possible design ever imagined has been created up to this point — a fair reasoning, isn’t it? However, stifling yourself from the very get-go with this mentality will only serve to produce expected and too-well-known results.

Reframed Thought

Instead, you could approach this scenario with the following reframed thought:

“I’ve designed cards thousands of times, so let me take what I’ve learned, do some more exploration, and iterate on what could push these cards further for this particular project.”

With this new outlook, you may find yourself digging deeper to pull on creative threads, inevitably resulting in adaptive thinking. A good exercise to promote this is the Crazy 8’s design exercise. In this format, you can pull forth rapid ideas — some good, some not so good — and see what sticks. This method is meant to get your brain working through a simple solution by tackling it from multiple angles.

Real-Life Example

Here is a real-life example from one of my projects in which I had to explore cards on a deeper level. This client’s website was primarily made up of cards of varying content and complexity. In the initial stages of design, I worked to define how we could differentiate cards, with prominence in size, imagery, and color, as well as motion and hover effects.

What I landed on was a flexible system that had three tiers and harmonized well together. Knowing they had content that they wanted to be highlighted in a distinctive way, I created a Featured Card and tied it to the brand identity with the cutout shape in the image masking. I also included the glass effect on top to allude to the brand’s science background and ensure the text was accessible. For the Stacked Card, I introduced a unique hover effect pattern: depending on where the card was in a given grid, it would determine the card’s hover color. Lastly, for the Horizontal Card, I wanted to create something that had equal emphasis on the image and content and that could also stand alone well, even without an image.

While these cards include what most cards usually do, the approach I took and the visual language used was unique to the client. Instead of working on these too quickly, I ventured down a different path that took a little more thought, which led me to a result that felt in tune with the client’s needs. It also pushed me outside of what I knew to be the standard, straightforward approach.

Initial Thought

“Fast is better. Clients and project teams want me to be fast, so it’s okay if I cut down on exploration.”

In most projects, speed is indeed rewarded. It keeps the project within its budget constraints, the project managers are happy, and ultimately, the clients are happy, too. However, what it can end up doing instead is generating errors in the process and hindering design exploration.

Reframed Thought

In this scenario, you can reframe this like so:

“I like to work fast because I want the team to be successful. In addition, I want to make sure I have not only produced high-quality work but also explored whether this is the best and most creative solution for the project.”

With this new outlook, you are still looking out for what clients and project teams want (successful outcomes), but you have also enriched the experience by fully executing your design expertise rather than just churning out work.

One recommendation here is to always ensure you are communicating with your project team about the budget and timelines. Keeping yourself aware of these key goals will allow you to pace when to push for more exploration and when to dial it in.

Real-Life Example

I experienced this on a project of mine when a client’s piece of feedback seemed clear-cut, but as we entered a third round of design surrounding it, it revealed that it was much more complicated.

The client, Cleveland Public Library, had approved a set of wireframes for their homepage that illustrated a very content-heavy hero, but when it came to the design phase, they were delighted by a simpler, more bold design for a block that I created in my preliminary design explorations. At first, I thought it was obvious: let’s just give them a dialed-in, simple hero design and be done with it. I knew the hours were precious on this project, and I wanted to save time for later on as we got into the finer design details of the pages. However, this was an error on my part.

After taking a step back and removing speed as a key factor during this phase of the project, I found the solution they actually needed: a content-heavy hero showcasing the breadth of their offerings, melded with the boldness of the more pared-down design. And guess what? This variant was approved instantly!

Now that I have shown you two examples of how to unlearn previous experiences, I hope you can see the value of reframing those moments in order to tap into a more uninhibited and unexplored creative path. Of course, you should expect that it will take several implementations to start feeling the shift towards inherent thinking — even I need to remind myself to pause and reframe, like in the last example. Rome wasn’t built in a day, as they say!

Try This

I challenge you to identify a few moments on a recent project where you could have paused, reflected, and used more creativity. What would you have done differently?

Approach 2: Tap Into Your Background With Connection Paths

I know I just talked about unlearning some of our previous experiences to unlock creativity, but what about the ones we may want to tap into to push us even further? Every designer has an array of passions, memories, and experiences that have culminated into what makes us who we are today. We often have a work self — professional and poised, and a personal self — exploding with hobbies. How can we take those unique facets of our personalities and apply them to our projects?

Creating connections with projects and clients on a deeper level is a major way to make use of our personal experiences and knowledge. It can help to add inspiration where you otherwise may not have found that same spark on a project or subject matter.

Let me walk you through what I like to call the Three Connection Paths. I’ll also show you how you can pull from these and apply them to your projects.

Direct Path

This connection path is one in which you have overlapping interests with the client or subject matter.

An example of this is a client from the video game industry, and you play their video games. Seems like an obvious connection! You can bring in your knowledge and love for the game industry and their work. You could propose easter eggs and tie-ins to their games on their website. It’s a match made in heaven.

Cross Path

This connection path is one in which you cross at a singular point with the client or subject matter.

An example of this is a client, which is a major restaurant chain, and you used to work in the food industry. With your background, you understand what it is like to work at a restaurant, so you might suggest what CTA’s or fun graphics would be important for a staff-centric site.

Network Path

This connection path is one in which you are tethered to the client or subject matter through who you know.

An example of this is a client in the engineering field, and one of your family members is an engineer. You can then ask your family members for insights or what would be a good user experience for them on a redesigned website.

Sometimes, you won’t be so lucky as to align with a client in one of the Three Connection Paths, but you can still find ways to add a layered experience through other means, such as your skillset and research. In the last example, say you know nothing about engineering nor have a connection to someone who does, but you are an excellent copy editor outside of work. You can propose tweaking the verbiage on their hero section to emphasize their goals all the more. This shows care and thoughtfulness, giving the client an experience they are sure to appreciate.

Real-Life Example

A real-life example in which I implemented a Direct Connection Path on a project was for Comics Kingdom’s website redesign. When I was younger, I wanted to be a manga creator, so this client being an intermediary between comic readers and creators resonated with me. Not only that, but I still practice illustration, so I knew I had to bring this skill set to the table, even though it was not part of the original scope of work.

I allowed myself to lean into that spark I felt. I hand-sketched a few illustrations in Procreate for their website that felt personal and tied to the joy that comics evoke. Beyond that, I found a way to incorporate my knowledge of manga into a background pattern that pulled inspiration from nawa-ami (a traditional cross-hatching style to denote deep thought) and mixed it with the motif of fingerprints — the idea of identity and the artist’s own mark on their work.

Due to my deep passion, I was able to cultivate an excellent collaborative relationship with the client, which led to a very successful launch and being invited to speak on their podcast. This experience solidified my belief that through tapping into Connection Paths, you can forge not only amazing projects but also partnerships.

Try This

Look at what projects you currently have and see which of the Three Connection Paths you could use to build that bond with the client or the subject matter. If you don’t see one of the Three Connection Paths aligning, then what skills or research could you bring to the table instead?

Approach 3: Take Up Your Own Space

The last — and arguably most important — approach to leveling up your projects is taking up your own space. I’m not referring to physical space like strong-arming those around you. What I’m referring to is the space in which designers take to be vocal about their design decisions.

A lot of designers find this practice uncomfortable. Whether it stems from having not been given that space to practice as a beginner designer, higher ranking designers not leaving the room for those less vocal, or even you yourself feeling like someone else might be better suited to talk to a particular point.

Don’t Retreat

Similarly, some designers find themselves retreating when receiving feedback. Instead of standing behind the reasoning of their designs or asking follow-up questions, it seems easier to simply go along with the requested change in order to make the client or team member providing the feedback happy. Even if you disagree with the request, does it feel like you need to execute it just because the client — or someone you feel outranks you — told you to?

You Are The Expert

There is another option, one in which you can mark yourself as the design expert you are and get comfortable in the discomfort.

Saying you don’t agree and explaining why helps solidify you as a strong decision-maker and confident designer. Tying it back to why you made the decision in the first place is key.

Illuminating your opinions and reasoning in conversations is what will get those around you to trust in your decisions. Hiding them away or conceding to client whims isn’t going to show those around you that you have the knowledge to make the proper recommendations for a project.

The Middle Ground

Now, I’m not saying that you will need to always disagree with the provided feedback to show that you have a backbone. Far from it. I think there is a time and place for when you need to lean into your expertise, and a time and place for when you need to find a middle ground and/or collaborate. Collaborating with coworkers and clients lets them peek into the “why” behind the design decisions being made.

Example

A great example of this is a client questioning you on a particular font size, saying it feels too large and out of place.

You have two options:

  1. You could say that you will make it smaller.
  2. Or you could dig deeper.

If you have been paying attention thus far, you’d know that option 2. is the route I would suggest. So, instead of just changing the font size, you should ask for specifics. For example, is the type hierarchy feeling off — the relationship of that heading to the body font it is paired with? You can ask if the size feels large in other instances since perhaps this is your H2 font, so it would need to be changed across the board. Calling attention to why you chose this size using data-informed UX design, accessibility, brand, or storytelling reasons all amplify your decision-making skills before the client, so including that information here helps.

If, after the discussion, the client still wants to go with changing the font size, at least you have given your reasoning and shown that you didn’t thoughtlessly make a decision — you made the design choice after taking into consideration multiple factors and putting in a lot of thought. Over time, this will build trust in you as the design expert on projects.

Real-Life Example

An example in which I showcased taking up my own space was from a recent project I worked on for Hilton Stories in their collaboration with Wicked. After conceptualizing a grand takeover experience complete with a storytelling undertone, one of the clients wanted to remove the page-loading animation with the idea of having more branded elements elsewhere.

While most of my team was ready to execute this, I read between the lines and realized that we could solve the issue by including clear verbiage of the collaboration on the loading animation as well as adding logos and a video spot to the interior pages. By sticking up for a key piece of my designs, I was able to show that I was aligned with not only my design decisions but the major goals of the project. This solution made the clients happy and allowed for a successful launch with the loading animation that the Fueled + 10up team and I worked so hard on.

Try This

The next time you receive feedback, pause for a moment. Take in carefully what is being said and ask questions before responding. Analyze if it makes sense to go against the design decisions you made. If it doesn’t, tell the client why. Have that open dialogue and see where you land. This will be uncomfortable at first, but over time, it will get easier.

Remember, you made your decisions for a reason. Now is the time to back up your design work and ultimately back up yourself and your decisions. So, take up your own space unapologetically.

Conclusion

Now that you have learned all about the three approaches, there is nothing stopping you from trialing these on your next project. From unlearning previous experiences through Reframing to tapping into your background with Connection Paths, you can lay the groundwork for how your past can be used to shape your future interactions. When taking up your own space, start small as you begin to advocate for your designs, and always try to connect to the “whys” so you instill trust in your clients and members of your design team.

As Robin Williams so eloquently delivered in the Dead Poets Society, “No matter what anybody tells you, words and ideas can change the world.” In this case, you don’t need to apply it so widely as the entire world, maybe just to your workplace for now.

Categories: Others Tags:

3 Essential Design Trends, December 2024

December 16th, 2024 No comments
catch that santa website

And just like that, we are closing in on the end of 2024. The trends keep on coming, though, as we round out the year. From holiday feels to cool scroll effects to more stark aesthetics, there’s still plenty to work with as you finish projects this month.

Here’s what’s trending in design this month:

1. Holiday Themes

There’s nothing like festive holiday themes to help you feel happy and spirited in the final part of the year. The same applies to website design.

Fun themes are becoming more common, with sites swapping their looks for the biggest sales season of the year to sites that pop up just for the holiday season. What’s great about these designs is that there’s no one-size-fits-all solution. Every site can do something different to highlight a festive mood.

Each of these examples takes a different approach to the holiday and shows that even sites that aren’t dedicated to e-commerce can participate in some seasonal fun.

Santa Tote goes all in with a holiday-themed site. Rather than add seasonal elements to their primary website, Tote created a secondary holiday site. The gamified and artistic theme is fun and makes you want to click around and interact. The whimsical illustrations are an added bonus.

Holiday Spheres is another gamified holiday site example, where you can build an animated snow globe digitally. Get your digital gift just right, and then send it to someone to spread a little holiday cheer!

Finally, the Macy’s website design is what you would expect from a retailer for the holiday season. The site uses an elegant red and gold textured theme with plenty of sales and deals highlighted. While it screams holiday, the theme is also in line with the brand.

One thing to keep in mind with these holiday concepts is that you can take the ideas used for the holidays and apply them to other seasonal designs or even use them in daily practice. The interactions, animations, and ways to entice users aren’t any different than what you might normally do, there’s just a Santa or two included.

macy's website

2. Interesting Scroll Interactions

A fun or interesting scroll can take a boring design to the next level. It can also add a lot of interest to something that might seem overly simple, driving conversions or engagements.

But there’s a trick to using some of these interesting scroll interactions as a design trend – they must have purpose. What does the scroll help the user do or understand? If you can answer that question, you are well on your way to creating a purposeful and interesting interaction that will make users want to stay on your website.

Lcycic mixes interesting shapes, background video, and scrolls to keep the design interesting. The best part of this scroll is that there’s nothing fancy, just a collection of “pages” that work together easily with varying content types to tell a solid story.

Gentlerain takes a wholly different approach with plenty of animation and effects, with an equally appealing result. From the liquid effect on the homepage to great scrolling slides, everything is designed to keep you moving through and reading all of the content. There are also some nifty hover effects, too.

The design for Bike Portugal falls somewhere in between. The hero area seems pretty simple but the images across the screen include photos and video and change shape and size with the interaction. The waterfall effect of the shapes is interesting and engaging as well.

lcycic website
gentlerain website
bike portugal website

3. Black and White Motifs

Every time black and white themes gain popularity, a designer smiles somewhere. This is one of those things that never really falls out of fashion and designers, in particular, love when clients allow them to have fun with these mono color schemes.

Each of these examples uses some sort of “trick” element with black and white to add as much interest as possible.

Onto uses a white background with black text and a video reel. While it is primarily black and white, the video incorporates splashes of color when you seem to least expect it.

Good & Common sticks with a start and brutalist feeling design with white, and bold, letters on a black background. This design is created specifically to make you read. The stark nature really gives users little else to do. Even the one image on the homepage is without color.

Shane Collier Design also uses a stark white on black concept, but uses language – and misspelled and unexpected – word choices to catch and keep attention. After you see the first few words, you are driven to learn more. Why are the words “wrong?” What is this design trying to tell you? Once you get a way into the scroll and these questions are answered, the design opens up into a little more color with some portfolio items.

onto website
good & common website
shane collier design website

Conclusion

While you can’t use these holiday trends per se all year long, there are takeaways that work regardless of the content. Consider ways to incorporate interesting site-wide or landing page-only themes so that users feel something special when they get to your website. Celebrate customers, other occasions, or just a big sale to make this most of this trending website design concept.

Categories: Designing, Others Tags: