Web-Slinger.css: Like Wow.js But With CSS-y Scroll Animations

Featured Imgs 23

We had fun in my previous article exploring the goodness of scrolly animations supported in today’s versions of Chrome and Edge (and behind a feature flag in Firefox for now). Those are by and large referred to as “scroll-driven” animations. However, “scroll triggering” is something the Chrome team is still working on. It refers to the behavior you might have seen in the wild in which a point of no return activates a complete animation like a trap after our hapless scrolling user ventures past a certain point. You can see JavaScript examples of this on the Wow.js homepage which assembles itself in a sequence of animated entrances as you scroll down. There is no current official CSS solution for scroll-triggered animations — but Ryan Mulligan has shown how we can make it work by cleverly combining the animation-timeline property with custom properties and style queries.

That is a very cool way to combine new CSS features. But I am not done being overly demanding toward the awesome emergent animation timeline technology I didn’t know existed before I read up on it last month. I noticed scroll timelines and view timelines are geared toward animations that play backward when you scroll back up, unlike the Wow.js example where the dogs roll in and then stay. Bramus mentions the same point in his exploration of scroll-triggered animations. The animations run in reverse when scrolling back up. This is not always feasible. As a divorced Dad, I can attest that the Tinder UI is another example of a pattern in which scrolling and swiping can have irreversible consequences.

Scroll till the cows come home with Web-Slinger.css

Believe it or not, with a small amount of SCSS and no JavaScript, we can build a pure CSS replacement of the Wow.js library, which I hereby christen “Web-Slinger.css.” It feels good to use the scroll-driven optimized standards already supported by some major browsers to make a prototype library. Here’s the finished demo and then we will break down how it works. I have always enjoyed the deliberately lo-fi aesthetic of the original Wow.js page, so it’s nice to have an excuse to create a parody. Much profession, so impress.

Teach scrolling elements to roll over and stay

Web-Slinger.css introduces a set of class names in the format .scroll-trigger-n and .on-scroll-trigger-n. It also defines --scroll-trigger-n custom properties, which are inherited from the document root so we can access them from any CSS class. These conventions are more verbose than Wow.js but also more powerful. The two types of CSS classes decouple the triggers of our one-off animations from the elements they trigger, which means we can animate anything on the page based on the user reaching any scroll marker.

Here’s a basic example that triggers the Animate.css animation “flipInY” when the user has scrolled to the <div> marked as .scroll-trigger-8.

<div class="scroll-trigger-8"></div>
<img 
  class="on-scroll-trigger-8 animate__animated animate__flipInY" 
  src="https://i.imgur.com/wTWuv0U.jpeg"
>

A more advanced use is the sticky “Cownter” (trademark pending) at the top of the demo page, which takes advantage of the ability of one trigger to activate an arbitrary number of animations anywhere in the document. The Cownter increments as new cows appear then displays a reset button once we reach the final scroll trigger at the bottom of the page.

Here is the markup for the Cownter:

<div class="header">
  <h2 class="cownter"></h2>
  <div class="animate__animated  animate__backInDown on-scroll-trigger-12">
    <br>
    <a href="#" class="reset">🔁 Play again</a>
  </div>
</div>

…and the CSS:

.header {
  .cownter::after {
    --cownter: calc(var(--scroll-trigger-2) + var(--scroll-trigger-4) + var(--scroll-trigger-8) + var(--scroll-trigger-11));
    --pluralised-cow: 'cows';

    counter-set: cownter var(--cownter);
    content: "Have " counter(cownter) " " var(--pluralised-cow) ", man";
  }

  @container style(--scroll-trigger-2: 1) and style(--scroll-trigger-4: 0) {
    .cownter::after {
      --pluralised-cow: 'cow';
    }
  }
  
  a {
    text-decoration: none;
    color:blue;
  }
}

:root:has(.reset:active) * {
  animation-name: none;
}

The demo CodePen references Web-Slinger.css from a separate CodePen, which I reference in my final demo the same way I would an external resource.

Sidenote: If you have doubts about the utility of style queries, behold the age-old cow pluralization problem solved in pure CSS.

How does Web Slinger like to sling it?

The secret is based on an iconic thought experiment by the philosopher Friedrich Nietzsche who once asked: If the view() function lets you style an element once it comes into view, what if you take that opportunity to style it so it can never be scrolled out of view? Would that element not stare back into you for eternity?

.scroll-trigger {
  animation-timeline: view();
  animation-name: stick-to-the-top;
  animation-fill-mode: both;
  animation-duration: 1ms;
}

@keyframes stick-to-the-top {
  .1%, to {
    position: fixed;
    top: 0;
  }
}

This idea sounded too good to be true, reminiscent of the urge when you meet a genie to ask for unlimited wishes. But it works! The next puzzle piece is how to use this one-way animation technique to control something we’d want to display to the user. Divs that instantly stick to the ceiling as soon as they enter the viewport might have their place on a page discussing the movie Alien, but most of the time this type of animation won’t be something we want the user to see.

That’s where named view progress timelines come in. The empty scroll trigger element only has the job of sticking to the top of the viewport as soon as it enters. Next, we set the timeline-scope property of the <body> element so that it matches the sticky element’s view-timeline-name. Now we can apply Ryan’s toggle custom property and style query tricks to let each sticky element trigger arbitrary one-off animations anywhere on the page!

View CSS code
/** Each trigger element will cause a toggle named with 
  * the convention `--scroll-trigger-n` to be flipped 
  * from 0 to 1, which will unpause the animation on
  * any element with the class .on-scroll-trigger-n
 **/

:root {
  animation-name: run-scroll-trigger-1, run-scroll-trigger-2 /*etc*/;
  animation-duration: 1ms;
  animation-fill-mode: forwards;
  animation-timeline: --trigger-timeline-1, --trigger-timeline-2 /*etc*/;
  timeline-scope: --trigger-timeline-1, --trigger-timeline-2 /*etc*/;
}

@property --scroll-trigger-1 {
  syntax: "<integer>";
  initial-value: 0;
  inherits: true;
}
@keyframes run-scroll-trigger-1 {
  to {
    --scroll-trigger-1: 1;
  }
}

/** Add this class to arbitrary elements we want 
  * to only animate once `.scroll-trigger-1` has come 
  * into view, default them to paused state otherwise
 **/
.on-scroll-trigger-1 {
  animation-play-state: paused;
}

/** The style query hack will run the animations on
  * the element once the toggle is set to true
 **/
@container style(--scroll-trigger-1: 1) {
  .on-scroll-trigger-1 {
    animation-play-state: running;
  }
}

/** The trigger element which sticks to the top of 
  * the viewport and activates the one-way  animation 
  * that will unpause the animation on the 
  * corresponding element marked with `.on-scroll-trigger-n` 
  **/
.scroll-trigger-1 {
  view-timeline-name: --trigger-timeline-1;
} 

Trigger warning

We generate the genericized Web-Slinger.css in 95 lines of SCSS, which isn’t too bad. The drawback is that the more triggers we need, the larger the compiled CSS file. The numbered CSS classes also aren’t semantic, so it would be great to have native support for linking a scroll-triggered element to its trigger based on IDs, reminiscent of the popovertarget attribute for HTML buttons — except this hypothetical attribute would go on each target element and specify the ID of the trigger, which is the opposite of the way popovertarget works.

<!-- This is speculative — do not use -->
<scroll-trigger id="my-scroll-trigger"></scroll-trigger>
<div class="rollIn" scrolltrigger="my-scroll-trigger">Hello world</div>

Do androids dream of standardized scroll triggers?

As I mentioned at the start, Bramus has teased that scroll-triggered animations are something we’d like to ship in a future version of Chrome, but it still needs a bit of work before we can do that. I’m looking forward to standardized scroll-triggered animations built into the browser. We could do worse than a convention resembling Web-Slinger.css for declaratively defining scroll-triggered animations, but I know I am not objective about Web Slinger as its creator. It’s become a bit of a sacred cow for me so I shall stop milking the topic — for now.

Feel free to reference the prototype Web-Slinger.css library in your experimental CodePens, or fork the library itself if you have better ideas about how scroll-triggered animations could be standardized.


Web-Slinger.css: Like Wow.js But With CSS-y Scroll Animations originally published on CSS-Tricks, which is part of the DigitalOcean family. You should get the newsletter.



from CSS-Tricks https://ift.tt/j5oQL0A
Gain $200 in a week
via Read more

Gothic Style Design: A Modern Font & Graphic Trend

Featured Imgs 23

One recent emerging trend is an increased use of gothic styles and themes. This trend captures everything from imagery and color schemes to fonts and overall styling.

It’s an almost natural progression and evolution from all of the dark mode designs we’ve seen in recent years to reversion to gothic style.

Here, we’ll look at gothic style design and how you can make this design trend – potentially – work for you. Whether that’s in a poster, flyer, typographic choice, or a website. Let’s dive in!

What is Gothic Style?

Gothic style derived from architecture in the 18th century and was later applied to graphic design. It is characterized by its use of ornate, intricate details, pointed arches, and vertical lines and is a design style that has ebbed and flowed over time.

In modern graphic design, gothic style design often refers to a contemporary interpretation of this historic design style. You’ll often find bold, blocky, or ornate lettering and graphics with a dark, moody color palette.

Characteristics of the Gothic Style

The first identifier of gothic style is often imagery. If you’ve been watching the Netflix series, “Wednesday,” you are no stranger to this style. There’s a distinct gothic vibe from the title typography to every image promoting the series and therein.

The gothic style has a distinctive influence on graphic design and can be seen in various design elements. Here are some other things to look for in gothic design elements:

  • Ornate and intricate details: Pay special attention to borders, patterns, and typography.
  • Dark color palette: You’ll find a lot of black, gray, and dark red or purple, which can create a sense of drama and mystery.
  • Textures: Stone, metal, or wood to create a sense of authenticity and age.
  • Symbolism and iconography: Symbolic elements, such as crosses, skulls, or gargoyles can be used to convey a sense of power, mystery, or horror.
  • Emphasis on verticality: Vertical lines and forms, which can create a sense of height and grandeur are popular and often come across in visuals such as tall, narrow windows or pointed arches.
  • Rough edges: Sharp lines might be offset by ragged or rough edges for lines, type elements, or even image containers.
  • Gothic typography: Blackletter fonts are a common characteristic of Gothic design, often used in titles, headlines, and logos.

Gothic Fonts

There are two schools of gothic typography – more traditional blackletter or Old English fonts and modern, more experimental styles that pay homage to the old style.

Modern gothic fonts often have sharp, angular shapes and intricate details, which can evoke a sense of mystery, elegance, and sophistication. They are commonly used in branding and advertising for products and services that target a younger, edgier demographic.

Regardless of the time period, almost all of the typography in a gothic style shares some common visual details.

  • Sharp, pointed edges that create a sense of drama and intensity. The letters often have pointed serifs or sharp, triangular shapes.
  • Intricate details with highly decorative loops, swirls, and embellishments to create an ornate appearance.
  • Vertical emphasis with tall, narrow letterforms that create a sense of height and grandeur.
  • Lack of curves focusing on straight lines and sharp angles.
  • Old-world charm that evokes historical roots, feelings of tradition or elegance, and maybe a hint of spookiness.

Tips for Using this Trend Well

The gothic style can be a striking choice, but it isn’t for every type of project. Context is extremely important here; the wrong content with a gothic style can feel off-base and jarring.

There are, though, many ways you can use gothic styles. Use this design trend with content that has historical or traditional themes, gothic-inspired products or services, elements that need high drama, or to create a high-end feel.

Pair gothic images and typefaces with more simple and neutral elements so the design doesn’t get overwhelming.

Remember that gothic doesn’t have to feel “dark.” It can also feel traditional.

The gothic style has a long history and is associated with many different historical periods and artistic movements, so it can be used to evoke a sense of authenticity and tradition.

You’ll find this style is often associated with heavy metal music, establishing that hard-edge connection between the visual aesthetic and the audio. For the same reason, you’ll often find gothic design themes with scary movies and medieval themes.

Gothic design can work exceptionally well for projects that have an intense vibe. Bold shapes and dark color help put extra emphasis on this feeling. Additionally, this can create a sense of authority and power.

Pair gothic images and typefaces with more simple and neutral elements so the design doesn’t get overwhelming. That may include simple complementary textures, backgrounds, images, and body text in a regular sans-serif style.

Finally, you might associate elements of a gothic style with high-end luxury. This can be especially true when gothicism is minimalized but elements are there, such as just using typography in this style. This creates a sense of elegance and sophistication, to help reinforce a brand’s premium status.

Templates with Gothic Styles

Start projects in a gothic style a little bit quicker with a template or font that’s in a gothic style. Here are a few downloadable options from Envato Elements that we love.

Gothic Birthday Invitation

Live Music YouTube Thumbnail

Moustache Party Flyer

Trotont Gothic Font

Cambridge Bold Decorative Gothic Font

Samaz Gothic Vintage Typeface

Conclusion

A gothic style can be a moody and fun way to design something a little differently. Just keep in mind that it may not be suitable in all design contexts. You’ll likely avoid gothic elements in designs aimed at children or those that require a more playful or whimsical aesthetic.

This design trend has come and gone a few times, and it’ll be interesting to see how much staying power it has now.

Automattic vs. WP Engine – The Battle of Titans!

Featured Imgs 23

Throughout the history, mankind has fought battles over battles to gain the most desirous state of their existence i.e. POWER!. Power has enabled its custodians to hold on to resources that are crucial for their survival. The chronicles do explain though that Power always look for more Power! Likewise, we are witnessing a highly uptight […]

The post Automattic vs. WP Engine – The Battle of Titans! first appeared on WPArena and is written by Munazza Shaheen.

40+ Stylish PowerPoint Color Schemes 2025

Featured Imgs 23

Color is an element that can make or break a design, and that rule holds true for presentation design as well. Choosing the right PowerPoint color scheme is super important.

But there’s one extra thing to consider – where your presentation will be given. A PowerPoint presentation can look quite different on a computer or tablet versus on a projected screen.

When it comes to selecting a PowerPoint color scheme, this is an important consideration. We’ve rounded nearly stylish PowerPoint color schemes as inspiration. While darker color schemes might look great close-up on screens, opt for lighter backgrounds (for enhanced readability) for projected presentations.

Note: The last color in each scheme is for the slide background.

1. Shocking Orange

#E24A32#E5E4E2
Midsvel Pitch Deck - Powerpoint

When it comes to marketing and creative presentations, the orange color is the go-to choice among professionals. It not only works perfectly with both light and dark color pairings but also helps highlight all the important parts of a slide more clearly than any other color.

In this example, the bright orange (identified as Shocking Orange) instantly grabs the attention on top of the white background and makes the black typography highly visible and much easier to read.

2. Neon Green

#CBF400#0F0F0F#DDDDDD
Neon Minimalist Company Profile Presentation

Neon-themed high-contrast colors are a popular choice among marketers these days as they are quite effective as an accent color. These bright colors instantly pop out, highlighting key objects and text above all else.

Colors like Neon Green work best with a darker background. When you combine it with white color typography, you will come up with a color scheme that delivers results.

3. Orange and Greyish Turquoise

#FC993E#667C6F#FCFCFC
Marketing Project - Digital Marketing PowerPoint

As we mentioned before, orange color is a popular choice in PowerPoint color schemes. But it doesn’t always have to be the dominating color. Sometimes, when you pair it with another light, secondary color, it gives you a pleasant and soothing color scheme.

In this example, you can see a light orange color being used to highlight the call to actions (CTAs) across the slideshow while a greyish-turquoise color is used to bring balance to the overall look and feel.

4. Bright Purple and Dark Blue

#B165FB#181B24
Education Powerpoint Templates

When creating a PowerPoint color scheme, choosing the right accent color is the key to achieving a professional vibe for the entire presentation. The important thing is to choose a color that sticks out without taking away the attention from the rest of the elements.

A color scheme with a bright purple accent goes perfectly with a dark background. Then you can add another dark blue to the mix to create another accent color to balance the attention.

5. Blue and Orange

#224088#F57325#E8E9E3
Marketing Business Presentation - Markup

A great thing about the orange color is how it goes well together with many other colors. It’s the king of accent colors. Blue is another color that comes out on top of the list.

Much like orange, the color blue is a great choice for creating attractive accents. And it works even better when you put those colors together.

6. Black and Gold

#BF9A4A#000000
Business Presentation - Gold

If your goal is to create a high-end and luxurious vibe across a PowerPoint slideshow, then no other color scheme works better than the simple yet elegant black and gold.

The classic black and gold color combination is considered one of the most iconic color schemes that have been used for decades by everyone from high-end fashion brands to luxury hotels and more. It’s the ideal color pairing for a classic, timeless look.

7. Pink and Gray

#FCCBC4#EEEDE9
Dakka - Interactive Research Proposal Powerpoint

If you’re a fan of soft, pastel colors, this color scheme will work wonders for your presentation design. It’s especially an effective choice for lifestyle and fashion-related slideshows.

In this example slideshow design, you will see multiple shades of Pink, sometimes even as gradients, for the accents. This color blends beautifully with the light grayish background.

8. Red and White

#C00002#ffffff
red powerpoint template

PowerPoint color schemes don’t always have to be so complicated. Sometimes, a simple basic color combination is more than enough to create a compelling presentation design. This red and white color scheme shows how it’s done.

The color red is often associated with courage and authority. As a result, it is a go-to choice among modern brands and businesses for creating presentations that showcase their dominance in the market.

9. Cream and Green

#FFE1C7#40695B
Taluna - Catering Food Powerpoint Templates

This beautiful and soft color combination is a great choice for adding a soothing aesthetic to your presentation. It’s perfect for making PowerPoint slideshows for fashion, lifestyle, and travel-related topics.

In this design, the cream color works in harmony with the green to create a well-balanced look for the entire presentation. The color scheme also makes it much easier to bring more attention to the text and images.

10. Gray and Yellow

#4B5A5F#FBE969
Solar Power Energy PowerPoint

The color yellow is a great choice for accents but with the wrong color combination, it could mean disaster.

The gray color used in the above example is made of a combination of blue and cyan, which gives the design a unique background to effectively highlight the yellow accents without straining the viewer’s eyes.

11. Blue, Gray Green & Orange

#044c73#8db6b0#ef6337#ffffff

powerpoint color schemes

With a bright overall scheme that’s easy on the eyes, this color scheme can help you create a modern PowerPoint presentation that’s readable and friendly. You can even tweak the colors somewhat to better work with your brand, if necessary.

The best thing about this color palette is that it lends itself to plenty of different presentation styles and applications.

12. Violet Gradient

#5038a6#ddd8f7#ffffff

powerpoint color schemes

Using the first two colors noted above, you can create a dark-to-light monotone gradient that can make for a modern PowerPoint design style.

Take this concept and expand it to any other colors you like for your spin on this modern color scheme.

13. Mint and Orange

#21e9c5#ff8513#000000

powerpoint color schemes

On paper, these colors don’t seem to blend all that well, but with the right application min and orange on a black background can work.

Use a pair of colors like this for presentations where you are trying to make a bold statement or impact. This concept is often great for trendy topics or ideas that are a little unconventional.

14. Bright Blue and Light

#1007dc#ffffff

powerpoint color schemes

The brighter, the better! Bright blue color schemes are a major trend in PowerPoint design … and for good reason. The color combination creates a bright, light feel with easy readability. Those are two things that pretty much everyone wants in a presentation template design.

The other thing that’s great about a color scheme like this – which focuses on one color – is that it matches practically everything else in the design with ease. It’s great for image-heavy presentations or those where text elements are a key focal point.

15. Teal and Lime

#007c7f#bbd445#eceef0

powerpoint color schemes

Two colors that you might not expect to see paired create a classy combo that’s interesting and engaging. Both teal and lime are considered “new neutrals” and work with a variety of colors easily. (What’s somewhat unexpected is putting them together.)

What’s great about this PowerPoint color scheme is that the extra interest from the hues can help generate extra attention for slides. The template in the example also mixes and matches teal and green primary color blocks to keep it interesting from slide to slide.

16. Colorful Gradients

#00cee6#00ca74#ff9370#000000

powerpoint color schemes

Gradients are a color trend that just keeps reinventing and resurfacing. In the latest iteration, gradients are bright with a lot of color. Designers are working across the color wheel for gradients that have more of a rainbow effect throughout the design, even if individual gradients are more subtle.

What you are likely to see is a variety of different gradients throughout a project with different colors, but maybe a dominant color to carry the theme. Use this for presentation designs that are meant to be more fun, lighter, and highly engaging.

17. Light Blue Minimal

#acdcf9#204458#ffffff

powerpoint color schemes

This color scheme with light blue and a minimal aesthetic is super trendy and so easy to read. You can add a lot of style with a black-and-white style for images or a deep blue accent for header text.

While a pale blue is ideal here, you could also consider experimenting with other pastels and the same overall theme for a modern presentation design.

18. Bright with Dark Background

#ed5b4c#f5ae03#455469

powerpoint color schemes

The combination of bright colors on a dark background can be fun and quite different from the traditional PowerPoint color schemes that are often on white or light backgrounds. This design style for a presentation is bold and engaging but can be a challenge if you aren’t comfortable with that much color.

When you use a style like this, it is important to think about the presentation environment to ensure that everything will look as intended. A design like this, for example, can work well on screens, but not as well on a projector or in a large room.

19. Navy and Orange

#06436e#f49415#ffffff

powerpoint color schemes

The navy and orange color combination is stylish and classic for presentation design. To add a fresh touch consider some of the effects such as the template above, with color blocking and overlays to add extra interest.

What makes this color combination pop is the element of contrast between a dark and a bright pair. The navy here is almost a neutral hue and works with almost any other design element.

20. Dark and Light Green

#0b4524#dafae5#ffffff

powerpoint color schemes

A modern take on a monotone color scheme involves using two similar colors that aren’t exactly tints and tones of one another. This pairing of dark green and light (almost minty) green does precisely that.

What’s nice about this color scheme is that the colors can be used almost interchangeably as primary elements or accents. It provides a lot of flexibility in the presentation design.

21. Bright Crystal Blue

#17a7b8#0d525a#ffffff

powerpoint color schemes

Blue presentation color schemes will always be in style. The only thing that changes is the variance of the hue. This pair of blues – a bright crystal blue with a darker teal – works in almost the same way as the pair of greens above.

What’s nice about this color palette though is that the dark color is the accent here. That’s a modern twist on color design for presentations.

22. Blue and Yellow

#164794#ffc100#ffffff

powerpoint color schemes

Blue and yellow are classic pairings and can make for a striking presentation color combination. With a bright white background, these hues stand out in a major way.

What works here is the element of contrast. A darker blue with a brighter yellow creates an almost yin and yang effect with color. The only real caution is to take care with yellow on a white or light background with fonts or other light elements.

23. Teal

#188488#d69500#ffffff

powerpoint color schemes

Teal is a personality-packed color choice. If you are looking for a bold statement with a PowerPoint template, start here.

While the above color scheme also includes a hint of yellow for accents, the teal color option is strong enough to stand alone. You could consider a tint or tone for a mono-look. It also pairs amazingly well with black-and-white images.

Teal is a fun color option that will provide a lot of practical use with your slide deck.

24. Bright Coral

#ff625c#ff7168#ffffff

powerpoint color schemes

This color scheme is one of those that you will either love or hate. The bright coral color is powerful and generates an immediate reaction.

It’s also quite trendy and will stand out from many of the other more bland PowerPoint colors that you may encounter. This is a great option for a startup that wants to present with a bang or a brand that has a similar color in its palette. It may not work so well for more traditional brands or those that are more conservative with their slide designs.

25. Dark Mode Colors

#302146#3b5c58#000000

powerpoint color schemes

A dark mode color scheme might be the biggest trend in all of design right now, and that also applies to presentation design.

This purple and emerald color paired with black with white text looks amazing. It is sleek, modern, and has high visual appeal without having to use a lot of images.

This works best for digital presentations when you don’t have concerns about room lighting to worry about.

If you aren’t ready to jump into dark mode on your own, the Harber template above is a great start with nice color, gradients, and interesting shapes throughout the slide types.

26. Navy and Lime

#120280#bac500#ffffff

powerpoint color schemes

A navy and lime combination is a modern take on colorful neutrals that are anything but boring.

These colors have a nice balance with a white or light background and are fairly easy to use. With so many brands already using blue in their base color palette, this is an option that works and is an extension of existing elements for many brands. (Use your blue and add the lime to it.)

Also, with this color combination, the idea of a minimal overall slide structure is nice so that the power of the colors and impact comes through. They work beside images in full color or black and white.

27. Modern Blue

#1a4e66#e26c22#ffffff

powerpoint color schemes

When you aren’t planning to use brand colors – or maybe as a startup or independent contractor so you don’t have them yet – a modern color combination can add the right flair to a PowerPoint presentation.

The bright grayish-blue in the Lekro PowerPoint template – you can find it here – adds the right amount of color without overwhelming the content. Plus, subtle orange accents help guide the eye throughout this PowerPoint color scheme. https://elements.envato.com/lekro-powerpoint-presentation-67YW3M

28. Blackish and Yellow

#3a3839#fed650#ffffff

powerpoint color schemes

While at first pass, black and yellow might seem like a harsh color combination, it can set the tone for a project that should emanate strength. This PowerPoint color scheme softens the harshness of the duo with a blackish color, that’s grayer and has a softer feel.

Pair this combo on a light background or with black and white images for a stylish, mod look.

29. Orange and White

# ff6908#ffffff

powerpoint color schemes

A bright color can soften the harshness of a stark PowerPoint design. Especially when used for larger portions of the content area, such as background swatches or to help accent particular elements.

The Sprint template makes great use of color with a simple palette – orange and white with black text – but has slide ideas that incorporate the color throughout for something with a more “designed” look to it. (And if you aren’t a fan of the orange, change the color for use with this template to keep the modern feel.)

30. Purple

#695c78#08121b#ffffff

powerpoint color schemes

Purple presentations are in. The color, which was once avoided by many in design projects, has flourished with recent color trends.

Because more funky, bright colors are popular, a presentation with a purple focus can be acceptable for a variety of uses. The use in Batagor template has a modern design with a deep header in the featured color, which works best with images that aren’t incredibly bold in terms of color.

31. Blue-Green Gradients

#0784ba#1e997c#ffffff

powerpoint color schemes

Another trending item in color is the use of gradients. This trend can be applied to PowerPOint presentations as well.

Use a blue-to-green gradient for a soft and harmonious color scheme that won’t get in the way of content. Use each hue alone for accents and informational divots throughout the presentation design.

32. Black and White

#ececec#000000#fffff

powerpoint color schemes

Minimalism is a design trend that never goes away. A black-and-white (or gray) presentation screams class and sophistication.

It can also be easy to work with when you don’t want the color to get in the way of your message. And if a design can stand alone without color, you know it works.

33. Reds and Black

# e90039#ff1800#2b2b2d

powerpoint color schemes

If you are designing a presentation for viewing on screens, such as desktops or tablets, a dark background with bright color accents and white text can work well. (This combination gets a lot trickier on projector displays.)

While reverse text and red aren’t always recommended, you can see from the Nova template that they can be a stunning combination. But note, this modern color scheme is best for specific content and audiences.

34. Blue and Pink

#264190#f68484#ffffff

powerpoint color schemes

This color scheme is a spin on Pantone’s colors of the year from 2016. https://designshack.net/articles/graphics/how-to-use-the-pantone-color-of-the-year-in-design-projects/ The brighter, bolder versions of rose quartz and serenity and fun and sophisticated.

The unexpected combo sets the tone with a strong, trustworthy blue and adds softness with the paler pink. The colors work equally well with white or darker backgrounds.

35. Blue and Green

#95a78d#b0dcff#ffffff

powerpoint color schemes

Blue and green accents can help a black or white background come to life in a presentation template. The colors here can work with either background style, based on how you plan to display your presentation.

What’s nice about these colors is that they are pretty neutral – since both are found in nature – and can be used with ease for design or text elements in a PowerPoint color scheme.

36. Beige and Gray

#eddacc#ddded9#ffffff

powerpoint color schemes

If you are looking for a softer color palette, consider beige and gray. These hues can work well on screens or projected, making them a versatile option.

The nice thing about such a neutral palette is that it gives content plenty of room, so that will be the true focus of the presentation.

37. Tints and Tones

#525368#7a7a7a#ffffff

powerpoint color schemes

While the purplish blue-gray in the Business PowerPoint Presentation template is stunning, it represents a greater trend in presentation design. Pick a color – maybe your dominant brand color – and use tints and tones for the presentation color scheme.

By mixing the color with white or black and gray, you’ll end up with a stunning set of color variations that match your messaging.

38. Bold Rainbow

#702e52# f2503b#febe28 #fffff

powerpoint color schemes

While most of the color schemes featured here only include a color or two, bright color schemes with wider color variations are trending.

This distinct “rainbow style” can be somewhat difficult to use without rules for each color. Proceed with caution.

39. Bright Neutrals

#89b374#b5c266#e4e4e4

powerpoint color schemes

Lime green is the brightest “neutral” you might ever use. A fun palette that’s versatile can be a solid foundation for a color palette.

It works exceptionally well in the Rouka PowerPoint template thanks to a pairing with a subtle gray background. Using a light, but not white, background can be great for screens and projected presentations because it takes away some of the harshness of a white background. The subtle coloring is easier on the eyes for reading and viewing.

40. Rich Browns

#90816a#272727#fffff

powerpoint color schemes

Browns aren’t often what comes to mind when thinking of building a color scheme, but rich browns can be a modern option.

Pair a neutral beige-brown with a darker color for an interesting contrast that works with almost any style of content.

41. Mint Green

#3eb9a5#e9a02f#ffffff

powerpoint color schemes

Go super trendy with a modern and streamlined palette of mint green and gray on white. While this combination can have a minimal feel, it also adds a touch of funkiness to the design.

Add another hint of color – think orange – for extra accents.

42. Dark Gray and Blue

#387490#01acb6#2b2b2d

powerpoint color schemes

It doesn’t get more classy than a combination of grays and blues. This new take on a classic color scheme adds another brighter blue as well to pick up on modern trends.

Just be careful with text using a dark background such as this one. White is probably your best option for typography (and look for a font with thicker strokes!)