Archive

Archive for July, 2016

The Qwerkywriter Giveaway

July 18th, 2016 No comments
13147345_1029552880454182_4574473162924713271_o

Love typewriters, but don’t love how impractical they are? Enter to win the amazing Qwerkywriter Giveaway!

The Qwerkywriter by Qwerkytoys, a unique typewriter inspired mechanical keyboard with the tactile clicky sounds, connects wirelessly via Bluetooth to iPhones, iPads, iMacs, MacPros, Macbooks, Android Tablets Devices, Windows Tablets, and more.

Housed entirely in an aluminum-metal alloy for that luxurious blend of the past and future, the Qwerkywriter features a concave surface and touch-type support – equally ergonomic and beautiful!

– Like Qwerkytoys on Facebook

– Follow Qwerkywriter on Twitter

– Visit Qwerkywriter

The lucky winner will be announced on July 25th! Good luck!

Read More at The Qwerkywriter Giveaway

Categories: Designing, Others Tags:

Considerations for Styling a Modal

July 18th, 2016 No comments

A modal. A small box that pops up to tell you something important. How hard can it be? Wellllll. Medium hard, I’d say. There’s quite a few considerations and a few tricky things to get just right. Let us count the ways.

Where in the DOM?

I typically plop a modal’s HTML before the closing tag.

  <div class="modal" id="modal"></div>

</body>

</html>

That’s primarily for styling reasons. It’s easier to position the modal when you’re dealing with the page-covering body rather than an unknown set of parent elements, each potentially with their own positioning context.

How does that fair for screen readers? I’m not an accessibility expert, but I’ve heard modals are pretty tricky. Rob Dodson:

For anyone who has ever tried to make a modal accessible you know that even though they seem pretty innocuous, modals are actually the boss battle at the end of web accessibility. They will chew you up and spit you out. For instance, a proper modal will need to have the following features:

  • Keyboard focus should be moved inside of the modal and restored to the previous activeElement when the modal is closed
  • Keyboard focus should be trapped inside of the modal, so the user does not accidentally tab outside of the modal (a.k.a. “escaping the modal”)
  • Screen readers should also be trapped inside of the modal to prevent accidentally escaping

Rob suggests The Incredible Accessible Modal Window demo. I’ve also seen a recent example by Noah Blon and one by Nicolas Hoffman. Also, ARIA Live Regions are relevant here.

If you’re handling focus yourself, having the modal be at the bottom of the document seems acceptable.

Centering

We have a complete guide to centering in CSS.

One of my favorite tricks is in there. The one where you can center both vertically and horizontally without explicitly knowing the width or height:

.modal {
  position: fixed;
  top: 50%;
  left: 50%;
  transform: translate(-50%, -50%);
}

This is great for modals, which are typically exactly centered and might have different versions of different widths. Heights are even more likely to change since height always related to the content inside.

If you are absolutely certain of the height and width of the modal, you could consider other centering methods. I bring that up because there is a chance of slightly-blurry text with transforms, so if you are having trouble with that, look into the other methods in the centering guide (e.g. negative margins).

Fixed?

Notice we used position: fixed;. The point of this is that a user could be scrolled down the page, trigger a modal, and have the modal be just as centered-and-visible as it would be if they weren’t scrolled.

I guess, in general, I’d consider fixed positioning fairly safe these days, even on “mobile”. But if you know you’re dealing with a pretty healthy population of very old mobiles, fixed positioning can be a problem and you might consider something like position: absolute; and forcing a scroll to the top of the page. Or something, I dunno; do testing.

Dealing with Width

On large screens, the typical modal look is not only centered but also of limited width (like the above screenshot).

.modal {

  /* other stuff we already covered */

  width: 600px;
  
}

That’s red flag territory. We got what we wanted on large screens, but we know there are plenty of screens out there that aren’t even 600px wide all the way across.

Easily fixable with max-width:

.modal {

  /* other stuff we already covered */

  width: 600px;
  max-width: 100%;
  
}

Dealing with Height

Setting a height is even more red flaggy. We know content changes! Plus, the transforms-centering technique is more than happy to cut off the top of the modal with no scrollbar to save you:

Setting a max will save us again:

.modal {

  /* other stuff we already covered */

  height: 400px;
  max-width: 100%;
  
}

Dealing with Overflow

Now that we’re in the business of setting heights, we need to consider overflow. It’s tempting to use an overflow value right on the .modal itself, but there are two problems with that:

  • We might want some elements that don’t scroll
  • Overflow will cut off a box-shadow, which we may want

I’d suggest an inner container:

<div class="modal" id="modal">

  <!-- things that don't scroll -->

  <div class="modal-guts">

    <!-- things that scroll -->

  </div>

</div>

In order for the guts to scroll, it will need a height. There is a variety of possibilities here. One is to position it to cover the entire modal, and then add the overflow:

.modal-guts {

  /* other stuff we already covered */

  /* cover the modal */
  position: absolute;
  top: 0;
  left: 0;
  width: 100%;
  height: 100%;

  /* spacing as needed */
  padding: 20px 50px 20px 20px;

  /* let it scroll */
  overflow: auto;
  
}

The Buttons

The point of a modal is to force an action before anything else can be done. If you aren’t forcing an action, consider UI other than a modal. There needs to be some kind of way out of the modal. Option buttons are common (i.e. “Delete” / “Cancel”). A close button is also common. Let’s give ours a close button.

Having a close button that is always visible seems smart, so the user can’t be in a state where it’s not visibly clear how to close the modal. That’s why we made the non-scrollable area.


Good styling is on you 😉

Dealing with the overlay

A modal is often accompanied by a full-screen-covering overlay. This is useful for a number of reasons:

  • It can darken (or otherwise mute) the rest of the screen, enforcing the “you need to deal with this before you leave” purpose of a modal.
  • It can be used to prevent clicks/interactions on stuff outside the modal.
  • It can be used as a giant close button. Or “cancel” or whatever the most innocuous action is.

Typical handling:

<div class="modal" id="modal">
  <!-- modal stuff -->
</div>
<div class="modal-overlay" id="modal-overlay">
</div>
.modal {

  /* stuff we already covered */

  z-index: 1010;

}
.modal-overlay {

  /* recommendation:
     don't focus on the number "1000" here, but rather,
     you should have a documented system for z-index and 
     follow that system. This number should be pretty
     high on the scale in that system.
  */
  z-index: 1000;

  position: fixed;
  top: 0;
  left: 0;
  width: 100%;
  height: 100%;

}

Closed with a class (rather than open with a class)

I find it highly tempting to make the default .modal class be hidden by default, likely with display: none;. Then to open it, add an open class, like .modal.open { display: block; }.

See the display: block; there though? I’d consider that a problem. display: none; is quite useful because it hides the modal both visually and from assistive technology. It’s easier to apply it on top of an existing display value than it is to override with a guess of a value. Meaning your .modal could use display: flex; or display: grid; or whatever else is useful. Different variations of modals could use whatever they want without worry they’ll be reset to display: block;.

.modal {

  /* for example... */
  display: flex;  

}
.modal.closed {
 
  display: none;

}

Toggling Openness

Here’s the most basic possible way of opening and closing with what we have so far:

var modal = document.querySelector("#modal");
var modalOverlay = document.querySelector("#modal-overlay");
var closeButton = document.querySelector("#close-button");
var openButton = document.querySelector("#open-button");

closeButton.addEventListener("click", function() {
  modal.classList.toggle("closed");
  modalOverlay.classList.toggle("closed");
});

openButton.addEventListener("click", function() {
  modal.classList.toggle("closed");
  modalOverlay.classList.toggle("closed");
});

This does not deal with accessibility yet. Remember that’s a consideration we talked about above. Here’s a demo that deals with moving focus, trapping focus, and returning focus back from whence it came.

Style Considerations Demo

See the Pen Considerations for Styling a Modal by Chris Coyier (@chriscoyier) on CodePen.

What did I miss? Feel free to fork that thing and let me know.


Considerations for Styling a Modal is a post from CSS-Tricks

Categories: Designing, Others Tags:

What’s new for designers, July 2016

July 18th, 2016 No comments
beetle

In this month’s edition of what’s new for designers and developers, we’ve included productivity apps, email marketing apps, notetaking tools, CSS frameworks, UI kits, remote work resources, startup resources, color tools, and much more. And as always, we’ve also included some awesome new free fonts!

Almost everything on the list this month is free, with a few high-value paid apps and tools also included. They’re sure to be useful to designers and developers, from beginners to experts.

If we’ve missed something that you think should have been on the list, let us know in the comments. And if you know of a new app or resource that should be featured next month, tweet it to [@cameron_chapman](http://twitter.com/cameron_chapman) to be considered!

Beetle

Beetle gives you access to marketing emails from top brands, all in one place.

Mybridge

Mybridge is a reading app for professionals that lets you read more and also achieve more with your work.

mybridge

Better Notes

Better Notes is a simple note-taking app for your phone. You can use hashtags to organize your notes, attach photos, and more.

better notes

Slaask

Slaask is a customer service app for Slack that lets you bring all of your client and team communication together in one place.

slaask

CSS-Mint

CSS-Mint is a lightweight, easy to use UI kit that’s built to cut down on front end development time.

css-mint

Blendo

Blendo is a simple platform for making your data available everywhere, and for getting and remixing data from any source.

blendo

iOSStash

iOSStash is a visual directory of the best app development resources. It breaks down resources by category (concept, development, and marketing)and sub-category (for things like inspiration, design, and more).

iosstash

Scout

Scout is a personal recruiting assistant that makes it easy to find the best candidates for your job openings.

scout

Emotify

Emotify makes it simple to add emotional intelligence features to your website, for smarter reactions and re-engagements.

emotify

Unicorn

Unicorn is an organic fundraising discovery app that helps connect angels and founders.

unicorn

Codebeat

Codebeat lets you instantly get feedback on your Swift and Obj-C code. Just connect your GitHub repository, get feedback, and more.

codebeat

ColorDrop.io

ColorDrop.io is a great source for finding the best color palettes. Click on any palette to see the HEX and RGB values for each color.

colordrop

London Startup Guide

The London Startup Guide covers everything you need to know for launching your tech startup in London, from the most successful startups to the rules to follow when doing business in the UK.

london startup guide

TeamInk

TeamInk lets you create, search, and assign documents right from inside Slack. It’s a great tool for team collaboration on documents.

teamink

ZBS CRM

ZBS CRM is a customer relationship manager that uses WordPress. It’s completely free, with no recurring subscription costs.

zbs crm

Eddie

Eddie is an intelligent text editor for iPhone, iPad, and Apple Watch.

eddie

Buno

Buno is a clean, minimalist note-taking app that’s easy and intuitive to use.

buno

Startup BNB

Looking for a co-living or co-working space? Startup BNB lets you search for either around the world.

startupbnb

Dr. Mogul

Dr. Mogul helps you keep yourself accountable while starting up your business. Each week they send personalized emails checking on your progress.

dr mogul

Cashew

Cashew is a simple GitHub issues client for Mac OS.

cashew

The Lean Validation Playbook

The Lean Validation Playbook tells you how to validate your winning product ideas to make sure they’re really winning ideas.

lean validation playbook

Octohunt

Octohunt makes it easy to find developers on GitHub. Just enter a keyword and city to search.

octohunt

Open Source @ IFTTT

Open Source @ IFTTT includes a bunch of open source resources from IFTTT, including app development tools, UI Kit resources, and more.

open source ifttt

Demonstrate

Demonstrate lets you prototype your app ideas without writing any code. Just import or screenshot your wireframes and go from there.

demonstrate

Landing 1.0 Free UI Kit

Landing 1.0 Free UI Kit includes tons of handcrafted UI components for Sketch and Photoshop. It was created to make your design process faster.

landing 1.0

Zilly

Zilly is an interactive WordPress resource that you can talk to right inside Facebook Messenger.

zilly

Macgyver

Macgyver is an API marketplace built by developers for developers. It helps you reduce dev costs, deploy state-of-the-art features in your apps, and more.

Macgyver

Trevor

Trevor is an AI for scheduling your day. It syncs with your calendars for your schedule, and your tasks from your todo lists to put it all in one place.

trevor

Stacksight

Stacksight is a dashboard that gives you operational insights for your open source apps. It includes real-time logging of information and warnings, real-time tracking of events, and more.

stacksight

sMedium

sMedium is a desktop editor for writing Medium stories. It has all the features of the Medium website editor, with some small tweaks.

sMedium

Forestry.io

Forestry.io is a simple CMS for Jekyll and Hugo websites. Just import your project and it automatically builds your CMS based on your project.

forestry

Save My Palette!

Save My Palette! lets you save, share, and export your color palettes with an easy to use editing interface and more.

save my palette

Markdown to Web

Markdown to Web makes it simple to convert your markdown to an online web page quickly and for free.

markdown to web

Instamake

Instamake is a huge resource for building an online business with no coding required. There are tools for online shops, landing pages, bots, newsletters, online courses, and more.

instamake

Rambox

Rambox is an open source emailing and messaging app that combines common web apps. It’s available for Windows, Mac, and Linux.

rambox

Akrobat

Akrobat is a condensed geometric sans serif typeface. It comes in eight weights.

akrobat

Wildera

Wildera is a handwritten typeface created from a calligraphy project. It includes stylized uppercase, lowercase, and ligatures.

wildera

Metro Inline

Metro Inline is a creative, industrial typeface that’s perfect for futuristic and retro designs alike.

metro inline

Fredoka

Fredoka is a rounded bold typeface that’s perfect for things like website headers to logos.

fredoka

Southbank

Southbank is a free vintage sans serif typeface that comes in all caps.

southbank

Umbra

Umbra is a free slab-serif font with striking forms at display sizes and consistent readability at small sizes.

umbra

Iced Tea

Iced Tea is a free brush font with a feminine flair.

iced tea

Proza Libre

Proza Libre is the libre version of the Proza type family that comes in twelve styles (6 weights plus italics).

proza libre

Beyno

Beyno is a fun uppercase display typeface that’s great for posters, headlines, and more.

beyno

Buffalo

Buffalo is a loopy and quirky monoline script font that’s free for personal and commercial use.

buffalo

Exclusive Mighty Deals Summer Font Bundle: 30 Fonts with Extended Licenses – only $29!

Source

Categories: Designing, Others Tags:

Conversational Interfaces: Where Are We Today? Where Are We Heading?

July 18th, 2016 No comments

Computers and human beings don’t speak the same language. So, to make interaction possible, we rely on graphical user interfaces (GUIs). But GUIs come with a natural barrier: People have to learn to use them. They have to learn that a hamburger button hides a menu, that a button triggers an action.

Conversational Interfaces: Where Are We Today? Where Are We Heading?

But with technology evolving and language recognition and processing improving, we are on a path that could make interaction with digital services more intuitive, more accessible and more efficient — through conversational interfaces.

The post Conversational Interfaces: Where Are We Today? Where Are We Heading? appeared first on Smashing Magazine.

Categories: Others Tags:

From Design to Code With These Ten Services

July 18th, 2016 No comments
psd-to-manythings

After lots of brainstorming, and hard work, you managed to create a great website Photoshop design. Now, all you need to do is convert the design to HTML, or even directly into a WordPress theme. However, for a lot of designers, this is a challenge they can’t beat, as only very few designers have the required HTML, CSS, and PHP knowledge. Fortunately, there are a lot of companies that can take care of the conversion for you. Thus, this article will introduce you to ten businesses that focus on this task.

Converting Design Files Into HTML or CMS Themes

The finishing works after the design process are a matter of trust. For this job, you want to find a business that you can work with permanently, if possible. But maybe, the budget only lets you choose a low-cost provider, which is why we chose ten businesses with different price ranges. Some convert your PSD file into HTML and CSS; other can also do other tasks for you, e.g. code a WordPress theme. We’ve also kept Joomla and Drupal in mind. This way, you should be able to find a good partner.

There’s a good reason for why we don’t mention the prices, as the prices vary massively between the first page and additional ones. Of course, the choice whether you want a responsive design or not also influences the price. Thus, instead of barely comparable prices, we linked the respective cost calculator of each company. This allows you to determine the costs of your particular project very quickly.

1. PSD To Manythings

PSD to Manythings can not only convert your design to simple HTML and CSS code but also offers many other conversions. Among other things, designs can be realized directly in WordPress or Joomla, and email newsletters are possible, as well as all kinds of responsive executions. The service is acknowledged by WooThemes as a specialized WooCommerce business.

A cost calculator is also available, letting you know in advance, how much your project will cost.

2. HTMLPanda

HTMLPanda

HTMLPanda is a full-service web development company with international customers. The business can be contacted every day at any moment. HTMLPanda does not only offer the traditional services, but also the development of all kinds of mobile apps. Thus, this company can help you make every important step, from the first line of website code all the way to the mobile app.

A cost calculator for the most essential services is provided.

3. htmlMafia

htmlMafia

The htmlMafia offers exactly three services. The conversion of your design into XHTML, as a WordPress theme, and the realization of an email newsletter in HTML code. The company advertises a risk-free service and money-back guarantee.

Visit htmlMafia’s cost calculator here.

4. ExciteMarkup

exciteMarkup

The Indian company ExciteMarkup provides an extensive service when it comes to the realization of designs. The great thing is that content management systems other than WordPress are offered. Joomla and Drupal are further CMS that can be supplied with themes. For the first 30 days, there is free technical support.

The ExciteMarkup cost calculator

5. netlings

Netlings

Aside from the standard PSD to XHTML, Netlings also offer the conversion to a Shopify theme, a WordPress theme, and to Ruby on Rails. Email newsletters are created as well as web apps. The 100% money-back guarantee for unsatisfying work, as well as the “unlimited guarantee” that removes possible bugs fast and for free, should be mentioned. Instead of a cost calculator, the website provides basic prices, which should be changed for the sake of user friendliness.

grundpreise

6. CSSChopper

CSSChopper

CssChopper offers very extensive services. You can get your designs converted into WordPress, Joomla, Drupal, MODX, Social Engine, CMS Made Simple, and Concrete 5. On top of that, themes are offered for eight different online shop systems, as well as three different types of forum software. Of course, the company is also capable of the essential function of converting PSD files into HTML. This could be the partner for you if you’re looking for someone for website development, conversion of design data, and online marketing.

CSSChopper’s cost calculator

7. Reliable PSD

Reliable-PSD

Reliable PSD promises to do a great job as, according to the company, they are the first code conversion service made by designers for designers. Thus, there’s a step in the process that the other businesses don’t offer: the company’s designers will discuss with the developers until the result is harmonious. The services PSD to HTML and PSD to WordPress are available. A cost calculator is not provided, but you can find a couple of core prices.

reliable-preise

8. Pixel2HTML

Pixel2HTML

The firm Pixel2HTML values long-term relationships with their customers, as well as professional support. According to their quality guidelines, a lot of attention is paid to a pixel-perfect delivery of the final result, so that the product looks exactly like the provided PSD file. Apart from PSD to HTML, conversions for Tumblr, WordPress, and Shopify are possible. You can also order email templates.

The Pixel2HTML cost calculator

9. Direct Basing

Direct Basing

Direct Basing offers fast and discrete processing of your order. Your PSD file can be realized in HTML, WordPress, Joomla, and Magento. Email newsletters can also be achieved via Direct Basing. The company has quite a lot of clients, with their portfolio section alone showing 555 completed projects.

The Direct Basing cost calculator

10. PSDgator

PSDgator

PSDgator promises to create an appealing design out of many file formats (PSD, AI, and PNG). Aside from the core business, the company is also specialized in the creation of online shops according to your design. Magento and WooCommerce stores are realized in a user-friendly way, following your design file. The stores are said to be easy to manage, equipped with automatic invoicing, as well as an extended product search, while providing safe online payment methods. An extensive service, dealing with the installation of a website, for example, is also offered. Unfortunately, there is no cost calculator.

PSDgator-preise

Conclusion

In this post, ten different businesses offer their services related to the conversion of a design to an HTML website. Most of them are also able to convert it into a WordPress theme. However, some go a step further, and also offer the conversion for other content management and shop systems like WooCommerce, Shopify, and Magento. The conversion of a PSD file into a working email newsletter is almost standard. There are plenty of services for you to choose from. We hope you’ll get an appealing result that is exactly the way you wanted it to be.

Related Links

(dpe)

Categories: Others Tags:

Popular design news of the week: July 11, 2016 – July 17, 2016

July 17th, 2016 No comments

Every week users submit a lot of interesting stuff on our sister site Webdesigner News, highlighting great content from around the web that can be of interest to web designers.

The best way to keep track of all the great stories and news being posted is simply to check out the Webdesigner News site, however, in case you missed some here’s a quick and useful compilation of the most popular designer news that we curated from the past week.

Note that this is only a very small selection of the links that were posted, so don’t miss out and subscribe to our newsletter and follow the site daily for all the news.

UiGradients: Beautiful Coloured Gradients

Random HTML Tags – The Easiest Way to Learn HTML

Websites We Love Right Now

6 Essential Elements of Great Homepages

Palettable: Generate Beautiful Color Palettes with no Prior Design Experience

Lego’s New Headquarters is Inspired by You Know What

A Redesign — And Why I’ll Probably Have to do it all Over Again Soon

Design War – Spotify V Apple Music

Knocki: Make any Surface Smart

Site Design: TheAIVC.com

Type Nugget: Online Typesetting and CSS Generation Tool

Circular Responsive Layout W/ Expanding Animated Sections

Auto-Hiding Navigation

404sites

To Unshackle the Creative Process from the Keyboard, a Designer Invented Off-screen Tools for all to Use

Site Design: Attackthefront.io

A Beginner’s Guide to Mobile Responsive Design

How Visual Cues Improve Web Page Performance

The Angry Programmer

‘Pokémon GO’ is About to Surpass Twitter in Daily Active Users

Site Design: Ffmark.com

Moment 3.0: Track Which Apps You Use the Most

AI is on a Collision Course with Europe

The Ins and Outs of the New Trump-Pence Logo

Facebook’s End-to-end Encrypted Conversations

Want more? No problem! Keep track of top design news from around the web with Webdesigner News.

LAST DAY: UX Flowchart Cards to Easily Plan Your Website Structure – only $24!

Source

Categories: Designing, Others Tags:

Dew-Fresh: 10 Free WordPress Plugins of July 2016

July 17th, 2016 No comments
script

Like every month, I once again compiled a list of this month’s ten most interesting, fresh, and free WordPress plugins from the official WordPress index. Now, your blog can shine with brand-new functions. Your visitors will be surprised by your new features over and over again.

Focus of July: Free WordPress Plugins for Niche Applications

1 – WP Script Optimizer

WP Script Optimizer is a free counterpart to the great, but paid plugin Gonzales. The plugin allows you to only let your scripts and styles load where they’re actually required. It is even possible to block unnecessary files entirely.

  • Developer: Hendrik Lersch
  • Work in progress: yes
  • Latest version from: 07.06.2016
  • Costs: free via WordPress.org
  • License: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

2 – Admin Category Tree

Admin-Category-Tree

A useful little plugin that turns the admin area’s category list into a fold-out list. This makes for more clarity. Custom post types are supported as well.

  • Developer: nos3b3ar
  • Work in progress: yes
  • Latest version from: 07.01.2016
  • Costs: free via WordPress.org
  • License: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

3 – Post Terminal

Post Terminal is the plugin for you if you don’t only want to post code, but also terminal commands and input. You could call it the code highlight plugin for terminal code (Unix, Linux).

Terminal Code

  • Developer: bgriffith
  • Work in progress: yes
  • Latest version from: 07.06.2016
  • Costs: free via WordPress.org
  • License: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

4 – Simple Social Sharing Buttons

simple-social-sharing-buttons

“Another sharing buttons plugin”, is what you’ll want to say. I included it in here, firstly because there is no pro version that you’d have to buy to receive the full scope of features. Secondly, the customization options are extensive, and the final result has a pleasing design as well. Therefore, it definitely deserves a spot on this list.

Simple social sharing buttonsSimple social sharing buttonsSimple social sharing buttons

  • Developer: henri
  • Work in progress: yes
  • Latest version from: 07.05.2016
  • Costs: free via WordPress.org
  • License: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

5 – Author Showcase

Author Showcase lets you display your ebooks, or other books written by you, in a very appealing way. There are many different formats to choose from, and a link to the transaction is always included. The plugin was developed by authors for authors. Title, subtitle, cover, the author’s name, and much more can be added.

  • Developer: Claire Ryan
  • Work in progress: yes
  • Latest version from: 07.03.2016
  • Costs: free via WordPress.org
  • Lizenz: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

6 – VRView

VRView lets you integrate the 360 panorama images from Google’s VRView into your website. Easily embed 360-degree videos and photos via shortcode.

  • Developer: sellfish
  • Work in progress: yes
  • Latest version from: 07.04.2016
  • Costs: free via WordPress.org
  • License: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

7 – Shortcode in Title

Have you ever wanted to be able to execute WordPress shortcodes in your article’s titles? This plugin makes it possible. With a bit of creativity, you can come up with many application scenarios. Execute shortcodes within the titles of articles, pages, and custom post types.

  • Developer: Amit Moreno
  • Work in progress: yes
  • Latest version from: 07.02.2016
  • Costs: free via WordPress.org
  • Lizenz: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

8 – WA Qrcode

wa-qrcode

The Wa Qrcode Generator helps you generate and implement useful QR code into your pages and articles. Using shortcode, you get to place the generated QR code wherever you want to. The theme files don’t need to be altered. This plugin is especially useful for online shops.

  • Developer: vkt005
  • Work in progress: yes
  • Latest version from: 07.02.2016
  • Costs: free via WordPress.org
  • License: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

9 – WP Show On Mobile

Show on Mobile does exactly what its name says: it displays content, and limits it to a website’s mobile view. This way, custom notifications or similar things are only displayed on smartphones and tablets. Additionally, the plugin is also able to block content for mobile versions.

  • Developer: Dogan Ucar
  • Work in progress: yes
  • Latest version from: 07.02.2016
  • Costs: free via WordPress.org
  • Lizenz: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

10 – WP GooGoose

The plugin adds a button to the WordPress text editor, which allows you to provide a specific content as a Word document for users to download. No matter what you want to provide to your visitors, they will easily be able to download it as a Word document with the help of this plugin.

  • Developer: aadel112
  • Work in progress: yes
  • Latest version from: 07.02.2016
  • Costs: free via WordPress.org
  • License: GNU GENERAL PUBLIC LICENSE
  • Known compatibility issues: unknown
  • Developer homepage: unknown
  • Download on WordPress.org

Conclusion

This month was the month of niche plugins. However, it is often easy to find a way to apply plugins that only cover specific niches. This month, I was fascinated by the “Author Showcase” plugin. I will immediately test it in a more detailed way, and see if I can make use of it or not. Which of this month’s plugins did you like the most?

(dpe)

Categories: Others Tags:

Comics of the week #348

July 16th, 2016 No comments

Every week we feature a set of comics created exclusively for WDD.

The content revolves around web design, blogging and funny situations that we encounter in our daily lives as designers.

These great cartoons are created by Jerry King, an award-winning cartoonist who’s one of the most published, prolific and versatile cartoonists in the world today.

So for a few moments, take a break from your daily routine, have a laugh and enjoy these funny cartoons.

Feel free to leave your comments and suggestions below as well as any related stories of your own…

Me time

Designer shock

No hidden camera show

Can you relate to these situations? Please share your funny stories and comments below…

Gridtastic Grid Kit of 30 Grid Systems, 180 Templates – only $7.50!

Source

Categories: Designing, Others Tags:

Ten Design Trends That Boost Your Conversion Rate [Infographic]

July 16th, 2016 No comments
designtrends-2016

Trends come and go, especially when it comes to web design. That’s why web designers and developers should not blindly follow every trend. However, the ten following design trends give you a solid chance of improving your website’s conversion rate. Especially when running an online shop, you should consider one or two of these trends.

Full-Width Images

designtrends-2016_1

Images are always a good choice to get the attention of your website visitors. Large format pictures that take up the entire browser or display width have an exceptionally large effect.

If the images happen to display faces, the attention is raised even more. Alternatively, page-filling videos are also a promising factor of web design success.

Split-Screen Layouts

designtrends-2016_2

A successful website takes its visitors to what they are looking for as fast as possible. Split-screen layouts help to suggest different goods, services, or information, allowing your guests to choose what they desire.

This makes it easier for your visitors and potential customers to decide between different pages, leading them to their goal a lot faster.

Monochromatic Colors

designtrends-2016_3

Colorful is always flashy, but can also cause your visitors to lose the orientation on your website very quickly. Thus, restrict your layout to monochromatic colors, which means using different shades of one color. Make your call-to-action button stand out by using a flashy contrast to the monochromatic page.

This way, you highlight the most prominent button or link, giving your visitors a distinct orientation help. Reducing your colors, and choosing a harmonious high-contrast design gives your website a classy look.

Prioritized Navigation

designtrends-2016_4

Extensive websites usually come with an extensive navigation. Here, it makes sense to prioritize certain navigation items, like a call-to-action, while making the remaining items less striking.

You could also collect all the less relevant links in a hamburger menu, or move them to the end of the page. This makes your visitors focus on the “important” things while navigating.

When displaying your call-to-action as a button, this also increases the chances of it actually being chosen.

Minimal Lead Capture

designtrends-2016_5

Focus on the essentials and avoid using too many words. Especially landing pages are the wrong place for extensive anthems about your product or business.

Ask a simple question which they will ideally answer with “yes”, and make sure to briefly present a few of your product’s or service’s advantages.

Video Content

designtrends-2016_6

Especially when trying to sell something on your website, one thing is of essential importance: trust. The easiest way to build trust is by using a video.

Directly address your potential customers in a video, and give your brand a personal touch and, above all, a face.

Sticky Call-to-Action

designtrends-2016_7

Making your users act is an important goal of your website. Thus, place call-to-actions in a way that they are always visible.

In mobile web design, it makes sense to install them like a sticker so that they are always visible in the upper or lower page border, even when scrolling. This increases the chances of your call-to-actions being noticed and used.

Card Design

designtrends-2016_8

Present your different products like nice cards in the Pinterest style. This brings order into your page while still providing an appealing way of displaying plenty of different content.

Single-Column Call-to-Action

designtrends-2016_9

Place your call-to-action to make it stand alone, if possible. Even with a multi-column website, it should always create as much attention as possible.

Breaking a multi-column layout to place a call-to-action is a good idea. It turns your button or link into a real eyecatcher.

Personalized User Experiences

designtrends-2016_10

The better you know your target audience, the more detailed you can address them. You should do that. Use information like the location (the more accurate, the better) and previously purchased or viewed products.

This creates a custom page for each user, motivating them to act.

The Complete Infographic

The complete infographic, created by the team of “The Deep End”, collects all ten design trends, which can be combined perfectly, in a clear way.

(dpe)

Categories: Others Tags:

Free download: 20 food images from PicJumbo

July 16th, 2016 No comments

Looking for a great way to illustrate your food blog? Or maybe you need to spice up a lifestyle app? Or perhaps you’re designing a site for a coffee shop? Whatever your reason, you’ll be delighted to download these free food images supplied by PicJumbo.

In the set you’ll find macro shots of vegetables, fresh dishes that look (literally) good enough to eat, and some clever staging shots that add an extra dimension to the foodstuffs on display.

The 20 high-resolution files are a retina-satisfying 4000 x 2667 pixels and saved at 240ppi. All suppled in .JPG format, the shots are ideal for those that love healthy food, and healthy lifestyles. Released under the creative commons license, you can use the images for personal and commercial projects, without attribution.

Download the files beneath the preview:

Please enter your email address below and click the download button. The download link will be sent to you by email, or if you have already subscribed, the download will begin immediately.

Convert Static Images to 2.5D Parallax Videos for Instagram – only $7!

Source

Categories: Designing, Others Tags: