Blog

  • Mobile-First CSS: Is It Time for a Rethink?

    Mobile-First CSS: Is It Time for a Rethink?

    The mobile-first style approach is great—it focuses on what really matters to the consumer, it’s well-practiced, and it’s been a popular style design for years. But developing your CSS mobile-first should also be fantastic, too…right?

    Well, not necessarily. Classic mobile-first CSS development is based on the principle of overwriting style declarations: you begin your CSS with default style declarations, and overwrite and/or add new styles as you add breakpoints with min-width media queries for larger viewports (for a good overview see “What is Mobile First CSS and Why Does It Rock?”). But all those exceptions create complexity and inefficiency, which in turn can lead to an increased testing effort and a code base that’s harder to maintain. Admit it—how many of us willingly want that?

    Mobile-first CSS may yet be the best option for your own projects, but you need to first determine how ideal it is in light of the physical design and user interactions you’re working on. To help you get started, here’s how I go about tackling the elements you need to watch for, and I’ll discuss some alternative remedies if mobile-first doesn’t seem to fit your job.

    Benefits of mobile-first

    Some of the points to enjoy with mobile-first CSS creation —and why it’s been the de facto growth strategy for thus long—make a lot of feeling:

    Development pyramid. One thing you definitely get from mobile-first is a great development hierarchy—you only focus on the cellular view and get developing.

    Tried and tested. It’s a tried-and-true method that has worked for years because it solves a problem actually also.

    Prioritizes the smart see. The mobile view is the simplest and arguably the most significant because it covers all the crucial user journeys and frequently accounts for a higher proportion of user visits ( depending on the project ) ).

    Prevents desktop-centric growth. It can be tempting to first focus on the desktop perspective because desktop computers are used for growth. However, considering mobile from the beginning prevents us from getting stuck eventually; no one wants to spend their day getting a site that is focused on desktops to work on mobile devices!

    Drawbacks of mobile-first

    Model declarations can be set at lower breakpoints and therefore overwritten at higher breakpoints:

    More richness. The more needless script you inherit from lower thresholds, the higher up the order you go.

    Higher CSS precision. Styles that have been returned to the default value in a class name charter then have a higher sensitivity. When you want to preserve the CSS pickers as simple as possible, this can be a headache on massive projects.

    Requires more analysis assessment. All higher thresholds must be regression tested if changes to CSS at a lower see ( such as adding a new style ) are to be made.

    The browser can’t prioritize CSS downloads. At wider breakpoints, classic mobile-first min-width media queries don’t leverage the browser’s capability to download CSS files in priority order.

    The issue of home value surpasses

    Overwriting values is not necessarily essentially bad; CSS was created to do that. However, sharing incorrect values is counterproductive and can be burdensome and inadequate. When you have to replace styles to restore them back to their defaults, which may cause issues after, especially if you are using a combination of bespoke CSS and power classes, it can also lead to more fashion specificity. A style with a higher specificity that has been reset won’t be able to be used with a utility class.

    With this in mind, I’m developing CSS with a focus on the default values much more these days. Since there’s no specific order, and no chains of specific values to keep track of, this frees me to develop breakpoints simultaneously. I concentrate on finding common styles and isolating the specific exceptions in closed media query ranges (that is, any range with a max-width set). 

    This approach opens up some opportunities, as you can look at each breakpoint as a clean slate. If a component’s layout looks like it should be based on Flexbox at all breakpoints, it’s fine and can be coded in the default style sheet. When CSS is placed into closed media query ranges, it can be done both Grid and Flexbox completely independently. Additionally, developing simultaneously requires you to have a thorough understanding of any given component in all breakpoints right away. This can help identify issues with the design more quickly in the development process. We don’t want to travel down the rabbit hole while creating complex mobile components, only to discover that the desktop designs are just as complex and incompatible with the HTML we created for the mobile view!

    Though this approach isn’t going to suit everyone, I encourage you to give it a try. There are plenty of tools out there to help with concurrent development, such as Responsively App, Blisk, and many others.

    Having said that, I don’t feel the order itself is particularly relevant. If you like to work on one device at a time, are comfortable with focusing on the mobile view, and have a good understanding of the requirements for other breakpoints, then you should definitely stick to the classic development order. The key is to find common styles and exceptions so that you can include them in the appropriate stylesheet, which is a manual tree-shaking procedure! Personally, I find this a little easier when working on a component across breakpoints, but that’s by no means a requirement.

    Closed media query ranges in practice

    In classic mobile-first CSS we overwrite the styles, but we can avoid this by using media query ranges. To illustrate the difference ( I’m using SCSS for brevity ), let’s assume there are three visual designs:

    • smaller than 768
    • from 768 to below 1024
    • 1024 and anything larger

    Take a simple example where a block-level element has a default padding of “20px,” which is overwritten at tablet to be “40px” and set back to “20px” on desktop.

    Classic min-width mobile-first

    .my-block { padding: 20px; @media (min-width: 768px) { padding: 40px; } @media (min-width: 1024px) { padding: 20px; }}

    Closed media query range

    .my-block { padding: 20px; @media (min-width: 768px) and (max-width: 1023.98px) { padding: 40px; }}

    The subtle difference is that the mobile-first example sets the default padding to “20px” and then overwrites it at each breakpoint, setting it three times in total. In contrast, the second example sets the default padding to “20px” and only overrides it at the relevant breakpoint where it isn’t the default value (in this instance, tablet is the exception).

    The goal is to: 

    • Only set styles when needed. 
    • Not set them with the expectation of overwriting them later on, again and again. 

    To this end, closed media query ranges are our best friend. If we need to make a change to any given view, we make it in the CSS media query range that applies to the specific breakpoint. We’ll be much less likely to introduce unwanted alterations, and our regression testing only needs to focus on the breakpoint we have actually edited. 

    Taking the above example, if we find that .my-block spacing on desktop is already accounted for by the margin at that breakpoint, and since we want to remove the padding altogether, we could do this by setting the mobile padding in a closed media query range.

    .my-block {  @media (max-width: 767.98px) {    padding: 20px;  }  @media (min-width: 768px) and (max-width: 1023.98px) {    padding: 40px;  }}

    The browser default padding for our block is “0,” so instead of adding a desktop media query and using unset or “0” for the padding value (which we would need with mobile-first), we can wrap the mobile padding in a closed media query (since it is now also an exception) so it won’t get picked up at wider breakpoints. At the desktop breakpoint, we won’t need to set any padding style, as we want the browser default value.

    separating the CSS from combining it

    Back in the day, keeping the number of requests to a minimum was very important because the browser's concurrent requests limit (typically around six ) was high. As a consequence, the use of image sprites and CSS bundling was the norm, with all the CSS being downloaded in one go, as one stylesheet with highest priority.

    With HTTP/2 and HTTP/3 now on the scene, the number of requests is no longer the big deal it used to be. By using a media query, we can break CSS into several files. The obvious benefit of this is that the browser can now request the CSS it currently requires with a higher priority than the CSS it doesn't. This is more effective and can shorten the amount of time a page is blocked overall.

    Which HTTP version are you using?

    To determine which version of HTTP you're using, go to your website and open your browser's dev tools. Next, select the Network tab and check whether the Protocol column is visible. If "h2" is listed under Protocol, it means HTTP/2 is being used.

    Note: to view the Protocol in your browser's dev tools, go to the Network tab, reload your page, right-click any column header ( e. g., Name ), and check the Protocol column.

    Also, if your site is still using HTTP/1... WHY?!! What are you anticipating? Excellent user support exists for HTTP/2.

    Splitting the CSS

    Separating the CSS into individual files is a worthwhile task. Linking the separate CSS files using the relevant media attribute allows the browser to identify which files are needed immediately (because they’re render-blocking) and which can be deferred. Based on this, it allocates each file an appropriate priority.

    We can see that the mobile and default CSS are loaded with" Highest" priority in the following example of a website that is visited on a mobile breakpoint, since they are currently required to render the page. The remaining CSS files ( print, tablet, and desktop ) are still downloaded in case they'll be needed later, but with" Lowest" priority.

    Before rendering can begin, the browser will need to download the CSS file and parse it using bundled CSS before rendering can begin.

    While, as noted, with the CSS separated into different files linked and marked up with the relevant media attribute, the browser can prioritize the files it currently needs. Using closed media query ranges allows the browser to do this at all widths, as opposed to classic mobile-first min-width queries, where the desktop browser would have to download all the CSS with Highest priority. We can’t assume that desktop users always have a fast connection. For instance, in many rural areas, internet connection speeds are still slow. 

    Depending on project requirements, the media queries and the number of separate CSS files will vary from project to project, but the example below might look similar.

    Bundled CSS



    This single file contains all the CSS, including all media queries, and it will be downloaded with Highest priority.

    Separated CSS



    Separating the CSS and specifying a media attribute value on each link tag allows the browser to prioritize what it currently needs. Out of the five files listed above, two will be downloaded with Highest priority: the default file, and the file that matches the current media query. The others will be downloaded with Lowest priority.

    Depending on the project’s deployment strategy, a change to one file (mobile.css, for example) would only require the QA team to regression test on devices in that specific media query range. Compare that to the prospect of deploying the single bundled site.css file, an approach that would normally trigger a full regression test.

    Moving on

    The adoption of mobile-first CSS was a significant milestone in web development because it allowed front-end developers to concentrate on mobile web applications rather than creating websites for desktop use and attempting to retrofit them to work on other devices.

    I don't think anyone wants to return to that development model again, but it's important we don't lose sight of the issue it highlighted: that things can easily get convoluted and less efficient if we prioritize one particular device—any device—over others. For this reason, focusing on the CSS in its own right, always mindful of what is the default setting and what's an exception, seems like the natural next step. I've started to notice subtle simplifications in both the CSS of my own and that of other developers, and that testing and maintenance work is also a little more effective and streamlined.

    In general, making CSS rule creation as simple as possible is ultimately a more effective strategy than moving around in circles of overrides. But whichever methodology you choose, it needs to suit the project. Mobile-first may—or may not—turn out to be the best choice for what's involved, but first you need to solidly understand the trade-offs you're stepping into.

  • Personalization Pyramid: A Framework for Designing with User Data

    Personalization Pyramid: A Framework for Designing with User Data

    As a UX skilled in today’s data-driven landscape, it’s extremely likely that you’ve been asked to design a personal digital experience, whether it’s a common website, user portal, or local application. Although there is still a lot of advertising hype surrounding personalization programs, there are still very some standardized methods for implementing personalized UX.

    That’s where we come in. We set ourselves the challenge of developing a systematic personalization framework especially for UX practitioners after finishing dozens of personalization tasks over the past few years. The Personalization Pyramid is a designer-centric model for standing up human-centered personalisation programs, spanning information, classification, content delivery, and general goals. By using this strategy, you will be able to understand the core components of a modern, UX-driven personalization system ( or at the very least understand enough to get started ).

    Getting Started

    For the sake of this article, we’ll suppose you’re already familiar with the basics of online personalization. A nice guide can be found these: Website Personalization Planning. Although Graphic tasks in this field can take a variety of forms, they frequently start from the same place.

    Popular circumstances for launching a personalization project:

    • Your business or client made a purchase to support personalization with a content management system ( CMS ), marketing automation platform ( MAP ), or other related technology.
    • The CMO, CDO, or CIO has identified personalisation as a target
    • User data is disjointed or confusing
    • You are conducting some sporadic targeting or A/B tests.
    • On the personalisation method, stakeholders disagree.
    • Mandate of customer privacy rules ( e. g. GDPR ) requires revisiting existing user targeting practices

    A powerful personalization system will need the same fundamental components regardless of where you begin. We’ve captured these as the “levels” on the tower. Whether you are a UX artist, scholar, or planner, understanding the core components may help make your contribution effective.

    From top to bottom, the rates include:

      North Star: What larger geopolitical goal is the personalisation initiative pursuing?
    1. Objectives: What are the specific, tangible benefits of the system?
    2. Touchpoints: Where will the personalized experience been served?
    3. Contexts and Campaigns: What personalization information does the person view?
    4. User Segments: What constitutes a special, suitable market?
    5. What trustworthy and credible information does our professional platform collect to drive personalization?
    6. Natural Data: What wider set of data is potentially available ( now in our environment ) allowing you to optimize?

    We’ll go through each of these amounts sequentially. An associated deck of cards was created to highlight specific examples from each level to make this more meaningful. We’ve included example for you here because we think they’re useful for customisation brainstorming sessions.

    Beginning at the Top

    The parts of the pyramids are as follows:

    North Star

    What overall goal do you have with your personalization system ( big or small ) is a northern star. The personalisation program’s overall goal is described in The North Star. What do you wish to perform? North Stars cast a ghost. The bigger the sun, the bigger the dark. Example of North Starts may contain:

      Function: Personalize based on basic customer sources. Examples:” Raw” messages, basic search effects, system user settings and settings options, general flexibility, basic improvements
    1. Feature: Self-contained personalisation componentry. Examples:” Cooked” notifications, advanced optimizations ( geolocation ), basic dynamic messaging, customized modules, automations, recommenders
    2. Experience: Personal user experiences across many interactions and consumer flows. Examples: Email campaigns, landing pages, advanced messaging ( i. e. C2C chat ) or conversational interfaces, larger user flows and content-intensive optimizations ( localization ).
    3. Solution: Highly differentiating personal product experiences. Example: Standalone, branded encounters with personalization at their base, like the “algotorial” songs by Spotify quite as Discover Weekly.

    Goals

    As in any great UX design, personalization may help promote designing with client intentions. The goals serve as the military and measurable indicators of the success of the entire system. Start with your existing analytics and calculation system, as well as indicators you can benchmark against. In some cases, new targets may be suitable. The most important thing to keep in mind is that personalisation is not a desired outcome. It is a means to an end. Popular targets include:

    • Conversion
    • Time on work
    • Net promoter score ( NPS)
    • Consumer pleasure

    Touchpoints

    The personalisation takes place at connections. As a UX artist, this will be one of your largest areas of responsibility. The touchpoints you have will depend on how your personalization and the related technology are configured, and they should be based on enhancing a person’s encounter at a specific point in the journey. Touchpoints can be multi-device ( mobile, in-store, website ) but also more granular ( web banner, web pop-up etc. ). Here are some examples:

    Channel-level Touchpoints

    • Email: Role
    • Email: Period of empty
    • In-store display ( JSON endpoint )
    • Native game
    • Search

    Wireframe-level Touchpoints

    • Web overlay
    • Web call bar
    • Web symbol
    • Web content wall
    • Web list

    If you’re designing for online interface, for instance, you will likely need to include personal “zones” in your wireframes. Based on our next move, settings, and campaigns, the articles for these can be presented dynamically in touchpoints.

    Contexts and Campaigns

    After you’ve outlined some touchpoints, you may consider the actual personal information a user may get. Many personalization tools will refer to these as” campaigns” ( so, for example, a campaign on a web banner for new visitors to the website ). These will be displayed automatically to specific consumer sections, as defined by consumer data. At this stage, we find it helpful to consider two distinct designs: a framework design and a willing design. The context helps you consider whether a user is engaging with the personalization process at the moment, such as when they are simply browsing the web or engaging in a deep dive. Think of it in terms of behaviors for information retrieval. The content model can then guide you in deciding what kind of personalization to use in the context ( for instance, an” Enrich” campaign that features related articles might be a good substitute for extant content ).

    Personalization Context Model:

    1. Browse
    2. Skim
    3. Nudge
    4. Feast

    Personalization Content Model:

    1. Alert
    2. Make Easier
    3. Cross-Sell
    4. Enrich

    We’ve written a lot more in depth about each of these models elsewhere, so be sure to check out Colin’s Personalization Content Model and Jeff’s Personalization Context Model.

    User Segments

    Based on user research, user segments can be created prescriptively or adaptively ( for example, using rules and logic tied to user behavior, or through A/B testing ). You will need to think about how to treat the logged-in visitor, the guest or returning visitor for whom you may have a stateful cookie ( or another post-cookie identifier ), or the authenticated visitor who is logged in at the very least. Using the personalization pyramid, here are some examples:

    • Unknown
    • Guest
    • Authenticated
    • Default
    • Referred
    • Role
    • Cohort
    • Unique ID

    Actionable Data

    Every business with a digital presence has information. It’s a matter of examining what user data you can ethically collect, its inherent reliability and value, and how you can use it ( sometimes referred to as “data activation” ). Fortunately, the tide is turning to first-party data: a recent study by Twilio estimates some 80 % of businesses are using at least some type of first-party data to personalize the customer experience.

    First-party data represents multiple advantages on the UX front, including being relatively simple to collect, more likely to be accurate, and less susceptible to the” creep factor” of third-party data. Therefore, determining which method of data collection is best for your audiences should be a crucial component of your UX strategy. Here are some examples:

    When it comes to recognizing and making decisions about various audiences and their signals, there is a trend of profiling. As time and confidence and data volume increase, it varies to more granular constructs about smaller and smaller cohorts of users.

    Although some combination of implicit and explicit data is typically required for any implementation ( more commonly known as first party and third-party data ), ML efforts are typically not cost-effective right away. This is because optimization requires a strong content repository and data backbone. These approaches, however, should be taken into account as part of the overall plan and may in fact help to speed up the organization’s progress overall. At this point, you will typically work with important stakeholders and product owners to create a profiling model. The profiling model includes a defined process for setting up profiles, profile keys, profile cards, and pattern cards. A multi-faceted approach to profiling which makes it scalable.

    Pulling it Together

    The cards serve as a starting point for an inventory of sorts ( we offer blanks for you to customize your own ), a set of potential levers and motivations for the personalization activities you aspire to deliver, but they are more valuable when grouped together.

    One can begin to trace the entire course of a card’s “hand” from leadership focus down to a strategic and tactical execution. It serves as the foundation for the workshops that both co-authors have conducted to build a program backlog, which would make a good article topic.

    In the meantime, it is important to note that each colored class of cards is helpful in understanding the range of options that you might have, as well as making specific choices about who will be made these decisions: where, when, and how.

    Lay Down Your Cards

    Any sustainable personalization strategy must consider near, mid and long-term goals. There is simply no “easy button” where a personalization program can be installed and run without waiting for any meaningful results, even with the market leader CMS platforms like Sitecore and Adobe or the most innovative composable CMS DXP available today. That said, there is a common grammar to all personalization activities, just like every sentence has nouns and verbs. These cards attempt to map that territory.

  • Humility: An Essential Value

    Humility: An Essential Value

    Humility, a writer’s necessary value—that has a good ring to it. What about sincerity, an business manager’s important value? Or a doctor’s? Or a student’s? They all good wonderful. When humility is our guiding light, the course is usually available for fulfillment, development, relation, and commitment. In this section, we’re going to discuss about why.

    That said, this is a guide for developers, and to that conclusion, I’d like to begin with a story—well, a voyage, actually. It’s a personal one, and I’m going to make myself a little prone along the way. I call it:

    The Tale of Justin’s Preposterous Pate

    When I was coming out of arts school, a long-haired, goateed novice, write was a known quantity to me, design on the web, however, was riddled with complexities to understand and learn, a problem to be solved. Though I had been fully trained in graphic design, font, and design, what fascinated me was how these classic skills may be applied to a budding online landscape. In the end, this topic may determine my career’s direction.

    But I drained HTML and JavaScript publications until the early hours of the morning and self-taught myself how to code during my freshman year rather than student and go into write like many of my friends. I needed to understand the main ramifications of what my style choices may ultimately result in when a website is rendered.

    The later ‘ 90s and early 2000s were the so-called” Wild West” of web design. All designers at the time were trying to figure out how to incorporate design and visual connection into the online landscape. What were the laws? How may we break them and also engage, entertain, and present information? At a more micro level, how was my values, inclusive of modesty, admiration, and link, coincide in combination with that? I was looking for information.

    Those are amazing factors between non-career relationships and the world of design, even though I’m talking about a different time. What are your main passions, or ideals, that elevate medium? The main themes remain the same, much like the primary parallels between what fulfills you, who is independent of the physical or digital worlds.

    First within tables, animated GIFs, Flash, then with Web Standards, divs, and CSS, there was personality, raw unbridled creativity, and unique means of presentment that often defied any semblance of a visible grid. Splash screens and “browser requirement” pages aplenty. Usability and accessibility were typically victims of such a creation, but such paramount facets of any digital design were largely (and, in hindsight, unfairly) disregarded at the expense of experimentation.

    For example, this iteration of my personal portfolio site (” the pseudoroom” ) from that era was experimental, if not a bit heavy- handed, in the visual communication of the concept of a living sketchbook. Very skeuomorphic. On this one, we would first sketch and then pass a Photoshop file back and forth to trick things out and play with various user interactions. I co-founded the creative project organizing app Milanote and my dear friend, fellow designer Marc Clancy. Then, I’d break it down and code it into a digital layout.

    Along with design folio pieces, the site also offered free downloads for Mac OS customizations: desktop wallpapers that were effectively design experimentation, custom-designed typefaces, and desktop icons.

    From around the same time, GUI Galaxy was a design, pixel art, and Mac-centric news portal some graphic designer friends and I conceived, designed, developed, and deployed.

    Design news portals were incredibly popular during this period, featuring ( what would now be considered ) Tweet-size, small-format snippets of pertinent news from the categories I previously mentioned. If you took Twitter, curated it to a few categories, and wrapped it in a custom-branded experience, you’d have a design news portal from the late 90s / early 2000s.

    We as designers had evolved and created a bandwidth-sensitive, web standards award-winning, much more accessibility-conscious website. Still ripe with experimentation, yet more mindful of equitable engagement. You can see a couple of content panes here, noting general news (tech, design ) and Mac-centric news below. We also provided many of the custom downloads that I previously mentioned on my folio website with a GUI Galaxy theme and name.

    The site’s backbone was a homegrown CMS, with the presentation layer consisting of global design + illustration + news author collaboration. And the collaboration effort here, in addition to experimentation on a’ brand’ and content delivery, was hitting my core. We were creating a global audience by creating something bigger than just one of us.

    Collaboration and connection have a profound impact beyond the medium, which makes me a designer.

    Why am I going down this design memory lane with you, now? Two reasons.

    First, there’s a reason for the nostalgia for that design era ( the” Wild West” era, as I called it earlier ): the inherent exploration, personality, and creativity that saturated many design portals and personal portfolio sites. Ultra-finely detailed pixel art UI, custom illustration, bespoke vector graphics, all underpinned by a strong design community.

    Today’s web design has been in a period of stagnation. There’s a good chance you’ve seen a website with a hero image or banner with text overlay ( possibly with a lovely rotating carousel of images ), a call to action, and three columns of sub-content directly beneath. Perhaps there are selections that vaguely relate to their respective content in an icon library.

    Design, as it’s applied to the digital landscape, is in dire need of thoughtful layout, typography, and visual engagement that goes hand-in-hand with all the modern considerations we now know are paramount: usability. Accessibility. Load times and bandwidth- sensitive content delivery. A user-friendly presentation that is relevant wherever they are. We must be mindful of, and respectful toward, those concerns—but not at the expense of creativity of visual communication or via replicating cookie-cutter layouts.

    Pixel Problems

    Websites built during this time were frequently built using Macs whose desktops and OS looked something like this. This is Mac OS 7.5, but 8 and 9 weren’t that different.

    Desktop icons fascinated me: how could any single one, at any given point, stand out to get my attention? In this example, the user’s desktop is tidy, but think of a more realistic example with icon pandemonium. Or, say an icon was part of a larger system grouping ( fonts, extensions, control panels ) —how did it also maintain cohesion amongst a group?

    These were 32 x 32 pixel creations, utilizing a 256-color palette, designed pixel-by-pixel as mini mosaics. This, in my opinion, was the embodiment of digital visual communication under such absurd constraints. And frequently, ridiculous limitations can lead to the purification of concept and theme.

    So I began to research and do my homework. I was a student of this new medium, hungry to dissect, process, discover, and make it my own.

    Expanding upon the notion of exploration, I wanted to see how I could push the limits of a 32×32 pixel grid with that 256-color palette. These ridiculous requirements imposed a clarity of concept and presentation that I found to be incredibly appealing. I was thrown the digital gauntlet, and that challenge fueled my determination. And so, in my dorm room into the wee hours of the morning, I toiled away, bringing conceptual sketches into mini mosaic fruition.

    These are some of my creations that made use of ResEdit, the only program I had at the time, to create icons. ResEdit was a clumsy, built-in Mac OS utility that wasn’t really designed for what we were using it for. At the core of all of this work: Research. Challenge. Problem- solving. Again, these core connection-based values are agnostic of medium.

    One more design portal that serves as the second component of my story’s fusion also serves as a great source of information.

    This is K10k, short for Kaliber 1000. Michael Schmidt and Toke Nygaard founded K10k in 1998, which served as the web’s design news source at the time. With its pixel art-fueled presentation, ultra-focused care given to every facet and detail, and with many of the more influential designers of the time who were invited to be news authors on the site, well… it was the place to be, my friend. The idea for GUI Galaxy was inspired by what these people were doing, respect where respect is due.

    For my part, the combination of my pixel art and web design work started to gain me some notoriety in the design community. K10k eventually figured out and added me as one of their very limited group of news writers to add content to the website.

    Amongst my personal work and side projects —and now with this inclusion—in the design community, this put me on the map. Additionally, my design work has started to appear on other design news portals, as well as be published in various printed collections, in domestic and international magazines, and in various printed collections. With that degree of success while in my early twenties, something else happened:

    I evolved—devolved, really—into a colossal asshole ( and in just about a year out of art school, no less ). The praise and the press immediately surpassed what I needed to fulfill, and they did just that. My ego was inflated by them. I actually felt a little better than my fellow designers.

    The casualties? My design stagnated. Its evolution—my evolution — stagnated.

    I effectively stopped researching and discovering because I felt so incredibly confident in my abilities. When I used to lead myself to iterate through concepts or sketches, I leaped right into Photoshop. I got my inspiration from the tiniest of sources ( while wearing a blindfold ). Any criticism of my work from my fellow students was frequently vehemently dissented. The most tragic loss: I had lost touch with my values.

    My ego almost destroyed some of my friendships and blossoming professional relationships. I was toxic in talking about design and in collaboration. But thankfully, those same friends gave me a priceless gift: candor. They called me out on my unhealthy behavior.

    It’s true, I initially didn’t accept it, but after much reflection, I was able to accept it. I was soon able to accept, and process, and course correct. The realization laid me low, but the re-awakening was essential. I let go of the “reward” of admiration and turned my attention to the issues that had sparked my passion for art school. Most importantly: I got back to my core values.

    Always Students

    Following that short-term regression, I was able to push forward in my personal design and career. And I was able to reflect on myself as I grew to support further development and course correction as needed.

    As an example, let’s talk about the Large Hadron Collider. The LHC was created” to assist in answering some of the fundamental open questions in physics, which concern the fundamental laws governing the interactions and forces between elementary objects, the complex structure of space and time, and in particular the relationship between general relativity and quantum mechanics.” Thanks, Wikipedia.

    In one of my earlier professional roles, I about fifteen years ago created the interface for the application that produced the LHC’s particle collision diagrams. These diagrams are often regarded as works of art unto themselves because they depict what is actually happening inside the Collider during any given particle collision event.

    I had a fascinating experience designing the interface for this application because I collaborated with Fermilab physicists to understand both what the application was trying to achieve and how the physicists themselves would be using it. To that end, in this role,

    Working with the Fermilab team to make changes and tweak the interface, I gave in to the practice. To me, how they spoke and what they talked about was like an alien tongue. And by accepting that I was just a student and working with the mindset that I was only a student, I made myself available to them in order to form that crucial bond.

    I also had the opportunity to observe the physicists ‘ use of the tool in their own homes, on their own terminals, during my first ethnographic observation. One takeaway was that the data columns ended up using white text on a dark gray background rather than black text-on-white because of the level of ambient light-driven contrast in the facility. This made it easier for them to pore over a lot of data during the day and lessen their strain on their eyes. Additionally, since Fermilab and CERN are government entities with strict accessibility requirements, my knowledge in that field also expanded. The barrier-free design was another essential form of connection.

    So to those core drivers of my visual problem-solving soul and ultimate fulfillment: discovery, exposure to new media, observation, human connection, and evolution. Before I entered those values, I checked my ego before entering the door.

    An evergreen willingness to listen, learn, understand, grow, evolve, and connect yields our best work. In particular, I want to focus on the words’ grow’ and ‘ evolve’ in that statement. If we are constantly improving our craft, we are also continuously making ourselves available for improvement. Yes, we have years of practical design experience under our belt. Or the focused lab training from a bootcamp for UX. Or the monogrammed portfolio of our work. Or, ultimately, decades of a career behind us.

    But all that said: experience does not equal “expert”.

    The designer we are is our final form as soon as we close our minds through an inner monologue of “knowing it all” or branding ourselves a” #thoughtleader” on social media. The artist we can be will never be there.

  • I am a creative.

    I am a creative.

    I am a artistic. What I do is alchemy. It is a secret. Instead of letting it get done by me, I do it.

    I am a artistic. This tag is not appropriate for all creatives. No everyone see themselves in this manner. Some innovative individuals incorporate technology into their work. That is their reality, and I regard it. Sometimes I even envy them, a minor. But my operation is different—my becoming is unique.

    Apologizing and qualifying in advance is a diversion. My head uses that to destroy me. I put it off for the moment. I may forgive and be qualified at any time. after I’ve said what I should have. Which is challenging enough.

    Except when it flows like a beverage valley and is simple.

    Sometimes it does. Maybe I have to make something right away. I’ve learned to avoid saying it right away because they think you don’t work hard enough when you realize that sometimes the idea really comes along and it is the best plan and you know it is the best idea.

    Sometimes I just keep working until the thought strikes me. Maybe it arrives right away, but I don’t remind people for three days. Maybe I get so excited about an idea that just came along that I blurt it out and didn’t stop myself. like a child who discovered a reward in a box of Cracker Jacks. I occasionally manage to escape this. Maybe other people agree: yes, that is the best idea. Most times they don’t and I regret having given way to joy.

    Passion should only be saved for the meet, when it matters. not the informal gathering that two different gatherings precede that appointment. Anyone knows why we have all these sessions. We keep saying we’re going to get rid of them, but we end up merely trying to. They occasionally also are good. But occasionally they are a hindrance to the actual job. The percentages between when conferences are important, and when they are a sad distraction, vary, depending on what you do and where you do it. also who you are and what you do. Suddenly I digress. I am a artistic. That is the topic.

    Occasionally, a lot of hours of diligent and diligent work ends up with something that is rarely useful. Maybe I have to accept that and move on to the next task.

    Don’t question about approach. I am a artistic.

    I am a artistic. I don’t handle my goals. And I don’t handle my best tips.

    I can nail aside, surround myself with information or photos, and maybe that works. I can go for a walk, and occasionally that functions. There is a Eureka, which has nothing to do with boiling pots and sizzling oil, and I may be making dinner. I frequently have a plan for action when I wake up. The idea that may have saved me disappears almost as frequently as I become aware and a part of the world once more as a senseless wind of oblivion. For imagination, I believe, comes from that other world. The one we enter in aspirations, and possibly, before conception and after death. But that’s for writers to know, and I am not a writer. I am a artistic. And it’s for philosophers to build massive soldiers in their imaginative world that they claim to be true. But that is another diversion. And a sad one. Possibly on a much bigger issue than whether or not I am creative. But this is still a departure from what I said when I came around.

    Often the process is evasion. And horror. You know the cliché about the tortured designer? It’s true, even when the artist ( and let’s put that noun in quotes ) is trying to write a soft drink jingle, a callback in a tired sitcom, a budget request.

    Some individuals who detest the idea of being called artistic perhaps been closeted artists, but that’s between them and their gods. No offence meant. Your reality is correct, too. However, mine is for me.

    Creatives identify artists.

    Negatives are aware of cons, just like queers are aware of queers, just like real rappers are aware of true rappers. Creatives feel enormous regard for creatives. We love, respect, emulate, and almost deify the excellent ones. To idolize any man is, of course, a dreadful mistake. We have been warned. We know much. We know people are simply people. They dispute, they are depressed, they regret their most critical decisions, they are weak and thirsty, they can be cruel, they can be just as terrible as we can, if, like us, they are clay. But. But. However, they produce something incredible. They give birth to something that was unable to occur before them or otherwise. They are the inspirations ‘ parents. And I suppose, since it’s only lying it, I have to put that they are the mother of technology. Ba ho backside! Okay, that’s done. Continue.

    Creatives disparage our personal small successes, because we compare them to those of the wonderful people. Wonderful graphics! Also, I‘m no Miyazaki. Now THAT is brilliance. That is brilliance directly from God’s heart. This half-starved small item that I made? It essentially fell off the back of the pumpkin trailer. And the carrots weren’t even clean.

    Creatives knows that, at best, they are Salieri. That is what Mozart’s artists do, also.

    I am a artistic. I haven’t worked in advertising in 30 years, but in my hallucinations, it’s my former artistic managers who judge me. They are correct in doing so. I am very lazy, overly simplistic, and when it actually counts, my mind goes blank. There is no supplement for innovative function.

    I am a artistic. Every project I create has a goal that makes Indiana Jones appear older and snoring in a balcony head. The more I pursue my creative endeavors, the faster I progress in my work, and the more I slog through loops and gaze blankly before beginning that task.

    I can move ten times more quickly than those who aren’t creative, those who have just been creative for a short while, and those who have only been creative for a short time in their careers. Simply that I spend twice as long putting the work off as they do before I work ten times as quickly as they do. When I put my mind to it, I am so confident in my ability to do a great career. I am that attached to the excitement scramble of delay. I also have a fear of the climb.

    I am not an actor.

    I am a innovative. No an actor. Though I dreamed, as a boy, of eventually being that. Some of us criticize our abilities and like our own selves because we are not Michelangelos and Warhols. That is narcissism—but at least we aren’t in elections.

    I am a artistic. Though I believe in reason and science, I decide by intelligence and urge. And sit with what follows—the disasters as well as the achievements.

    I am a innovative. Every term I’ve said these may offend another artists, who see things differently. Ask two artists a problem, get three ideas. Our dispute, our love about it, and our responsibility to our own reality are, at least to me, the facts that we are artists, no matter how we may think about it.

    I am a artistic. I lament my lack of taste in the areas of human knowledge that I know quite small, that is to say about everything. And I trust my preference above all other items in the regions closest to my soul, or perhaps, more precisely, to my passions. Without my passions, I had probably have to spend time staring living in the eye, which almost none of us can do for very long. No seriously. No actually. Because many in existence, if you really look at it, is terrible.

    I am a artistic. I believe, as a family believes, that when I am gone, some little good part of me will take on in the head of at least one other people.

    Working frees me from worrying about my job.

    I am a innovative. I worry that my little product will disappear unexpectedly.

    I am a artistic. I spend way too much time making the next thing, given that almost nothing I create did achieve the level of greatness I conceive of.

    I am a artistic. I think method is the most amazing secret. I think so strongly that I am actually foolish enough to post an essay I wrote into a small machine without having to go through or edit it. I didn’t do this generally, I promise. But I did it right away because I was even more frightened of forgetting what I was saying because I was afraid of you seeing through my sad movements toward the wonderful.

    There. I think I’ve said it.

  • Opportunities for AI in Accessibility

    Opportunities for AI in Accessibility

    I was completely moved by Joe Dolson’s current article on the crossroads of AI and convenience, both in terms of the suspicion he has regarding AI in general and how many people have been using it. Despite working for Microsoft as an affordability technology strategist and managing the AI for Accessibility grant program, I’m pretty skeptical of AI. As with any tool, AI can be used in quite productive, equitable, and visible ways, and it can also be used in dangerous, unique, and dangerous ones. Additionally, there are a lot of uses in the subpar center.

    I’d like you to consider this a “yes … and” piece to complement Joe’s post. I’m just trying to reject what he’s saying, but I’m just trying to give some context to initiatives and opportunities where AI can make a difference for people with disabilities. To be clear, I’m not saying that there aren’t true threats or pressing problems with AI that need to be addressed—there are, and we’ve needed to address them, like, yesterday—but I want to take a little time to talk about what’s possible in hope that we’ll get there one day.

    Other text

    Joe’s article spends a lot of time examining how computer vision versions can create other words. He raises a number of legitimate points about the state of affairs right now. And while computer-vision concepts continue to improve in the quality and complexity of information in their information, their benefits aren’t wonderful. He argues to be accurate that the state of image research is currently very poor, especially for some image types, in large part due to the absence of contextual contexts in which to look at images ( as a result of having separate “foundation” models for words analysis and image analysis ). Today’s models aren’t trained to distinguish between images that are contextually relevant ( that should probably have descriptions ) and those that are purely decorative ( which might not need a description ) either. However, I still think there’s possible in this area.

    As Joe mentions, human-in-the-loop publishing of alt word should definitely be a factor. And if AI can intervene and provide a starting point for alt text, even if the rapid reads,” What is this BS?” That’s not correct at all … Let me try to offer a starting point— I think that’s a gain.

    If we can specifically station a design to examine image usage in context, it might help us more quickly determine which images are likely to be elegant and which ones are likely to need a description. That will clarify which situations require image descriptions, and it will increase authors ‘ effectiveness in making their sites more visible.

    Although complex images, such as graphs and charts, are challenging to summarize in any way ( even for humans ), the image example provided in the GPT4 announcement provides an intriguing opportunity as well. Let’s say you came across a map that merely stated the chart’s name and the type of representation it was:” Pie chart comparing smartphone use to have phone usage in US households making under$ 30, 000 annually.” ( That would be a pretty bad alt text for a chart because it frequently leaves many unanswered questions about the data, but let’s just assume that was the description in place. ) Imagine a world where people could ask questions about the vivid if their browser knew that it was a pie chart ( because an onboard model determined this ).

    • Perform more people use have apps or smartphones?
    • How many more?
    • Is there a group of people who don’t collapse under any of these categories?
    • How many is that?

    Setting aside the realities of large language model ( LLM) hallucinations—where a model just makes up plausible-sounding “facts” —for a moment, the opportunity to learn more about images and data in this way could be revolutionary for blind and low-vision folks as well as for people with various forms of color blindness, cognitive disabilities, and so on. It might also be helpful in education settings to assist those who can see these charts as they are able to comprehend the data contained therein.

    What if you could request your website to make a complicated chart simpler? What if you asked it to separate a single line from a range curve? What if you could request your website to transform the different lines ‘ colors so they match your color blindness better? What if you asked it to switch colours in favor of habits? Given these resources ‘ chat-based interface and our existing ability to manipulate photos in today’s AI devices, that seems like a chance.

    Now imagine a specially designed model that could take the data from that chart and convert it to another format. For example, perhaps it could turn that pie chart ( or better yet, a series of pie charts ) into more accessible ( and useful ) formats, like spreadsheets. That would be amazing!

    Matching algorithms

    When Safiya Umoja Noble chose to call her book Algorithms of Oppression, she hit the nail on the head. Although her book focused on the ways that search engines can foster racism, I believe it to be equally accurate to say that all computer models have the potential to amplify conflict, bias, and intolerance. We all know that poorly designed and maintained algorithms are incredibly harmful, whether it’s Twitter that keeps bringing you the most recent tweet from a drowsy billionaire, YouTube that keeps us in a q-hole, or Instagram that keeps us guessing what natural bodies look like. Many of these are the result of a lack of diversity in the people who create and build them. When these platforms are built with inclusively baked in, however, there’s real potential for algorithm development to help people with disabilities.

    Take Mentra, for example. They serve as a network of employment for people who are neurodivers. They match job seekers with potential employers using an algorithm based on more than 75 data points. On the job-seeker side of things, it considers each candidate’s strengths, their necessary and preferred workplace accommodations, environmental sensitivities, and so on. On the employer side, it considers each work environment, communication factors related to each job, and the like. Mentra made the decision to change the script when it came to the typical employment websites because it was run by neurodivergent people. They lower the emotional and physical labor on the job-seeker side of things by recommending available candidates to companies who can then connect with job seekers that they are interested in.

    When more people with disabilities are involved in the development of algorithms, this can lower the likelihood that these algorithms will harm their communities. That’s why diverse teams are so important.

    Imagine if a social media company’s recommendation engine was tuned to prioritize follow recommendations for people who discussed topics similar to those that were important but who were different from your current sphere of influence in some fundamental ways. For instance, if you follow a group of white men who are not white or aren’t white and who also discuss AI, it might be wise to follow those who are also disabled or who are not white. If you took its recommendations, perhaps you’d get a more holistic and nuanced understanding of what’s happening in the AI field. These same systems should also use their understanding of biases about particular communities—including, for instance, the disability community—to make sure that they aren’t recommending any of their users follow accounts that perpetuate biases against (or, worse, spewing hate toward ) those groups.

    Other ways that AI can helps people with disabilities

    I’m sure I could go on and on about using AI to assist people with disabilities, but I’m going to make this last section into a bit of a lightning round if I weren’t trying to put this together in between other tasks. In no particular order:

      Voice preservation. You may have seen the VALL-E paper or Apple’s Global Accessibility Awareness Day announcement or you may be familiar with the voice-preservation offerings from Microsoft, Acapela, or others. It’s possible to train an artificial intelligence model to mimic your voice, which can be incredibly helpful for those who have ALS ( Lou Gehrig’s disease ), motor neuron disease, or other medical conditions that can make it difficult to talk. This is, of course, the same tech that can also be used to create audio deepfakes, so it’s something that we need to approach responsibly, but the tech has truly transformative potential.
    • Voice recognition. Researchers are assisting people with disabilities in the collection of recordings of people with atypical speech, thanks to the assistance of the Speech Accessibility Project. As I type, they are actively recruiting people with Parkinson’s and related conditions, and they have plans to expand this to other conditions as the project progresses. More people with disabilities will be able to use voice assistants, dictation software, and voice-response services as a result of this research, which will result in more inclusive data sets that will enable them to use their computers and other devices more easily and with just their voices.
    • Text transformation. The most recent generation of LLMs is quite capable of changing existing text without giving off hallucinations. This is incredibly empowering for those who have cognitive disabilities and who may benefit from text summaries or simplified versions, or even text that has been prepared for Bionic Reading.

    The value of various teams and sources of data

    Our differences must be acknowledged as important. The intersections of the identities we exist in have an impact on our lived experiences. These lived experiences—with all their complexities ( and joys and pain ) —are valuable inputs to the software, services, and societies that we shape. Our differences must be reflected in the data we use to develop new models, and those who provide it need to be compensated for doing so. Inclusive data sets produce stronger models that promote more justifiable outcomes.

    Want a model that doesn’t demean or patronize or objectify people with disabilities? Make sure that the training data includes information about disabilities written by people with a range of disabilities.

    Want a model that doesn’t use ableist language? You might be able to use already-existing data sets to create a filter that can read and interpret ableist language before it is read. That being said, when it comes to sensitivity reading, AI models won’t be replacing human copy editors anytime soon.

    Want a copilot for coding that provides recommendations that are accessible after the jump? Train it on code that you know to be accessible.


    I have no doubt that AI can and will harm people … today, tomorrow, and well into the future. But I also believe that we can acknowledge that and, with an eye towards accessibility ( and, more broadly, inclusion ), make thoughtful, considerate, and intentional changes in our approaches to AI that will reduce harm over time as well. Today, tomorrow, and well into the future.


    Many thanks to Kartik Sawhney for helping me with the development of this piece, Ashley Bischoff for her invaluable editorial assistance, and, of course, Joe Dolson for the prompt.

  • The Wax and the Wane of the Web

    The Wax and the Wane of the Web

    When you begin to believe you have everything figured out, everyone does change, in my opinion. Simply as you start to get the hang of injections, diapers, and ordinary sleep, it’s time for solid foods, potty training, and nighttime sleep. When those are determined, school and occasional sleeps are in order. The pattern continues.

    The same holds true for those of us who are currently employed in design and development. Having worked on the web for about three years at this point, I’ve seen the typical wax and wane of concepts, strategies, and systems. Every day we as developers and designers re-enter the familiar pattern, a brand-new engineering or thought emerges to shake things up and completely alter the world.

    How we got below

    I built my first website in the mid-’90s. Design and development on the web back then was a free-for-all, with few established norms. For any layout aside from a single column, we used table elements, often with empty cells containing a single pixel spacer GIF to add empty space. We styled text with numerous font tags, nesting the tags every time we wanted to vary the font style. And we had only three or four typefaces to choose from: Arial, Courier, or Times New Roman. When Verdana and Georgia came out in 1996, we rejoiced because our options had nearly doubled. The only safe colors to choose from were the 216 “web safe” colors known to work across platforms. The few interactive elements (like contact forms, guest books, and counters) were mostly powered by CGI scripts (predominantly written in Perl at the time). Achieving any kind of unique look involved a pile of hacks all the way down. Interaction was often limited to specific pages in a site.

    The beginning of website standards

    At the turn of the century, a new cycle started. Crufty code littered with table layouts and font tags waned, and a push for web standards waxed. Newer technologies like CSS got more widespread adoption by browsers makers, developers, and designers. This shift toward standards didn’t happen accidentally or overnight. It took active engagement between the W3C and browser vendors and heavy evangelism from folks like the Web Standards Project to build standards. A List Apart and books like Designing with Web Standards by Jeffrey Zeldman played key roles in teaching developers and designers why standards are important, how to implement them, and how to sell them to their organizations. And approaches like progressive enhancement introduced the idea that content should be available for all browsers—with additional enhancements available for more advanced browsers. Meanwhile, sites like the CSS Zen Garden showcased just how powerful and versatile CSS can be when combined with a solid semantic HTML structure.

    Server-side language like PHP, Java, and.NET took Perl as the primary back-end computers, and the cgi-bin was tossed in the garbage bin. With these better server-side instruments came the first time of online applications, starting with content-management systems ( especially in the blog space with tools like Blogger, Grey Matter, Movable Type, and WordPress ). AJAX opened the door to sequential connection between the front end and back end in the mid-2000s. Immediately, websites may update their information without needing to refresh. A grain of JavaScript systems, including Prototype, YUI, and jQuery, emerged to aid designers in creating more dependable client-side interactions across browsers with wildly varying standards support. Techniques like photo replacement enable skilled manufacturers and developers to show fonts of their choosing. And technology like Flash made it possible to include movies, sports, and even more engagement.

    These new technology, standards, and approaches reinvigorated the market in many ways. As manufacturers and designers explored more diversified designs and layouts, website design flourished. However, we also depend on numerous hacks. When it came to basic layout and text styling, early CSS was a significant improvement over table-based layouts, but its limitations at the time meant that designers and developers still rely heavily on images for complex shapes ( such as rounded or angled corners ) and tiled backgrounds (among other hacks ) for the appearance of full-length columns. All kinds of nested floats or absolute positioning were required for complicated layouts ( or both ). The use of flash and photo replacement for specialty fonts was a great first step in the direction of the big five typefaces, but both hacks caused accessibility and performance issues. Additionally, JavaScript libraries made it simple to add a dash of conversation to pages without having to spend the money to double or even quadruple the get size for basic websites.

    The internet as program platform

    The balance between the front end and the back end continued to improve, leading to the development of the latest web application time. Between expanded server-side programming languages ( which kept growing to include Ruby, Python, Go, and others ) and newer front-end tools like React, Vue, and Angular, we could build fully capable software on the web. Alongside these equipment came others, including creative type control, build technology, and shared bundle libraries. What was once mainly used for linked files turned into a world with limitless possibilities.

    At the same time, wireless equipment became more ready, and they gave us online access in our wallets. Reliable architecture and mobile apps opened up possibilities for fresh relationships anytime.

    This fusion of potent portable devices and potent development resources contributed to the growth of social media and various consolidated tools for user interaction and consumption. As it became easier and more popular to interact with others immediately on Twitter, Facebook, and yet Slack, the need for held private websites waned. Social media provided links on a worldwide scale, with both positive and negative outcomes.

    Want a much more in-depth account of how we came to this, along with some other suggestions for improvement? ” Of Time and the Web” was written by Jeremy Keith. Or check out the” Web Design History Timeline” at the Web Design Museum. Additionally, Neal Agarwal takes a fascinating journey of” Internet Artifacts.”

    Where we are now

    In the last couple of years, it’s felt like we’ve begun to achieve another big tone place. As social-media systems bone and fade, there’s been a growing interest in owning our personal information again. From the tried-and-true classic of hosting plain HTML files to static site generators and content management systems of all kinds, there are many different ways to create websites. Social media fracturing also has a price: we lose essential infrastructure for discovery and connection. Webmentions, RSS, ActivityPub, and other tools of the IndieWeb can help with this, but they’re still relatively underimplemented and hard to use for the less nerdy. We can create incredible personal websites and update them frequently, but without discovery and connection, it can feel as though we could as well be yelling into the void.

    Browser support for CSS, JavaScript, and other standards like web components has accelerated, especially through efforts like Interop. In a fraction of the time that they once did, new technologies gain universal support. When I first learn about a new feature, I frequently discover that its coverage is already over 80 % when I check the browser support. The barrier to using more recent techniques isn’t browser support anymore; it’s more often the speed at which designers and developers can learn what’s available and how to adopt it.

    Today, with a few commands and a couple of lines of code, we can prototype almost any idea. With today’s abundance of tools, starting something new is now simpler than ever. However, as the initial cost of these frameworks may be saved in the beginning, it eventually becomes due as their upkeep and maintenance becomes a component of our technical debt.

    Adopting new standards can sometimes take longer if we rely on third-party frameworks because we might have to wait for those frameworks to adopt those standards. These frameworks—which used to let us adopt new techniques sooner—have now become hindrances instead. These same frameworks frequently come with performance costs, making users have to wait for scripts to load before interacting with or reading pages. And when scripts fail ( whether through poor code, network issues, or other environmental factors ), there’s often no alternative, leaving users with blank or broken pages.

    Where do we go from here?

    Today’s hacks help to shape tomorrow’s standards. And there’s nothing inherently wrong with embracing hacks —for now—to move the present forward. Problems only arise when we refuse to acknowledge that they are hacks or when we refuse to take their place. What can we do to create the web’s future that we want?

    Build for the long haul. Optimize for performance, for accessibility, and for the user. Weigh the costs of those developer-friendly tools. They may make your job a little easier right now, but how do they affect everything else? What’s the cost to users? To future developers? To standards adoption? Sometimes the convenience may be worth it. It’s occasionally just a hack that you’ve gotten used to. And occasionally, it prevents you from pursuing better options.

    Start from standards. Although standards change over time, browsers have done a remarkably good job of staying current with outdated standards. The same isn’t always true of third-party frameworks. Even the most primitive HTML from the 1990s still function flawlessly today. Even after a few years, the same can’t be said about websites created with frameworks.

    Design with care. Whether your craft is code, pixels, or processes, consider the impacts of each decision. Many modern tools have the convenience of making the necessary decisions that have led to its design and not always considering the effects those decisions can have. Use the time saved by modern tools to consider more carefully and design with consideration rather than rush to “move fast and break things”

    Always be learning. If you’re always learning, you’re also growing. Sometimes it may be hard to pinpoint what’s worth learning and what’s just today’s hack. Even if you were to concentrate solely on learning standards, you might end up focusing on something that won’t matter next year. ( Remember XHTML? ) However, ongoing learning opens up new neural connections, and the techniques you learn in one day may be useful for guiding future experiments.

    Play, experiment, and be weird! This web that we’ve built is the ultimate experiment. Despite being the single largest human endeavor in history, each of us has the ability to make our own money out of it. Be courageous and try new things. Build a playground for ideas. In your own bizarre science lab, perform bizarre experiments. Start your own small business. There has never been a more empowering place to be creative, take risks, and explore what we’re capable of.

    Share and amplify. As you experiment, play, and learn, share what’s worked for you. Write on your own website, post on whichever social media site you prefer, or shout it from a TikTok. Write something for A List Apart! But take the time to amplify others too: find new voices, learn from them, and share what they’ve taught you.

    Go forth and make

    As designers and developers for the web ( and beyond ), we’re responsible for building the future every day, whether that may take the shape of personal websites, social media tools used by billions, or anything in between. Let’s imbue our values into the things that we create, and let’s make the web a better place for everyone. Create something special for yourself that you are only qualified to create. Then share it, make it better, make it again, or make something new. Learn. Make. Share. Grow. Rinse and repeat. Every time you think that you’ve mastered the web, everything will change.

  • To Ignite a Personalization Practice, Run this Prepersonalization Workshop

    To Ignite a Personalization Practice, Run this Prepersonalization Workshop

    Image this. You’ve joined a club at your business that’s designing innovative product features with an focus on technology or AI. Or perhaps your business really implemented a customisation website. You’re using information to design, regardless. Then what? There are many warning stories, no immediately achievement, and some guides for the baffled when it comes to designing for customisation.

    The personalization space is true, between the dream of getting it right and the worry of it going wrong ( like when we encounter “persofails” similar to a company’s repeated pleas for more toilet seats from regular people ). It’s an particularly confusing place to be a modern professional without a map, a map, or a strategy.

    There are no Lonely Planet and some tour guides for those of you who want to personalize because powerful personalization depends so much on each group’s talent, technology, and market position.

    However, you can make sure your team has properly packed its carriers.

    There’s a DIY method to increase your chances for victory. You’ll at least at least disarm your boss ‘ irrational exuberance. You’ll need to properly plan before the celebration.

    We call it prepersonalization.

    Behind the song

    Take into account Spotify’s DJ feature, which was introduced last season.

    We’re used to seeing the polished final outcome of a personalization have. A personal have had to be developed, budgeted, and given priority before the year-end prize, the making-of-backstory, or the behind-the-scenes success chest. Before any customisation function is implemented in your product or service, it lives among a long list of thought-provoking concepts that can be used to create more dynamic user experience.

    So how do you understand where to position your personalization bet? How can you create regular interactions that didn’t irritate users or worse, breed trust? We’ve discovered that several budgeted programs second required one or more workshops to join key stakeholders and domestic customers of the technology in order to justify their continuing investments. Create it count.

    We’ve witnessed the same evolution up near with our clients, from big tech to burgeoning companies. How effective these prepersonalization actions play out, in our experiences working on small and large customisation efforts, and how effective is the program’s best track record and its ability to weather challenging questions, work steadily toward shared answers, and manage its design and engineering efforts.

    Time and again, we’ve seen successful workshops individual coming success stories from fruitless efforts, saving many time, resources, and social well-being in the process.

    A yearlong project of assessment and feature development is a part of a personalization practice. It’s never a technical load switch-flip. It’s ideal managed as a delay that usually evolves through three actions:

    1. customer experience optimization ( CXO, also known as A/B testing or experimentation )
    2. always-on chatbots, whether they are rules-based or machine-generated.
    3. mature features or standalone product development ( such as Spotify’s DJ experience )

    We think there is a basic language, a set of “nouns and verbs” that your business can use to create experiences that are personalized, personalized, or automated, which is why we created our democratic personalization platform and why we’re field-testing an following deck of cards. These accounts won’t be necessary for you. But we highly recommend that you create something similar, whether that might be online or natural.

    Set the timer for the home.

    How much does a prepersonalization factory take to prepare? The surrounding assessment activities that we recommend including can ( and often do ) span weeks. We suggest aiming for two to three days for the primary workshop. Here’s a summary of our more general approach as well as information on the crucial first-day actions.

    The whole episode of the wider studio is twofold:

      Kickstart: This specifies the terms of relationship as you concentrate on the potential, the preparation and drive of your group, and your leadership.
    1. The card-based studio activities center on a plan of attack and the scope of work, which is outlined in the plan of action.
    2. Work your plan: This stage is all about creating a competitive environment for staff participants to singularly pitch their personal pilots that each contain a proof-of-concept task, its business situation, and its operating model.

    Give yourself at least two days, divided into two long time periods, to work through those initial two phases more effectively.

    Kickstart: Apt your appetite

    We call the first lesson the “landscape of connected experience“. It looks at the possibilities for personalization in your company. Any UX that necessitates the orchestration of multiple systems of record on the backend is a connected experience, in our opinion. This could be a content-management system combined with a marketing-automation platform. A customer-data platform and a digital asset manager could be combined.

    Give examples of connected experience interactions that you admire, find familiar, or even dislike, as examples of consumer and business-to-business examples. This should cover a representative range of personalization patterns, including automated app-based interactions ( such as onboarding sequences or wizards ), notifications, and recommenders. These are in the cards, which we have a catalog of. Here’s a list of 142 different interactions to help you with your thinking.

    This is all about setting the table. What are the potential paths for the practice in your organization? Here’s a long-form primer and a strategic framework for a broader view.

    Assess each example that you discuss for its complexity and the level of effort that you estimate that it would take for your team to deliver that feature ( or something similar ). We categorize connected experiences in our cards according to their functions, features, experiences, complete products, and portfolios. Build your own size in this. This will help to focus the conversation on the merits of ongoing investment as well as the gap between what you deliver today and what you want to deliver in the future.

    Next, have your team plot each concept on the following 2x grid, which lists the four enduring justifications for a personalized experience. This is crucial because it emphasizes how personalization can affect your own methods of working as well as your external customers. It’s also a reminder ( which is why we used the word argument earlier ) of the broader effort beyond these tactical interventions.

    Each team member should vote on where they see your product or service putting its emphasis. Naturally, you can’t give them all a prioritization. Here, the goal is to show how various departments may view their own benefits from the effort, which can vary from one department to the next. Documenting your desired outcomes lets you know how the team internally aligns across representatives from different departments or functional areas.

    The third and final KickStart activity is about filling in the personalization gap. Is the customer journey well documented in your business? Will data and privacy compliance be too big of a challenge? Do you have to address any issues with content metadata? It’s just a matter of acknowledging the magnitude of that need and finding a solution ( we’re fairly certain that you do ). In our cards, we’ve noted a number of program risks, including common team dispositions. For instance, our Detractor card lists six intractable stakeholder attitudes that prevent progress.

    Your success depends on collaborating effectively and managing expectations. Consider the potential barriers to your future progress. Give the participants a list of specific steps you can take to overcome or reduce those obstacles in your organization. According to research, personalization initiatives face a number of common obstacles.

    You should have, at this point, discussed sample interactions, emphasized a significant benefit, and identified significant gaps. Good—you’re ready to continue.

    Hit the test kitchen

    What will you need next to bring your personalized recipes to life. Personalization engines, which are robust software suites for automating and expressing dynamic content, can intimidate new customers. They give you a variety of options for how your organization can conduct its activities because of their broad and potent capabilities. This raises the question: When creating a connected experience, where do you start?

    What’s important here is to avoid treating the installed software like it were a dream kitchen from some fantasy remodeling project ( as one of our client executives memorably put it ). These software engines are more like test kitchens where your team can begin creating, testing, and improving the snacks and meals that will be a part of your personalizedization program’s constantly evolving menu.

    Over the course of the workshop, the ultimate menu of the prioritized backlog will come together. And by creating “dishes,” you can expect individual team members to create personalized interactions that either satisfy their or others ‘ needs.

    The dishes will come from recipes, and those recipes have set ingredients.

    Verify your ingredients

    Like a good product manager, you’ll make sure you have everything ready to cook up your desired interaction ( or figure out what needs to be added to your pantry ) and that you validate with the right stakeholders present. These elements include the audience you’re targeting, content and design elements, the interaction’s context, and your idea of how it’ll come together.

    This isn’t just about discovering requirements. The team can: Identify your personalizations as a series of if-then statements by documenting them as a series of if-then statements.

    1. compare findings to a unified approach for developing features, similar to how artists paint with the same color palette,
    2. specify a consistent set of interactions that users find uniform or familiar,
    3. and establish parity among performance indicators and key performance indicators as well.

    This enables you to streamline your technical and design efforts while delivering a common color palette of the fundamental motifs of your personalized or automated experience.

    Compose your recipe

    What elements are most important to you? Consider a who-what-when-why construct:

    • Who are your key audience segments or groups?
    • What kind of content will you offer them, what design elements, and under what circumstances?
    • And what are the business and user benefits?

    We first developed these cards and card categories five years ago. We regularly test their suitability with clients and audience members at conferences. And we still come across fresh possibilities. But they all follow an underlying who-what-when-why logic.

    In the cards in the accompanying photo below, you can typically follow along with right to left in three examples of subscription-based reading apps.

    1. When a visitor or an unidentified visitor interacts with a product title, a banner or alert bar appears that makes it simpler for them to read a related title, saving them time.
    2. Welcome automation: When there’s a newly registered user, an email is generated to call out the breadth of the content catalog and to make them a happier subscriber.
    3. Winback automation: A user receives an email before their subscription expires or after a recent failed renewal to request that they reconsider renew or request that they be reminded to do so.

    We’ve also found that cocreating the recipes themselves can sometimes be the most effective way to start brainstorming about what these cards might be for your organization. Start with a set of blank cards, and begin labeling and grouping them through the design process, eventually distilling them to a refined subset of highly useful candidate cards.

    The later stages of the workshop could be characterized as moving from focusing on a cookbook to a more nuanced customer-journey mapping. Individual” cooks” will pitch their recipes to the team using a standard jobs-to-be-done format, which will allow for measurement and outcomes, and from there, the resulting collection will be prioritized for finished design and production delivery.

    Better kitchens require better architecture

    For those who are inside delivering it, simplifying a customer experience is a challenging task. Avoid those who make up their mind. With that being said,” Complicated problems can be hard to solve, but they are addressable with rules and recipes“.

    When a team is overfitting, it’s because they aren’t designing with their best data, which is why personalization turns into a laugh line. Every organization has metadata debt to go along with its technical debt, which contributes to a drag on the effectiveness of personalization, much like a sparse pantry. Your AI’s output quality, for example, is indeed limited by your IA. Prior to their acquisition of a seemingly modest metadata startup that now powers the underlying information architecture, Spotify’s poster-child prowess today was beyond comprehension.

    You can’t stand the heat, in fact…

    Personalization technology opens a doorway into a confounding ocean of possible designs. Only a disciplined and highly collaborative approach will produce the necessary concentration and intention for success. Banish your ideal kitchen. Instead, hit the test kitchen to save time, preserve job satisfaction and security, and safely dispense with the fanciful ideas that originate upstairs of the doers in your organization. There are mouths to feed and meals to be served.

    This framework of the workshop gives you a strong chance at long-term success as well as solid ground. Wiring up your information layer isn’t an overnight affair. However, you’ll have solid ground for success if you use the same cookbook and the same recipes. We created these activities to ensure that your organization’s needs are clear and concise before the risks start to accumulate.

    While there are associated costs toward investing in this kind of technology and product design, your ability to size up and confront your unique situation and your digital capabilities is time well spent. Don’t waste it. The pudding is the proof, as they say.

  • User Research Is Storytelling

    User Research Is Storytelling

    I’ve been fascinated by shows since I was a child. I loved the heroes and the excitement—but most of all the stories. I aspired to be an artist. And I hoped that I would have the same opportunities as Indiana Jones did, leading to thrilling adventures. I also dreamed up suggestions for videos that my friends and I could render and sun in. But they never advanced. However, I did end up working in user experience ( UI). Today, I realize that there’s an element of drama to UX— I hadn’t actually considered it before, but consumer research is story. And to get the most out of customer studies, you must tell a compelling story that involves stakeholders, including the product team and decision-makers, and piques their interest in learning more.

    Think of your preferred film. More than likely it follows a three-act construction that’s frequently seen in story: the layout, the fight, and the quality. The second act provides an overview of the current events and allows you to understand the characters, their difficulties, and difficulties. Act two sets the scene for the fight and introduces the activity. Here, difficulties grow or get worse. The decision is the third and final action. This is where the problems are resolved and the figures grow and change. I believe that this architecture is also a great way to think about customer study, and I think that it can be particularly helpful in explaining person exploration to others.

    Use story as a framework when conducting research.

    It’s unfortunate to say that many people now view studies as being unprofitable. If finances or timelines are strong, analysis tends to be one of the first points to go. Some goods managers rely on designers or, worse, their own judgment to make the “right” decisions for users based on their own knowledge or accepted best practices rather than investing in research. That might lead to some groups getting in the way, but it’s too easy to overlook the real problems facing users. To be user-centered, this is something we really avoid. Design is enhanced by consumer study. It keeps it on track by pointing out issues and options. Being aware of the issues with your goods and reacting to them can help you stay ahead of your competition.

    Each action in the three-act structure is crucial to telling the complete story, and each action corresponds to a specific stage of the process. Let’s take a look at the various functions and how they relate to consumer study.

    Act one: installation

    The rig consists entirely in comprehending the history, and that’s where basic research comes in. Foundational research aids in understanding people and identifying their issues ( also known as relational, discovery, or preliminary research ). You’re learning about what exists now, the obstacles people have, and how the problems affect them—just like in the videos. You can conduct contextual inquiries or diary studies ( or both! ) to conduct foundational research. ), which can assist you in identifying both prospects and problems. It doesn’t need to get a great investment in time or money.

    Erika Hall discusses the most effective anthropology, which can be as straightforward as spending 15 hours with a customer and asking them to” Walk me through your morning yesterday.” That’s it. Current that one ask. Opened up and spend fifteen minutes listening to them. Do everything in your power to protect both your objectives and yourself. Bam, you’re doing ethnography”. According to Hall, “[This ] will probably prove quite fascinating. In the unlikely event that you don’t learn anything new or important, move on with more assurance in your direction.

    This makes total sense to me. And I adore how customer research is now so simple. You can only attract participants and do it! You don’t need to create a lot of documentation. This can offer a wealth of knowledge about your customers, and it’ll help you better understand them and what’s going on in their life. That’s exactly what work one is all about: understanding where people are coming from.

    Jared Spool discusses the significance of basic research and how it does make up the majority of your study. If you can pick from any further user data that you can get your hands on, such as surveys or analytics, that can complement what you’ve heard in the fundamental studies or even time to areas that need more research. All of this information helps to give a more in-depth picture of the state of issues and all of its flaws. And that’s the start of a gripping tale. It’s the place in the story where you realize that the principal characters—or the people in this case—are facing issues that they need to conquer. This is where you begin to develop compassion for the characters and support their success, much like in films. And hey, it looks like everyone else is doing the same. Their love may be with their company, which could be losing wealth because people didn’t complete certain tasks. Or perhaps they have empathy for people ‘ challenges. In either case, action one serves as your main strategy for piqueing interest and investment from the participants.

    When partners begin to understand the value of basic research, that is open doors to more opportunities that involve users in the decision-making approach. And that can influence product teams ‘ focus on improving. Everyone benefits from this, including the product, stakeholders, and users. It’s like winning an Oscar in movie terms—it often leads to your product being well received and successful. And this might serve as a motivator for stakeholders to carry this out with other goods. The secret to this process is storytelling, and knowing how to tell a compelling story is the only way to entice stakeholders to do more research.

    This brings us to act two, where you iteratively evaluate a design or concept to see whether it addresses the issues.

    Act two: conflict

    Act two is all about approving the issues you raised in act one. This usually involves directional research, such as usability tests, where you assess a potential solution ( such as a design ) to see whether it addresses the issues that you found. Unmet needs or issues with a flow or process that are making users uncomfortable could be the causes. More problems will come up in the process, much like in the second act of a film. It’s here that you learn more about the characters as they grow and develop through this act.

    Usability tests should typically consist of five participants, according to Jakob Nielsen, who found that that number of users can typically identify the majority of the issues:” As you add more and more users, you learn less and less because you will keep seeing the same things again and again… After the fifth user, you are wasting your time by observing the same findings repeatedly but not learning much new.”

    There are also similarities to storytelling here: if you try to tell a story with too many characters, the plot may become lost. Having fewer participants means that each user’s struggles will be more memorable and easier to relay to other stakeholders when talking about the research. This can help convey the problems that need to be solved while also highlighting the worth of conducting the research in the first place.

    Usability tests have been conducted in person for decades, but you can also do them remotely using software like Microsoft Teams, Zoom, or other teleconferencing software. This approach has become increasingly popular since the beginning of the pandemic, and it works well. You might interpret in-person usability tests as a form of theater watching as opposed to remote testing. Each has advantages and disadvantages. In-person usability research is a much richer experience. The sessions are conducted with other stakeholders in mind. Additionally, you’ll also hear their reactions in real-time, including surprises, disagreements, and discussions of what they’re seeing. Much like going to a play, where audiences get to take in the stage, the costumes, the lighting, and the actors ‘ interactions, in-person research lets you see users up close, including their body language, how they interact with the moderator, and how the scene is set up.

    If conducting usability testing in the field is like watching a play that is staged and controlled, where any two sessions may be very different from one another. You can conduct usability testing in real life by creating a replica of the product’s user interface and conducting research there. Or you can go out to meet users at their location to do your research. With either option, you can see how things work in context, how things change, and how conversion can change completely in different ways depending on the circumstances. You have less control over how these sessions end as researchers, but this can occasionally help you understand users even better. Meeting users where they are can provide clues to the external forces that could be affecting how they use your product. Usability tests in person offer a level of detail that is frequently absent from remote testing.

    That doesn’t mean that “movies” —remote sessions—aren’t a good option. Remote sessions can reach a wider audience. They make it possible for much more people to participate in the research and to observe what is happening. Additionally, they make access to a much wider user base geographically. But with any remote session there is the potential of time wasted if participants can’t log in or get their microphone working.

    You can ask real users questions to understand their thoughts and understanding of the solution as a result of usability testing, whether it is conducted remotely or in person. This can help you identify issues as well as understand why they were initially issues. Furthermore, you can test hypotheses and gauge whether your thinking is correct. By the end of the sessions, you’ll have a much clearer understanding of how useful the designs are and whether or not they fulfill their intended purpose. The excitement is in the second act, but there are also potential surprises in the third. This is equally true of usability tests. Unexpected things that participants say frequently alter the way you look at things, and these unexpected revelations can lead to unexpected turns in the narrative.

    Unfortunately, user research can occasionally be viewed as unreliable. And too often usability testing is the only research process that some stakeholders think that they ever need. There isn’t much to be gained by conducting usability testing in the first place if the designs you’re evaluating in the usability test aren’t grounded in thorough understanding of your users ( foundational research ). Because you’re narrowing the scope of what you’re receiving feedback on without understanding the needs of the users. As a result, there’s no way of knowing whether the designs might solve a problem that users have. In the context of a usability test, it’s only feedback on a particular design.

    On the other hand, if you only do foundational research, you won’t know whether the object you’re building will actually solve the problem you might have intended to solve. This illustrates the importance of doing both foundational and directional research.

    In act two, stakeholders will hopefully be able to observe the story develop during the user sessions, which reveal the conflict and tension in the current design’s highs and lows. And in turn, this can encourage stakeholders to take action on the issues raised.

    Act three: resolution

    The third act is about resolving the issues from the first two acts, while the first two acts are about understanding the background and the tensions that can compel stakeholders to take action. While having an audience for the first two acts is crucial, having them stay for the final act is also important. That means the whole product team, including developers, UX practitioners, business analysts, delivery managers, product managers, and any other stakeholders that have a say in the next steps. It allows the entire team to discuss what’s possible within the project’s constraints, ask questions, and discuss user feedback together. And it gives the UX design and research teams more time to clarify, suggest alternatives, or provide more context for their choices. So you can get everyone on the same page and get agreement on the way forward.

    Voiceover narration of this act is typically used with audience input. The researcher serves as the narrator, who depicts the issues and what the product’s potential future might look like in light of what the team has learned. They give the stakeholders their recommendations and their guidance on creating this vision.

    In the Harvard Business Review, Nancy Duarte describes a method for structuring presentations that follow a persuasive narrative. The most effective presenters” set up a conflict that needs to be resolved” using the same methods as great storytellers, Duarte writes. ” That tension helps them persuade the audience to adopt a new mindset or behave differently”.

    This kind of structure is in line with research findings, particularly those from usability tests. It provides evidence for “what is “—the problems that you’ve identified. And “what might be “—your suggestions for how to respond to them. And so forth and forth.

    You can reinforce your recommendations with examples of things that competitors are doing that could address these issues or with examples where competitors are gaining an edge. Or they can be visual, like quick sketches of how a new design could look that solves a problem. These can help create momentum and conversation. And this continues until the end of the session when you’ve wrapped everything up in the conclusion by summarizing the main issues and suggesting a way forward. This is the section where you make the most of the main themes or issues and what they mean for the finished product, or the story’s denial. The stakeholders will now have the opportunity to take the next steps, and hopefully the will-power to do so!

    While we are nearly at the end of this story, let’s reflect on the idea that user research is storytelling. The three-act structure of user research contains all the components for a good story:

      Act one: You encounter the protagonists ( the users ) and the antagonists ( the issues affecting users ). This is the beginning of the plot. Researchers might employ techniques like contextual inquiry, ethnography, diary studies, surveys, and analytics in act one. These techniques can produce personas, empathy maps, user journeys, and analytics dashboards.
      Act two: Next, there’s character development. The protagonists face problems and difficulties, which they must overcome, and there is conflict and tension. Researchers might employ heuristics evaluation, usability testing, competitive benchmarking, and other methods in act two. The output of these can include usability findings reports, UX strategy documents, usability guidelines, and best practices.
      Act three: The protagonists win, and you can see what a better future might look like. Researchers may use techniques like presentation decks, storytelling, and digital media in act three. The output of these can be: presentation decks, video clips, audio clips, and pictures.

    The researcher performs a number of tasks: they are the producer, the director, and the storyteller. The participants only have a small part in the study, but they are significant characters ( in it ). And the stakeholders are the audience. However, the most crucial thing is to get the narrative straight and to use storytelling to research users ‘ stories. In the end, the parties should leave with a goal and an eagerness to fix the product’s flaws.

    So the next time that you’re planning research with clients or you’re speaking to stakeholders about research that you’ve done, think about how you can weave in some storytelling. In the end, user research is beneficial for everyone, and all you need to do is pique stakeholders ‘ interest in how the story ends.

  • Beware the Cut ‘n’ Paste Persona

    Beware the Cut ‘n’ Paste Persona

    A machine learning algorithm is used to create individual encounters on this person does not occur. It takes actual photos and recombines them into false people faces. We just squirted past a LinkedIn article that claimed this site might be helpful “if you are developing a image and looking for a photo.”

    We concur that computer-generated eyes may be excellent candidates for personas, but not for the reason you might think otherwise. Ironically, the website highlights the core issue of this very common design method: the person ( a ) does not exist. Personas are deliberately created, just like in the photos. Knowledge is combined into a sporadic, unreliable snapshot that is taken out of context.

    But strangely enough, manufacturers use personalities to encourage their style for the real world.

    A step up, personalities

    Most manufacturers have at least once in their careers created, used, or encountered personalities. In their content” Personas- A Plain Introduction”, the Interaction Design Foundation defines profile as “fictional characters, which you create based upon your study in order to reflect the unique user types that might use your service, product, site, or brand”. Personas typically consist of a name, profile picture, quotes, demographics, goals, needs, behavior in relation to a particular service/product, emotions, and motivations ( for instance, see Creative Companion’s Persona Core Poster ). According to design firm Designit, the goal of personas is” to make the research relatable, ]and ] easy to communicate, digest, reference, and apply to product and service development.”

    The decontextualization of identities

    People are well-known because they make “dry” research information relevant and more people. However, this approach places a cap on the author’s data analysis, making it impossible for the investigated users to be excluded from their particular contexts. As a result, personalities don’t describe important factors that make you know their decision-making method or allow you to connect to users ‘ thoughts and behavior, they lack stories. You are aware of the persona’s actions, but you lack the history knowledge to understand why. You end up with less human-like user images.

    This “decontextualization” we see in identities happens in four way, which we’ll discuss below.

    People are assumed to be dynamic, according to people.

    Here’s a painfully obvious truth: people are not a fixed set of features. Although many businesses still try to box in their employees and customers with outdated personality tests ( referring to you, Myers-Briggs ), You act, think, and feel different according to the conditions you experience. You appear distinct to different people, and you might act friendly toward some and harshly toward another. And you constantly change your mind regarding the selections you’ve made.

    Modern psychology agree that while persons usually behave according to certain styles, it’s actually a combination of history and culture that determines how people act and take decisions. The type of person you are at each particular moment depends on the context, the impact of other people, your mood, and the whole history that preceded it.

    Personalities do not account for this variation in their attempt to improve reality; instead, they present a consumer as a predetermined set of features. Like character tests, personas seize people away from real life. Even worse, individuals are labeled as” that kind of guy” with no means to practice their innate flexibility and are reduced to a brand. This behavior defies stereotypes, diminishes diversity, and doesn’t reveal reality.

    Personas rely on people, not the environment

    In the real world, you’re creating content for a situation, not an entity. There are economic, political, and cultural factors to consider when a person lives in a home, a community, or an ecosystem. A pattern is not meant for a single customer. Instead, you create a pattern for one or more specific situations where a certain product might be used by a large number of people. But, personas do not explicitly explain how the person interacts with the environment but rather present the user alone.

    Do you usually make the same decision over and over again? Possibly you’ve made a commitment to veganism but still want to get some meat when your family visit. Your decisions, including your behavior, opinions, and statements, are not only completely accurate but very situational because they depend on a range of circumstances and variables. The image that “represents” you wouldn’t take into account this interdependence, because it doesn’t explain the grounds of your choices. It doesn’t offer a explanation for why you act in the way you do. People practice the well-known attribution error, which states that they too often attribute others ‘ behavior to their personalities and not to the circumstances.

    As mentioned by the Interaction Design Foundation, identities are often placed in a situation that’s a” specific environment with a problem they want to or have to solve “—does that mean environment actually is considered? Unfortunately, what frequently occurs is that you choose a fictional character to play with a particular circumstance based on the fiction. How could you possibly comprehend how someone you want to represent behave in new circumstances given that you haven’t even fully investigated and understood the current context of the people you want to represent?

    Personas are meaningless averages

    A persona is depicted as a specific person but is not a real person, as stated in Shlomo Goltz’s introduction article on Smashing Magazine; rather, it is synthesized from observations of many people. The famous example of the USA Air Force designing planes based on the average of 140 of their pilots ‘ physical dimensions and not a single pilot actually fit within that average seat is a well-known criticism of this aspect of personas.

    The same limitation applies to mental aspects of people. Have you ever heard a famous person say something was taken out of context? They uttered my words, but I didn’t mean it that way. The celebrity’s statement was reported literally, but the reporter failed to explain the context around the statement and didn’t describe the non-verbal expressions. The intended purpose was lost as a result. You collect someone’s statement ( or goal, need, or emotion ) into which its meaning can only be understood if it is provided with its own specific context, and then report it as an isolated finding.

    But personas go a step further, extracting a decontextualized finding and joining it with another decontextualized finding from somebody else. Because it lacks the underlying causes for and how that finding came about, the results of the analysis frequently fail to make sense. It’s unclear or even contradictory. It lacks any significance. And the persona doesn’t give you the full background of the person ( s ) to uncover this meaning: you would need to dive into the raw data for each single persona item to find it. What then is the persona’s usefulness?

    The validity of personas is deceiving.

    To a certain extent, designers realize that a persona is a lifeless average. Designers create “relatable” personas to make them appear like real people in order to overcome this. Nothing better captures the absurdity of this than a phrase from the Interaction Design Foundation:” Add a few fictional personal details to make the persona a realistic character.” In other words, you add non-realism in an attempt to create more realism. You purposefully understate the fact that” John Doe” is an abstract representation of research findings, but wouldn’t it be much more responsible to emphasize that John is only an abstraction? Let’s say something is artificial.

    It’s the finishing touch of a persona’s decontextualization: after having assumed that people’s personalities are fixed, dismissed the importance of their environment, and hidden meaning by joining isolated, non-generalizable findings, designers invent new context to create ( their own ) meaning. They introduce a number of biases in doing so, as with everything they produce. As designers, as Designit puts it, we can” contextualize]the persona” based on our experience and reality. We create connections that are familiar to us“. With each new detail added, this practice furthers stereotypes, doesn’t reflect real-world diversity, and takes people’s actual reality even further.

    Everyone should use their own empathy and develop their own interpretation and emotional response if we want to conduct good design research by reporting the reality “as-is” and making it relatable for our audience.

    Dynamic Selves: The alternative to personas

    What should we do instead if we shouldn’t use personas?

    Designit suggests using mindsets rather than personas. Each Mindset is a” spectrum of attitudes and emotional responses that different people have within the same context or life experience”. It challenges designers to avoid becoming fixated on just one person’s way of being. Unfortunately, despite being a step in the right direction, this proposal disregards the fact that people are influenced by how their personality, behavior, and, yes, mindset are shaped by their surroundings. Therefore, Mindsets are also not absolute but change in regard to the situation. What determines a particular Mindset, remains to be seen.

    Margaret P., the author of the article” Kill Your Personas,” who has argued for the use of persona spectrums that include a range of user abilities, offers an alternative. For example, a visual impairment could be permanent ( blindness ), temporary ( recovery from eye surgery ), or situational (screen glare ). Because they recognize that the context is the pattern, not the personality, Persona spectrums are extremely useful for more inclusive and context-based design. However, their only drawback is that they have a very functional perspective on users that misses the relatability of a real person viewed from within a spectrum.

    In developing an alternative to personas, we aim to transform the standard design process to be context-based. Contexts are generalizable and have patterns that we can recognize, just like we tried to do this with people before. How can we identify these patterns, then? How do we ensure truly context-based design?

    Understand real people in a variety of contexts

    Nothing about reality can be more relatable and inspiring. Therefore, we have to understand real individuals in their multi-faceted contexts, and use this understanding to fuel our design. This approach is known as Dynamic Selves.

    Let’s take a look at how the approach looks based on an illustration of how one of us used it in a recent study that examined Italians ‘ habits around energy consumption. We drafted a design research plan aimed at investigating people’s attitudes toward energy consumption and sustainable behavior, with a focus on smart thermostats.

    1. Select the appropriate sample.

    When we argue against personas, we’re often challenged with quotes such as” Where are you going to find a single person that encapsulates all the information from one of these advanced personas]? ]” You don’t need to, which is the simple answer. You don’t need to know a lot about everyone to have deep and meaningful insights.

    In qualitative research, validity does not derive from quantity but from accurate sampling. You pick the people who best fit the “population” you’re designing for. If this sample is chosen wisely and you have a deep understanding of the sampled people, you can infer how the rest of the population thinks and acts. There’s no need to study seven Susans and five Yuriys, one of each will do.

    In the same way, you don’t need to comprehend Susan in fifteen different ways. You have understood Susan’s plan of action once you have seen her in a few different settings. Not Susan as an atomic being but Susan in relation to the surrounding environment: how she might act, feel, and think in different situations.

    It becomes clear why each person should be portrayed as an individual because each already represents an abstraction of a larger group of people in similar circumstances because each person is representative of a portion of the total population you’re researching. You don’t want to see abstracts of them! These selected people need to be understood and shown in their full expression, remaining in their microcosmos—and if you want to identify patterns you can focus on identifying patterns in contexts.

    However, the question remains: how do you select a sample representative? First, you must consider the target market for the product or service you are designing. It might be helpful to examine the company’s objectives and strategy, the current customer base, and/or a potential future target audience.

    In our example project, we were designing an application for those who own a smart thermostat. Everyone in their home could have a smart thermostat in the future. However, only early adopters currently own one. To build a significant sample, we needed to understand the reason why these early adopters became such. We then recruited by enticing people to explain why and how they obtained a smart thermostat. There were those who had made the decision to purchase it, those who had been influenced by other people’s decisions, and those who had discovered it in their homes. So we selected representatives of these three situations, from different age groups and geographical locations, with an equal balance of tech savvy and non-tech savvy participants.

    2. Conduct your research

    After having chosen and recruited your sample, conduct your research using ethnographic methodologies. Your qualitative data will be enriched with examples and anecdotes thanks to this. Given COVID-19 restrictions, we turned an internal ethnographic research project into home-based remote family interviews that were followed by diary research in our example project.

    To gain an in-depth understanding of attitudes and decision-making trade-offs, the research focus was not limited to the interviewee alone but deliberately included the whole family. Each interviewee would provide a story that would later become much more interesting and precise with the additions made by their spouses, partners, kids, or occasionally even pets. We also paid attention to the behaviors that came from having relationships with other important people ( such as coworkers or distant relatives ), as well as the relationships that came into being with them. This wide research focus allowed us to shape a vivid mental image of dynamic situations with multiple actors.

    It’s crucial that the scope of the study remain broad enough to cover all potential actors. Therefore, it typically works best to define broad research areas with broad questions. Interviews are best set up in a semi-structured way, where follow-up questions will dive into topics mentioned spontaneously by the interviewee. The most insightful findings will be made with this open-minded “plan to be surprised.” One of our participants responded to our question about how his family controlled the house temperature by saying,” My wife has not installed the thermostat’s app; she uses WhatsApp instead. If she wants to turn on the heater and she is not home, she will text me. She uses me as her thermostat.

    3. Analysis: Create the Dynamic Selves

    You begin to represent each individual with several Dynamic Selves, each” Self” representing one of the circumstances you have examined throughout the research analysis. A quote serves as the foundation of each Dynamic Self, which is supported by a photo and a few relevant demographics that serve as examples of the larger picture. The research findings themselves will show which demographics are relevant to show. The key demographics were family type, number and type of homes owned, economic status, and technological maturity in our case because our research focused on families and their way of life to understand their needs for thermal regulation. We also included the individual’s name and age, but they’re optional; they’ll help the stakeholders transition from personas and allow them to connect multiple actions and contexts to the same person.

    To capture exact quotes, interviews need to be video-recorded and notes need to be taken verbatim as much as possible. This is crucial to ensuring that each participant’s various selves are truthful. Photos of the setting and anonymized actors are necessary to create realistic Selves in the case of real-life ethnographic research. Ideally, these photos should come directly from field research, but an evocative and representative image will work, too, as long as it’s realistic and depicts meaningful actions that you associate with your participants. One of our interviewees, for instance, shared a story of how he used to spend weekends with his family in his mountain home. Therefore, we depicted him taking a hike with his young daughter.

    At the end of the research analysis, we displayed all of the Selves ‘” cards” on a single canvas, categorized by activities. A quote and a unique photo were displayed on each card, each illustrating a situation. Each participant had a different deck full of self-assessments.

    4. Identify creative uses

    You will notice patterns beginning to appear once you have taken all of the main quotes from the interview transcripts and diaries and written them down as self-cards. These patterns will highlight the opportunity areas for new product creation, new functionalities, and new services—for new design.

    A particularly intriguing finding was made in our example project regarding the concept of humidity. We became aware of the importance of monitoring humidity for health and how a climate that is too dry or wet can cause respiratory problems or worsen already existing ones. This highlighted a big opportunity for our client to educate users on this concept and become a health advisor.

    Benefits of Dynamic Selves

    When you conduct your research using the Dynamic Selves method, you start to notice peculiar social relations, peculiar circumstances that people face and the consequences of their actions, and that people are surrounded by ever-changing environments. In our thermostat project, we have come to know one of the participants, Davide, as a boyfriend, dog-lover, and tech enthusiast.

    Davide is a person we might have once referred to as a “tech enthusiast.” However, there are also those who are wealthy or poor who are tech enthusiasts, whether they are single or have families. Their motivations and priorities when deciding to purchase a new thermostat can be opposite according to these different frames.

    Once you have fully grasped the underlying causes of Davide’s behavior and have understood them in detail, you can then generalize how he would act in a different circumstance. You can infer what he would think and do in the circumstances ( or scenarios ) you design for using your understanding of him.

    The Dynamic Selves approach aims to dismiss the conflicted dual purpose of personas—to summarize and empathize at the same time—by separating your research summary from the people you’re seeking to empathize with. This is crucial because scale affects how we feel empathy for people and how difficult it is to do so with other people. We have the deepest sympathy for people who are able to relate to us.

    If you take a real person as inspiration for your design, you no longer need to create an artificial character. No more creating new plot devices to “realize” the character, no more implausible biases. Simply put, this person is in real life. In fact, in our experience, personas quickly become nothing more than a name in our priority guides and prototype screens, as we all know that these characters don’t really exist.

    Another important benefit of Dynamic Selves is that it raises the stakes of your work: someone you and the team know and have met will experience the consequences if you violate your design. It might prompt you to stop using shortcuts and reminds you to check your designs every day.

    And finally, real people in their specific contexts are a better basis for anecdotal storytelling and therefore are more effective in persuasion. Real research documentation is necessary to obtain this result. It reinforces your design arguments by adding more weight and urgency:” When I met Alessandra, the conditions of her workplace struck me. Noise, bad ergonomics, lack of light, you name it. I’m worried that her life will become more complicated if we choose to use this functionality.

    Conclusion

    In their article on Mindsets, Designit mentioned that “design thinking tools offer a shortcut to deal with reality’s complexities, but this process of simplification can occasionally flatten out people’s lives into a few general characteristics.” Unfortunately, personas have been culprits in a crime of oversimplification. They fail to account for the complex nature of our users ‘ decision-making processes and don’t take into account the fact that people are immersed in environments.

    Design needs to be simplified, not necessarily generalized. You have to look at the research elements that stand out: the sentences that captured your attention, the images that struck you, the sounds that linger. Avoid using those and use them to describe the person in all of their contexts. People and insights are subject to a context, but they cannot be removed because it would detract from the context’s meaning.

    It’s high time for design to move away from fiction, and embrace reality—in its messy, surprising, and unquantifiable beauty—as our guide and inspiration.

  • That’s Not My Burnout

    That’s Not My Burnout

    Are you like me when I read about people who fade away as they age and who don’t have any sense of connection? Do you feel like your feelings are invisible to the earth because you’re experiencing burnout different? Our primary comes through more when stress starts to press down on us. Beautiful, content beings quieten and fade into that remote and distracted stress we’ve all read about. But some of us, those with fires constantly burning on the sides of our key, getting hotter. I am a fire in my brain. In an effort to overcome fatigue, I twice down, triple down, burn hotter and hotter in an effort to overcome the challenge. I don’t fade— I am engulfed in a passionate stress.

    What on earth is a passionate stress, then?

    Envision a person who is determined to accomplish everything. She has two wonderful children whom she, along with her father who is also working mildly, is homeschooling during a crisis. She works for a lot of clients, all of whom she enjoys. She wakes up early to get some movement in ( or frequently catch up on work ), prepares dinner as the kids are having breakfast, and works while positioning herself near “fourth grade” to listen in as she balances clients, tasks, and budgets. Sound like a bit? It works well with a friendly group at home and at work.

    Sounds like this person needs self-care because she has too much on her disk. But no, she doesn’t have occasion for that. She begins to feel as though she’s dropping pellets. Not enough is achieved. There’s not enough of her to be here and that, she is trying to divide her head in two all the time, all day, every day. She begins to question herself. And as those feelings grow more in, her domestic tale grows more and more important.

    Instantly she KNOWS what she needs to accomplish! She ought to do more.

    This loop is challenging and risky. Understand why? Because when she doesn’t complete that new purpose, the story will only get worse. She immediately starts failing. She isn’t doing much. She is insufficient. She does fail, she might refuse her family, but she’ll discover more to do. She doesn’t nap as much, proceed because much, all in the attempts to do more. Trying to prove herself to herself, but always succeeding in any endeavor. Always feeling “enough”

    But, yeah, that’s what zealous burnout looks like for me. It doesn’t develop immediately in a great gesture; it develops gradually over the course of several weeks and months. Not a man losing concentration, but rather a burning out approach that seems to be speeding up. I rate up and up and up… and therefore I simply quit.

    I am the only person who has the potential.

    The things that shape us are interesting. Through the camera of youth, I viewed the worries, problems, and sacrifices of someone who had to make it all work without having much. I never went without and also received an extra here or there because my mom was so competent and my father was so friendly.

    Growing up, I didn’t feel shame when my mom gave me food postcards; in fact, I would have likely sparked debates about the subject, orally eviscerating anyone who dared to criticize the disabled person who was attempting to ensure all of our needs were met with so little. As a child, I watched the way the worry of not making those ends meet impacted persons I love. Because I was” the one who was” make our lives a little easier, I would take on many of the physical things in my house as the non-disabled people. I soon realized that putting more of myself into it was linked to fears or confusion; I am the one who does. I learned first that when something frightens me, I may double down and work harder to make it better. I am in charge of the problem. I’ve been told that I seem brave when people have seen this in me as an adult, but make no mistake, I’m no. If I seem courageous, it’s because this behavior was forged from another person’s fears.

    And here I am, surrounded by enormous tasks ahead of me, assuming that I am the one who is and therefore should, more than 30 times afterward, still feeling the urge to aimlessly drive myself forward. I feel more motivated to show that I can make things happen if I put in more effort, put on more responsibilities, and do more.

    I do not see people who struggle financially as failures, because I have seen how strong that tide can be—it pulls you along the way. I truly believe I have had the opportunity to avoid many of the difficulties that came with my youth. Having said that, I continue to believe that she should and am still” the one who can.” As a result, I would think I’ve failed if I had to struggle to make ends meet for my own family. Though I am supported and educated, most of this is due to good fortune. However, I’ll give myself the haughtiness of claiming that my choices were wise and that they had sparked that luck. My sense of self is the result of the notion that I am” the one who can” and feel compelled to accomplish the most. I can choose to stop, and with some quite literal cold water splashed in my face, I’ve made the choice to before. However, I don’t always choose to stop, so I move on, driven by a fear that is so present in me that I hardly ever notice until I’m completely worn out.

    So why all the history? You see, burnout is a fickle thing. Over the years, I have read and heard a lot about burnout. Burnout is present. Especially now, with COVID, many of us are balancing more than we ever have before—all at once! It’s challenging, and so many amazing professionals are affected by the avoidance, the shutting down, and the procrastination. There are significant articles that, in my opinion, relate to the majority of people around, but not me. That’s not what my burnout looks like.

    The perilous invisibility of zealous burnout

    The extra hours, extra work, and overall focused commitment are often viewed as an asset in many workplaces ( and occasionally that’s all it is ). They see someone trying to rise to challenges, not someone stuck in their fear. Many well-intentioned organizations have measures in place to safeguard their employees from burnout. However, in situations like this, those alarms don’t always ring, and some organization members are surprised and depressed when the inevitable stop happens. And sometimes maybe even betrayed.

    When it comes to parenting, which is more so when it comes to working, participating in after-school activities, practicing self-care in the form of diet and exercise, and still meeting with friends for coffee or wine, it is more often said that mothers are praised as being so on top of it all. Many of us watched endless streaming COVID episodes to see how challenging the female protagonist is, but she is strong, funny, and capable of doing it. It’s a “very special episode” when she breaks down, cries in the bathroom, woefully admits she needs help, and just stops for a bit. Truth be told, countless people are hidden in tears or doom-scrolling to escape. Although we are aware that the media is a lie to amuse us, the perception that it’s what we should strive for frequently permeates much of society.

    Women and burnout

    I cherish men. And even though I don’t love every man ( heads up, I don’t love every woman or nonbinary person either ), I believe there is a wonderful range of people who fit that particular binary gender.

    That said, women are still more often at risk of burnout than their male counterparts, especially in these COVID stressed times. Mothers at work feel the pressure to do everything while giving absolutely everything. Mothers who are not employed feel they need to do more to” justify” their lack of traditional employment. Women who are not mothers often feel the need to do even more because they don’t have that extra pressure at home. It’s so ingrained in our culture and vicious and systemic that we frequently are unaware of how much pressure we place on ourselves and others.

    And there are costs that go beyond happiness. Harvard Health Publishing released a study a decade ago that “uncovered strong links between women’s job stress and cardiovascular disease”. According to the CDC,” Heart disease is the leading cause of death for women in the United States, killing 299,578 women in 2017—or roughly 1 in every 5 female deaths,”

    According to what I’ve read, this connection between work stress and health is more dangerous for women than it is for their non-female counterparts.

    But what if your burnout isn’t like that either?

    That might not be you either. After all, we are all unique, and so is our way of responding to stress. It’s part of what makes us human. Don’t put too much emphasis on how burnout looks; instead, learn to recognize it in yourself. What are a few questions I occasionally ask my friends if they worry about them.

    Are you happy? You should ask yourself this straightforward question first. Even if you’re burning out doing all the things you love, chances are you’ll just stop enjoying yourself as much as you do.

    Do you feel empowered to say no? I’ve observed in myself and others that when someone is going out, they no longer feel like they can say no to things. Even those who don’t” speed up” feel pressured to say “yes” to avoid apprehension.

    What are three things you’ve done for yourself? Another fact to keep in mind is that we all have a tendency to stop doing things for ourselves. anything from avoiding conversations with friends to skipping showers and eating poorly. These can be red flags.

    Are you using justifications? Many of us make an effort to avoid feeling worn out. Over and over I have heard,” It’s just crunch time”,” As soon as I do this one thing, it will all be better”, and” Well I should be able to handle this, so I’ll figure it out”. And it might actually be crunch time, a single objective, and/or a set of skills you need to master. Life happens because of that. BUT if this doesn’t stop, be honest with yourself. If you’ve worked more than 50 hours of work since January, then perhaps it’s not crunch time; perhaps it’s a bad situation you’re finding yourself in.

    Do you have a method for overcoming this feeling? If something is truly temporary and you do need to just push through, then it has an exit route with a
    defined end

    Take the time to listen to your friend in the same way. Be honest, allow yourself to be uncomfortable, and break the thought cycles that prevent you from healing.

    So what do we do now?

    What I just described is a different path to burnout, but it’s still burnout. There are well-established approaches to working through burnout:

    • Get enough sleep.
    • Eat well.
    • Work out.
    • Leave the house.
    • Take a break, please.
    • Overall, practice self-care.

    I find those challenging because they seem like more chores. Doing any of the above for me feels like a waste if I’m in the burnout cycle. The narrative is that if I’m already failing, why would I take care of myself when I’m dropping all those other balls? People need me, don’t they?

    Your inner voice might already be pretty bad if you’re deeply in the cycle. If you need to, tell yourself you need to take care of the person your people depend on. Use your roles to help make healing easier by defending the time you spend working on you if they are pushing you toward burnout.

    I have come up with a few things that I do when I start to feel like I’m going into a zealous burnout to help me remember the airline attendant advice to put the mask on yourself first.

    Cook an elaborate meal for someone!

    Okay, since I’m a “food-focused” person, I’ve always been a fan. In my home, there are countless tales of people coming into the kitchen, turning right, and leaving when they noticed I was” chopping angrily.” But it’s more than that, and you should give it a try. Seriously. If you don’t feel like giving time for yourself, do it for someone else. Most of us work in a digital world, so cooking can fill all of your senses and force you to be in the moment with all the ways you perceive the world. It can help you get a better perspective and help you get out of your head. I’ve been known to pick a location on a map and prepare food that comes from it ( thank you, Pinterest ) in my home. I love cooking Indian food, as the smells are warm, the bread needs just enough kneading to keep my hands busy, and the process takes real attention for me because it’s not what I was brought up making. And ultimately, we all triumph!

    Vent like a sniveling jerk.

    Be careful with this one!

    Over the past few years, I have made an effort to practice more gratitude, and I am aware of the benefits that are really present. Having said that, sometimes you just need to let it all out, even the ugly ones. Hell, I’m a big fan of not sugarcoating our lives, and that sometimes means that to get past the big pile of poop, you’re gonna wanna complain about it a bit.

    When that is required, approach a trusted friend and express your concerns verbally. You must have faith in this friend not to judge you, to feel your pain, and, most importantly, to advise you to get your cranium removed from your own rectal cavity. Seriously, it’s about getting a reality check here! One of the things I admire most about my husband is how he can simplify things down to their simplest bits, despite often after the fact. We’re spending our lives together, and I can’t wait to get over it. I’m so grateful for his words of dedication, love, and acceptance of me. It also, of course, has meant that I needed to remove my head from that rectal cavity. Again, those are typically appreciated in retrospect.

    Grab a book, please!

    There are many books out there that aren’t so much self-help as they are people just like you sharing their stories and how they’ve come to find greater balance. You might discover something that resonates with you. Among the titles that have stood out to me are:

    • Thrive by Arianna Huffington
    • Tim Ferriss ‘ book Tools of Titans
    • Girl, Stop Apologizing by Rachel Hollis
    • Dare to Lead by Brené Brown

    Or, a tactic I enjoy using is to read or listen to a book that is NOT related to my work-life balance. The following books helped me balance out after I’ve read them because my mind was pondering the subjects ‘ interesting points rather than circling them:

    • The Drunken Botanist by Amy Stewart
    • Darin Olien’s Superlife
    • A Brief History of Every Person Who Ever Lived by Adam Rutherford
    • Gaia’s Garden by Toby Hemenway

    Choose a topic on YouTube or subscribe to a podcast if you don’t enjoy reading. In addition to learning about raising chickens and ducks, I’ve watched countless permaculture and gardening topics. For the record, I do not have a particularly large food garden, nor do I own livestock of any kind… yet. I just find the subject fascinating, and it is unrelated to anything that needs to be done in my life.

    Give yourself a break.

    You are never going to be perfect—hell, it would be boring if you were. It’s acceptable to have flaws and imperfections. Being tired, depressed, and worried is human nature. It’s OK to not do it all. Although being imperfect is terrifying, you cannot be brave without being fearful.

    This is the most crucial part: give yourself permission to NOT do it all. You never promised to be everything to everyone at all times. We are stronger than the anxieties that motivate us.

    This is challenging. It is hard for me. That it’s okay to stop is what inspired me to write this. It’s acceptable that you have to stop an unhealthy habit that could even help you and those around you. You can still be successful in life.

    We are all eulogizing how we live, according to a recent article I read. What will your professional accomplishments say, knowing that yours won’t be mentioned in that speech? What do you want it to say?

    Look, I get it that none of these concepts will “fix it,” which is not their intention. Only how we react to the things around us is what we control. These suggestions are to help stop the spiral effect so that you are empowered to address the underlying issues and choose your response. Most of the time, I find these to be effective. They might be able to help you.

    Does this sound familiar?

    If something sounds familiar, you are not alone. Don’t let your sluggish self-talk tell you that you “even burn out wrong.” It’s not wrong. Even if I’m rooted in fear like my own drivers, I think this need to do more comes from a place of love, determination, motivation, and other wonderful qualities that contribute to your incredible persona. We’re going to be fine, you see. The lives that unfold before us might never look like that story in our head—that idea of “perfect” or “done” we’re looking for, but that’s OK. Really, when we stop and look around, usually the only eyes that judge us are in the mirror.

    Do you recall the Winnie the Pooh cartoon in which Pooh ate so much at Rabbit’s house that his buttocks couldn’t fit through the door? It came as no surprise when he abruptly declared that this was unacceptable because I already associate a lot with Rabbit. But do you recall what happened next? He made the most of the large butt in his kitchen by placing a shelf across poor Pooh’s ankles and decorations on his back.

    We are resourceful and aware that we can push ourselves when we are needed, even when we are exhausted to the core or have a ton of clutter in our room. None of us has to be afraid, as we can manage any obstacle put in front of us. And maybe that means we need to redefine success in order to make room for comfort in human nature, but that doesn’t really sound so bad either.

    So, if you’re anywhere right now, take a deep breath. Do what you need to do to get out of your head. Give thanks and be considerate.