<?xml version="1.0" encoding="UTF-8"?><rss version="2.0"
	xmlns:content="http://purl.org/rss/1.0/modules/content/"
	xmlns:wfw="http://wellformedweb.org/CommentAPI/"
	xmlns:dc="http://purl.org/dc/elements/1.1/"
	xmlns:atom="http://www.w3.org/2005/Atom"
	xmlns:sy="http://purl.org/rss/1.0/modules/syndication/"
	xmlns:slash="http://purl.org/rss/1.0/modules/slash/"
	>

<channel>
	<title>SevenSpark</title>
	<atom:link href="http://sevenspark.com/feed" rel="self" type="application/rss+xml" />
	<link>https://sevenspark.com/</link>
	<description>WordPress plugins &#38; site development</description>
	<lastBuildDate>Mon, 28 Oct 2024 13:07:01 +0000</lastBuildDate>
	<language>en-US</language>
	<sy:updatePeriod>
	hourly	</sy:updatePeriod>
	<sy:updateFrequency>
	1	</sy:updateFrequency>
	<generator>https://wordpress.org/?v=6.8.3</generator>

<image>
	<url>https://sevenspark.com/wp-content/uploads/cropped-sslogo.emblem-32x32.png</url>
	<title>SevenSpark</title>
	<link>https://sevenspark.com/</link>
	<width>32</width>
	<height>32</height>
</image> 
	<item>
		<title>How to add swipe gesture controls to the ShiftNav Responsive Mobile Menu for WordPress</title>
		<link>https://sevenspark.com/tutorials/swipe-gesture-controls-shiftnav-responsive-mobile-menu-wordpress</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Mon, 03 Sep 2018 13:10:55 +0000</pubDate>
				<category><![CDATA[Code]]></category>
		<category><![CDATA[WordPress Tutorials]]></category>
		<category><![CDATA[gesture]]></category>
		<category><![CDATA[menu]]></category>
		<category><![CDATA[mobile menu]]></category>
		<category><![CDATA[ShiftNav]]></category>
		<category><![CDATA[swipe]]></category>
		<category><![CDATA[touch]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=102066</guid>

					<description><![CDATA[<p>Let's look at setting up swipe-open and swipe-close gesture controls for ShiftNav - Responsive Mobile Menu for WordPress, using Hammer.js</p>
<p>The post <a href="https://sevenspark.com/tutorials/swipe-gesture-controls-shiftnav-responsive-mobile-menu-wordpress">How to add swipe gesture controls to the ShiftNav Responsive Mobile Menu for WordPress</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p>One feature that off-canvas menus sometimes have that ShiftNav does not support out of the box are swipe-to-open and swipe-to-close gestures.</p>
<p>
<img decoding="async" src="https://i.imgur.com/xpYRpvR.gif" style="width:300px" class="aligncenter"/><br />
</p>
<p>The reason for this is that these touch gestures can very easily cause conflicts with themes, so there isn&#8217;t a way to do this 100% reliably for every theme.  Moreover, if your site already includes a touch library, it is much more efficient to use that library in conjunction with the ShiftNav <a href="https://sevenspark.com/docs/shiftnav/javascript-api" title="Permalink to Javascript API" rel="bookmark">Javascript API</a> than to include a separate touch library just for this small piece of functionality.</p>
<p>However, for those who would like to implement swipe gestures to open and close their menu, we provide this tutorial for installing Hammer.js, a really nice touch library, and hooking it up to ShiftNav.</p>
<h3>Step 1.  Install Hammer.js</h3>
<p>First, you need to include the <a href="https://hammerjs.github.io/">Hammer.js touch library</a> on your site.</p>
<p class="alert alert-info">Note: you might wonder why include an entire touch library rather than just use native touch events directly?  The reason is that touch events are still non-standard across browsers, and Hammer.js helps to unify these into a single, simple-to-use library.  You can certainly just use native touch events if that&#8217;s what you prefer, but we won&#8217;t cover that here.</p>
<p>To keep things simple, we&#8217;ll load Hammer.js from github, but you could also install the script on your site and load it there if you prefer.</p>
<p>This code would go in the child theme&#8217;s <code>functions.php</code>, or a custom plugin:</p>
<pre class="brush: php; title: ; notranslate">
function shiftnav_touch_gestures_load_assets(){

  //Enqueue Hammer.js
  wp_enqueue_script( 'hammer-js' ,'https://hammerjs.github.io/dist/hammer.js' , array( 'shiftnav' ), false, true );

}
add_action( 'wp_enqueue_scripts' , 'shiftnav_touch_gestures_load_assets' , 20 );
</pre>
<h3>Step 2. Set up the shiftnav-touch-gestures.js file</h3>
<h4>2.1 Create the custom Javascript file</h4>
<p>In your child theme, create a file called <code>shiftnav-touch-gestures.js</code></p>
<h4>2.2 Load the custom Javascript file</h4>
<p>Then, in the child theme&#8217;s <code>functions.php</code>, modify the <code>shiftnav_touch_gestures_load_assets()</code> function to also include our new custom file.  The complete function looks like this:</p>
<pre class="brush: php; title: ; notranslate">
function shiftnav_touch_gestures_load_assets(){

  //Enqueue Hammer.js
  wp_enqueue_script( 'hammer-js' ,'https://hammerjs.github.io/dist/hammer.js' , array( 'shiftnav' ), false, true );

  //Get the active theme directory
  $dir = trailingslashit( get_stylesheet_directory_uri() );

  //Enqueue the custom script, which is located in the active theme directory
  wp_enqueue_script( 'shiftnav-touch-gestures-js' , $dir.'shiftnav-touch-gestures.js' , array( 'shiftnav' , 'hammer-js' ) , false , true );

}
add_action( 'wp_enqueue_scripts' , 'shiftnav_touch_gestures_load_assets' , 20 );
</pre>
<p class="alert alert-info">Note: if you&#8217;re placing the file in a subdirectory of your child theme, or in a custom plugin, adjust the <code>$dir</code> variable assignment as necessary</p>
<h4>2.3 Confirm file is properly loaded</h4>
<p>To confirm that your new Javascript file is loading on your site, add the following content inside your <code>shiftnav-touch-gestures.js</code>:</p>
<pre class="brush: jscript; title: ; notranslate">
console.log( 'Loaded shiftnav-touch-gestures.js' );
</pre>
<p>Then load your site and open the <a href="https://developers.google.com/web/tools/chrome-devtools/">Developer Tools</a> console and check that the message <code>Loaded shiftnav-touch-gestures.js</code> is printed.</p>
<p><img decoding="async" src="//i.imgur.com/Js7JBDy.png" /></p>
<p class="alert alert-info">If you don&#8217;t see the message in your console, view your source and see if your new Javascript file is being properly loaded.  Check the URL and that it is actually pointing to the file you created.</p>
<h3>Step 3. Add the touch gesture listeners</h3>
<p class="alert alert-info">Please note, for simplicity we&#8217;re going to assume a single ShiftNav instance, aligned to the left of our site.  To handle multiple instances or right-aligned menus, you can use this as an example to adapt from.</p>
<p>Now it&#8217;s time to write the actual Javascript that will add the swipe gesture detection to our site.</p>
<p>We&#8217;ll need to capture two swipe events:</p>
<p>1. A right swipe on the body will open the menu.</p>
<p>2. A left swipe on the menu panel will close the menu.</p>
<p>So let&#8217;s set up some scaffolding using Hammer.js in our <code>shiftnav-touch-gestures.js</code> file:</p>
<pre class="brush: jscript; title: ; notranslate">
(function($){

   // Swipe Open Hammer Instance
   // -- right swipe anywhere on the site body
   var swipeOpenTarget = document.querySelector( 'body' );
   var openHammer = new Hammer( swipeOpenTarget );
   openHammer.on( 'swiperight' , function( e ){
       console.log( 'open ShiftNav on swipe right' );
   });

   // Swipe Close Hammer Instance
   // -- left swipe on the ShiftNav Panel
   var swipeCloseTarget = document.querySelector( '.shiftnav .shiftnav-inner' );
   var closeHammer = new Hammer( swipeCloseTarget );
   closeHammer.on('swipeleft', function( e ) {
       console.log( 'close ShiftNav on swipe left' );
   });

})(jQuery);
</pre>
<p>In the above code, we set up two swipe listeners, and when the swipe gesture is detected, a message is printed to the console.</p>
<p>At this point, you can test the code so far by opening the site in Chrome, going to the DevTools and enabling the mobile emulation (to use touch events with your mouse), and then swipe right on the body and left on the ShiftNav Panel and checking the console output.</p>
<p><img decoding="async" src="//i.imgur.com/kISvVkb.png" /></p>
<h3>Step 4. Connect the touch gesture listeners to the ShiftNav API</h3>
<p>Now, let&#8217;s replace our console.logs with the <a href="https://sevenspark.com/docs/shiftnav/javascript-api" title="Permalink to Javascript API" rel="bookmark">ShiftNav Javascript API</a> function calls to our code to hook up the ShiftNav open and closing commands to the swipe events.</p>
<p>To open the menu, we&#8217;ll use</p>
<pre class="brush: jscript; title: ; notranslate">
$( '.shiftnav-shiftnav-main' ).shiftnav( 'openShiftNav' );
</pre>
<p>To close the menu, we&#8217;ll use</p>
<pre class="brush: jscript; title: ; notranslate">
$( '.shiftnav-shiftnav-main' ).shiftnav( 'closeShiftNav' );
</pre>
<p>The final <code>shiftnav-touch-gestures.js</code> file looks like this:</p>
<pre class="brush: jscript; title: ; notranslate">
(function($){

  // Swipe Open Hammer Instance
  // -- right swipe anywhere on the site body
  var swipeOpenTarget = document.querySelector( 'body' );
  var openHammer = new Hammer( swipeOpenTarget );
  openHammer.on( 'swiperight' , function( e ){
      $( '.shiftnav-shiftnav-main' ).shiftnav( 'openShiftNav' );
  });

  // Swipe Close Hammer Instance
  // -- left swipe on the ShiftNav Panel
  var swipeCloseTarget = document.querySelector( '.shiftnav-shiftnav-main .shiftnav-inner' );
  var closeHammer = new Hammer( swipeCloseTarget );
  closeHammer.on('swipeleft', function( e ) {
      $( '.shiftnav-shiftnav-main' ).shiftnav( 'closeShiftNav' );
  });

})(jQuery);

</pre>
<p>And that&#8217;s it! Here&#8217;s our result:</p>
<p><img decoding="async" src="https://i.imgur.com/xpYRpvR.gif" style="width:300px" class="aligncenter" /></p>
<h3>Caveats</h3>
<p>Please note that there are <em>many</em> themes that interfere with touch events such as these, especially the event on the body.  If you try this out and it doesn&#8217;t work with your theme, that&#8217;s likely the issue.  This isn&#8217;t a 100% foolproof way to implement this, unfortunately, but you may be able to attach the swiperight event elsewhere on your site, or you may need to modify the theme&#8217;s Javascript if you need to make this work.</p>
<p>Also note that Javascript touch is still finicky on many devices.  We recommend treating swipe gestures as a nice-to-have, but you should not rely on them (make sure there is another way to open and close the menu).  </p>
<p>Do please note that this is a customization, and not a supported feature of ShiftNav.  While we offer this tutorial in the hope it&#8217;ll help you out, please understand this functionality is outside the scope of support.</p>
<p>Some mobile browsers use swiping from the edges of the viewport for other gesture control, and those will supersede the Javascript-based controls above.</p>
<p>The post <a href="https://sevenspark.com/tutorials/swipe-gesture-controls-shiftnav-responsive-mobile-menu-wordpress">How to add swipe gesture controls to the ShiftNav Responsive Mobile Menu for WordPress</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>UberMenu 3.4 Release Notes</title>
		<link>https://sevenspark.com/announcements/ubermenu-3-4-release-notes</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Tue, 06 Mar 2018 01:21:05 +0000</pubDate>
				<category><![CDATA[Announcements]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=90663</guid>

					<description><![CDATA[<p>UberMenu 3.4 brings a variety of new features and enhancements to your mega menus. This article will run down the biggest changes and how they&#8217;ll affect you moving forward. Font Awesome 5 Update The biggest change in UberMenu 3.4 is the update from Font Awesome 4 to Font Awesome 5. Font Awesome 5 introduces new [&#8230;]</p>
<p>The post <a href="https://sevenspark.com/announcements/ubermenu-3-4-release-notes">UberMenu 3.4 Release Notes</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p><a href="http://wpmegamenu.com">UberMenu 3.4</a> brings a variety of new features and enhancements to your mega menus.  This article will run down the biggest changes and how they&#8217;ll affect you moving forward.</p>
<h2>Font Awesome 5 Update</h2>
<p>The biggest change in UberMenu 3.4 is the update from Font Awesome 4 to Font Awesome 5.  <a href="https://fontawesome.com/">Font Awesome 5</a> introduces new icons, offers SVG icons in addition to font icons, and breaks backwards compatibility with Font Awesome 4 icon classes.  We&#8217;ve worked hard to make sure the transition to the new icon set is as smooth and painless as possible.</p>
<h3>Font Icons vs. SVG Icons</h3>
<p>Font Awesome has traditionally been drive by font icons &#8211; that is, a special font face which contains icon glyphs, which can be applied via <code>i</code> tags and special Font Awesome classes.</p>
<p>Font Awesome 5 now offers SVG (scalable vector graphics) icons.  </p>
<p>UberMenu 3.4 supports both options.  It will load Font Awesome as Font Icons by default for maximum compatibility.  <a href="https://sevenspark.com/docs/ubermenu-3/font-awesome">Learn more about the options</a>.</p>
<h3>Converting Icons to Font Awesome 5</h3>
<p>In Font Awesome 5, some of the icon classes have changed since Font Awesome 4.  That means that if you&#8217;ve previously set icons, those classes may no longer be compatible with Font Awesome 5.</p>
<p>Not to worry!  UberMenu automatically converts your Font Awesome 4 classes to Font Awesome 5 when necessary.  That means the update should be totally transparent, and your previous icon settings should just work.</p>
<p>UberMenu also has a migration system that will find any Font Awesome 4 classes and convert them permanently to Font Awesome 5.</p>
<p>For more information on converting to Font Awesome 5, please see this Knowledgebase article: <a href="https://sevenspark.com/docs/ubermenu-3/font-awesome/update-font-awesome-5">Converting Font Awesome 4 to Font Awesome 5</a></p>
<h3>New Icons</h3>
<p>We&#8217;ve added a bunch of new icons from Font Awesome 5 to the core plugin as well!</p>
<p><img decoding="async" src="//i.imgur.com/x8BzO9J.png" /></p>
<h3>UberMenu Icons Extension</h3>
<p>The <a href="https://sevenspark.com/goods/ubermenu-icons-extension">Icons Extension</a> has also been updated to use Font Awesome 5 and incorporate all the latest icons</a>.  If you are using the Icons Extension, you&#8217;ll want to update the Extension at the same time.</p>
<h2>Mobile Submenu Indicator Close Button</h2>
<p>As a new usability feature, when submenus are opened on mobile, a close button will appear in place of the submenu indicator.</p>
<p><img decoding="async" style="width:350px" src="//i.imgur.com/PdBWgvh.png" /></p>
<p>This setting is enabled by default.  It can be disabled in the Control Panel if you&#8217;d prefer not to have it.</p>
<p>This new feature is intended to supersede the the <a href="https://sevenspark.com/docs/ubermenu-3/responsive/touch/submenu-close-buttons" title="Permalink to Submenu Close Buttons" rel="bookmark">Submenu Close Buttons</a> that appear in the submenu itself.  These will be disabled by default moving forward.  Customers who are upgrading will have their previous settings retained.  We recommend disabling this setting at this point as it is generally redundant when using the new Submenu Indicator Close Button.</p>
<h2>Plugin Compatibility: Menu Image plugin</h2>
<p>UberMenu now has the ability to detect and attempt to disable plugins that interfere with it.  The first such plugin is the Menu Image plugin (available on the WordPress repository).  This plugin changes the markup of UberMenu, and therefore the UberMenu styles no longer apply, completely breaking the menu.</p>
<p>Since this plugin has caused major headaches for customers, UberMenu will now detect the Menu Image plugin and disable its filter to prevent it from interfering.  This can be disabled in the Control Panel if necessary.</p>
<p><img decoding="async" src="//i.imgur.com/WdM1AZo.png" /></p>
<p>Note that UberMenu has its own advanced image functionality, so the Menu Image plugin is not necessary anyway.</p>
<h2>Scroll To Current Class</h2>
<p>UberMenu has the ability to set up a menu item to scroll to a particular hash on a particular page.  When setting up multiple links to the same page with multiple ScrollTo destinations, these items will all be highlighted as &#8220;current&#8221; by default by WordPress when the base URL matches the current page.</p>
<p>UberMenu now disables the current class on items with ScrollTo set on them by default.  This can be disabled in the Control Panel > General Settings > Script Configuration > ScrollTo Settings > Automatically Disable Current Item Classes on ScrollTo Items if not desired.</p>
<h2>Other updates</h2>
<p>These are the major updates in UberMenu 3.4.  Additionally, we&#8217;ve added minor features like the ability to set column background colors, the ability to show the current tab panel with a single setting, an icon title accessibility setting, various RTL improvements, the ability to nudge icons vertically for precision alignment, a new filter for Dynamic Terms custom content, and more!  Check out <a href="https://codecanyon.net/item/ubermenu-wordpress-mega-menu-plugin/154703?ref=sevenspark">UberMenu on CodeCanyon</a> for the full changelog.</p>
<p>The post <a href="https://sevenspark.com/announcements/ubermenu-3-4-release-notes">UberMenu 3.4 Release Notes</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>UberMenu 3.3 Release Notes</title>
		<link>https://sevenspark.com/wordpress/ubermenu-3-3-release-notes</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Tue, 11 Jul 2017 12:38:49 +0000</pubDate>
				<category><![CDATA[Announcements]]></category>
		<category><![CDATA[WordPress]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=76718</guid>

					<description><![CDATA[<p>UberMenu 3.3 was released on July 10, 2017, with a variety of new feature updates and enhancements. Tabs Features Out of the box, when you create a Tabs block, all tab content panels will be sized to the height of the largest panel. This provides the best UX for scenarios where the content in each [&#8230;]</p>
<p>The post <a href="https://sevenspark.com/wordpress/ubermenu-3-3-release-notes">UberMenu 3.3 Release Notes</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p><a href="http://wpmegamenu.com">UberMenu 3.3</a> was released on July 10, 2017, with a variety of new feature updates and enhancements.</p>
<h4>Tabs Features</h4>
<p>Out of the box, when you create a Tabs block, all tab content panels will be sized to the height of the largest panel.  This provides the best UX for scenarios where the content in each tab is relatively balanced.</p>
<p>In some cases, the content within the tabs can range widely between tabs &#8211; one tab may require only 150px of height, while another may require 500px.  By default, all tabs in this tab block will display at 500px height.</p>
<p>With the new Dynamic Tabs Sizing feature, as the tab toggle is activated, the entire tabs block will change height to match the height of the current tab content panel.  </p>
<p><img decoding="async" src="http://i.imgur.com/qtsMdoU.png" /></p>
<p>Animations can also be enabled or disabled for this setting.</p>
<p><img decoding="async" src="http://i.imgur.com/I7JJHsU.gif" /></p>
<p>In addition, you can now have static (non-toggle) items in your Tabs panel &#8211; useful for headings or separating links in the same column.</p>
<h4>Dynamic Items Features</h4>
<p><strong>Custom Styles</strong>. You can now set custom styles on a group of Dynamic Terms.</p>
<p><img decoding="async" src="http://i.imgur.com/NhxBp4U.png" /></p>
<p><strong>Custom Anchor Class</strong>.  You can now add custom anchor classes to both Dynamic Terms and Dynamic Posts for further customization ability.</p>
<p><strong>Custom Empty Results Message</strong>.  If you set up a Dynamic Terms or Posts query that may return 0 results, you can now set up a custom message to display to the user in that event.</p>
<h4>New Customizer Settings</h4>
<p><strong>Top Level Line Height</strong>.  Adjusting the line height of the top level items is often the simplest way to equalize the heights of items with varying content sizes, assuming all text appears on a single line. </p>
<p><strong>Description Hover Color</strong>.  Change the color of your description text when the item is hovered.</p>
<p><strong>Tab Toggle Current Background and Font Color</strong>.  Adjust the colors of the tab toggles when they are current.</p>
<h4>Rows</h4>
<p>Rows now have independent Submenu Column Divider settings so that each row can be controlled individually.</p>
<p>3.3 also includes a variety of other enhancements and fixes.  For the full changelog, visit the <a href="http://codecanyon.net/item/ubermenu-wordpress-mega-menu-plugin/154703/">UberMenu product page</a> on CodeCanyon.</p>
<p>Questions?  Please <strong><a href="https://sevenspark.com/help">Submit a Ticket</a></strong> (existing customers) or a <a href="https://sevenspark.com/pre-purchase">Pre Purchase Question</a> (new customers) and we&#8217;ll get back to you as soon as possible.</p>
<p>The post <a href="https://sevenspark.com/wordpress/ubermenu-3-3-release-notes">UberMenu 3.3 Release Notes</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>WordPress Plugin Technical Support Engineer</title>
		<link>https://sevenspark.com/jobs/wordpress-plugin-technical-support-engineer</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Tue, 11 Jul 2017 08:15:20 +0000</pubDate>
				<category><![CDATA[Jobs]]></category>
		<category><![CDATA[hiring]]></category>
		<category><![CDATA[job]]></category>
		<category><![CDATA[support]]></category>
		<category><![CDATA[WordPress]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=76507</guid>

					<description><![CDATA[<p>This position has been filled. SevenSpark is seeking a top-notch technical support engineer with deep WordPress knowledge to provide customer support for the suite of SevenSpark WordPress plugins (mainly, UberMenu, ShiftNav, and Bellows Accordion Menu). The ideal candidate will have both front- and back-end development skills, as well as customer service and troubleshooting skills. The [&#8230;]</p>
<p>The post <a href="https://sevenspark.com/jobs/wordpress-plugin-technical-support-engineer">WordPress Plugin Technical Support Engineer</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p class="alert alert-info"><strong>This position has been filled.</strong></p>
<p>SevenSpark is seeking a top-notch technical support engineer with deep WordPress knowledge to provide customer support for the suite of SevenSpark WordPress plugins (mainly, <a href="http://wpmegamenu.com">UberMenu</a>, <a href="http://shiftnav.io">ShiftNav</a>, and <a href="http://wpaccordionmenu.com">Bellows Accordion Menu</a>).  </p>
<p>The ideal candidate will have both front- and back-end development skills, as well as customer service and troubleshooting skills.  The candidate is looking for a long-term role which will hopefully expand from support-specific to additional roles (potentially development, marketing, etc) in the future.</p>
<p>This position will begin as a contract position requiring about 25-30 hours per week, with the intention of transitioning to a full time position if things go well.</p>
<p>SevenSpark has an excellent reputation for customer support, and the successful candidate will help to continue and expand upon that reputation.</p>
<p>Looking for someone who can start as soon as possible.</p>
<h3 id="toc_1">Position Details</h3>
<ul>
<li>Location: Remote position, but must be available east coast US time (flexible for the right candidate)</li>
<li>Time commitment: Start off as contract work ~ 25-30 hours/week</li>
<li>If things work out, we’ll look to move to full time (40 hrs/week)</li>
<li>Opportunity for advancement and to play a significant role in the company in the future for the right person</li>
<li>Start date: as soon as possible</li>
</ul>
<h3 id="toc_2">Role &amp; Responsibilities</h3>
<ul>
<li>Support hours are 9am &#8211; 5pm ET (Boston/New York) &#8211; generally this means checking in 3 times a day (9, 1, 5), and clearing the queue.  These may be somewhat flexible for the right candidate.</li>
<li>Support is provided via an email-based ticketing system (HelpScout)</li>
<li>Support includes answering any and all customer support inquiries as well as pre-purchase questions.  Minor CSS customizations.  Providing best practice advice.  Doing manual integrations when necessary ( basic PHP editing ).</li>
<li>Future role may be expanded to include documentation, product development, testing, or marketing, depending on candidate’s desires, experience, and aptitude.</li>
</ul>
<h3 id="toc_3">Requirements</h3>
<p>The main focus of this position is customer support and troubleshooting customer issues with WordPress plugins.  In general, you should have a strong understanding of both the backend and front end of WordPress development, and the confidence to troubleshoot any issue that arises.</p>
<p>Of course, there will be guidance and instruction available (you don’t need to know everything at the beginning), and the developer/founder will be available to answer/troubleshoot any questions beyond your expertise.  But the goal is for the support engineer to be able to handle at least 95% of support inquiries, handing the more complex ones off to the developer.</p>
<p><strong>Required skills:</strong></p>
<ul>
<li>WordPress (at least advanced, if not expert.  You are confident using the Codex and searching the core when necessary to fill any knowledge gaps.)</li>
<li>CSS (advanced &#8211; no CSS task should daunt you)</li>
<li>PHP (at least intermediate-level)</li>
<li>Javascript &amp; jQuery  (basic level of comfort and troubleshooting skills, though you’d rarely need to write any)</li>
<li>WordPress Theme Customization (knowledge of template structure, general theming, child themes)</li>
<li>Comfortable in Chrome Developer Tools (mainly for troubleshooting CSS, JS, and network issues)</li>
<li>Ability to run local test installs</li>
<li>Self-starter, motivated &amp; fast learner</li>
<li>Excellent customer service skills</li>
<li>Polite, patient, helpful, even with impolite customers</li>
<li>Eager to help customers</li>
<li>Fluent written English, excellent communication skills</li>
<li>Troubleshooting (you understand how to develop a strategy to troubleshoot/debug a problem)</li>
<li>Debugging</li>
<li>Responsible &amp; Reliable </li>
</ul>
<h3 id="toc_4">Bonus Points</h3>
<ul>
<li> Technical knowledge of the WordPress menu system (at least a basic understanding, but any experience here is helpful)</li>
<li>Prior customer service experience</li>
<li>You’ve coded a plugin or theme</li>
<li>ReactJS knowledge</li>
<li>Fluency in additional languages</li>
</ul>
<h3 id="toc_5">Benefits</h3>
<ul>
<li>Remote position &#8211; work from anywhere</li>
<li>Competitive compensation</li>
<li>Some flexibility in hours &#8211; while there are certain windows you’ll need to hit, there is a good amount of flexibility in how you can structure your day</li>
<li>Potential to expand into a plugin development role</li>
<li>Work for an established company with over 100,000 paying customers and 250,000+ users</li>
<li>Small company means you have room to grow and make your mark</li>
</ul>
<h3 id="toc_6">Who is SevenSpark?</h3>
<p>Currently SevenSpark is a one man shop, with multiple successful WordPress plugins.  I’m looking to expand the team, which means you have the potential to be an integral part of the future of an already successful company.   In the short term, I’m looking for someone who can take over day-to-day operations so I can focus on new projects.  In the long-term, I hope to find a productive team member who will play a significant role in the future of the company.</p>
<h3 id="toc_7">Transition</h3>
<p>I don’t intend to throw you in the deep end, but I do expect you to hit the ground running and learn quickly.   We’ll work together at the beginning to make sure that you understand what needs to be done and how to approach different tickets.  I hope to have you handling the majority of support tickets in the next month or two.</p>
<h3 id="apply"><a href="#apply">How To Apply</a></h3>
<p class="alert alert-info"><strong>Application period is now closed.</strong> Thanks to everyone who applied!  Applications are currently being reviewed</p>
<p>Before applying, please be sure to read this job description carefully.  Applicants who have clearly not read the job description or do not meet the requirements will not be considered.</p>
<p>Please email <strong>jobs</strong> AT sevenspark.com with the subject: WordPress Technical Support Position</p>
<p>Please provide the following details in your email by copy/pasting these prompts and filling them out:</p>
<style>
blockquote p{
  padding-bottom:15px;
  margin-top:15px;
  font-size:13px;
  color:#555;
  border-bottom:1px solid #eee;
}
blockquote ul li{
  color: #555;
  font-size:13px;
  font-weight:300;
}</style>
<blockquote>
<p>Your Name:<br />
Your Location &amp; Time Zone: <br />
Links to your resume or LinkedIn page: <br />
Link to your website: <br />
Link to relevant previous work:</p>
<p>Have you coded a plugin or theme?  If so, please provide relevant links</p>
<p style="border-bottom:none;">Please briefly describe your previous experience and level of expertise with the following:</p>
<ul>
<li>PHP</li>
<li>CSS</li>
<li>Javascript, jQuery </li>
<li>WordPress use</li>
<li>WordPress development</li>
<li>Local development environments</li>
<li>WordPress menu system</li>
<li>Chrome Developer Tools</li>
<li>Troubleshooting </li>
</ul>
<hr/>
<p>Have you provided technical product support before?  If so, please describe and send any relevant links.  If you would like, please provide email addresses of previous employers as references.</p>
<p>What is your availability/when would you be able to start?</p>
<p>What is your hourly rate?</p>
<p>Please briefly describe why you’d like to work with SevenSpark and how that can help you achieve your goals.</p>
<p>Finally, please briefly describe why you think you are a good fit for the position, and include anything else you’d like me to know.</p>
</blockquote>
<p>Thanks for applying!</p>
<p>The post <a href="https://sevenspark.com/jobs/wordpress-plugin-technical-support-engineer">WordPress Plugin Technical Support Engineer</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>UberMenu Extensions now available exclusively through sevenspark.com</title>
		<link>https://sevenspark.com/announcements/ubermenu-extensions-now-available-exclusively-sevenspark-com</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Mon, 21 Nov 2016 15:00:53 +0000</pubDate>
				<category><![CDATA[Announcements]]></category>
		<category><![CDATA[WordPress Plugins]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=62854</guid>

					<description><![CDATA[<p>UberMenu Extensions are now sold through sevenspark.com, and are no longer available on CodeCanyon - don't worry, though, Envato licenses will still be honored.</p>
<p>The post <a href="https://sevenspark.com/announcements/ubermenu-extensions-now-available-exclusively-sevenspark-com">UberMenu Extensions now available exclusively through sevenspark.com</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[
<p>Back in September, <a href="https://forums.envato.com/t/author-driven-pricing-themeforest-codecanyon-and-3docean/62756?u=matthewcoxy">Envato enabled &#8220;Author Driven Pricing&#8221;</a> for WordPress products on CodeCanyon. Coupled with this change, Envato changed their pricing policy adding a new <a href="https://help.market.envato.com/hc/en-us/articles/213819903">fixed buyer fee</a>. As a result, for inexpensive items like UberMenu extensions, Envato was taking over 70% of the revenue from each sale.</p>



<p>The long and the short of it is that with these new fees, selling inexpensive extensions on Envato is no longer economically viable.</p>



<p>Envato&#8217;s suggested solution is to raise prices (now that authors have control over this) to maintain the 70% share after factoring in the fixed fee. However, this would have meant a significant increase and extra burden on customers in order to make continuing to sell on Envato worthwhile.</p>



<p>Instead, UberMenu extensions &#8211; UberMenu Sticky Extension, UberMenu Icons Extension, UberMenu Conditionals Extension, and the UberMenu Flat Skins Pack &#8211; will now be sold on sevenspark.com. This way prices can remain low for customers, and it&#8217;s still economical to sell them inexpensively.</p>



<h3 class="wp-block-heading">What about UberMenu core?</h3>



<p>The core UberMenu plugin is still for sale through CodeCanyon. While Envato is taking slightly more of a cut than they used to, I feel that this is still the best place to provide UberMenu to customers.</p>



<h3 class="wp-block-heading">What does this mean for new customers?</h3>



<p>For new customers, you can now purchase <a href="https://sevenspark.com/shop">UberMenu Extensions</a> directly from sevenspark.com. All 4 extensions are still available at their most recent price from Envato.</p>



<h3 class="wp-block-heading">What does this mean for existing customers?</h3>



<p>If you are an existing customer who has purchased an UberMenu extension, don&#8217;t worry. The extensions are still maintained, your license code is still valid, you will still receive updates (through the WordPress admin), and any support packages purchased with the extensions will be honored.</p>



<p>In short, nothing has changed with your existing purchase, there&#8217;s just a new home for the product.</p>



<h3 class="wp-block-heading">How do I get updates?</h3>



<p>Updates will be delivered through the WordPress update system. Just enter your extension license codes in the UberMenu Control Panel &gt; Updates tab.</p>



<figure class="wp-block-image"><img decoding="async" src="//i.imgur.com/gRnlQVy.png" alt=""/></figure>



<p></p>



<p class="alert alert-info">Note that you will need to be running UberMenu 3.2.6 or later to be able to see these settings.</p>



<p>Do you need fresh download links for the extension files? Please visit the <a href="https://sevenspark.com/dl-link-generator/" rel="nofollow">Download Link Generator</a>. You&#8217;ll need your purchase codes from CodeCanyon to generate the links.</p>



<h3 class="wp-block-heading">What if I need more support for an item purchased on Envato and my support has expired?</h3>



<p>If you purchased your Extension license through Envato, you&#8217;ll no longer be able to renew support there, since the item has been removed. (Note that you can still <strong><a href="https://sevenspark.com/help">Submit a Ticket</a></strong> with your existing license and receive support for any remaining support period you have already purchased).</p>



<p>Instead, you can now purchase a license through sevenspark.com, and this will provide a year of support. For comparison, the $8 plugin on CodeCanyon would have cost $7 for 6 additional months of support ($1.16/month) after the support period expired. Your purchase through sevenspark.com will cost $8, but will provide you with an entire year of support rather than just 6 months ($0.67/month). That support can optionally be renewed yearly at an additional 30% discount.</p>



<h3 class="wp-block-heading">Questions, concerns?</h3>



<p>Questions or concerns? Please <strong><a href="https://sevenspark.com/help">Submit a Ticket</a></strong> and we&#8217;ll get back to you.</p>



<h3 class="wp-block-heading">An added bonus!</h3>



<p>As an added bonus, we&#8217;re now able to sell a discounted bundle of all 4 current UberMenu Extensions &#8211; save big when purchasing them altogether here: <a href="https://sevenspark.com/goods/ubermenu-extensions-bundle">UberMenu Extensions Bundle</a></p>
<p>The post <a href="https://sevenspark.com/announcements/ubermenu-extensions-now-available-exclusively-sevenspark-com">UberMenu Extensions now available exclusively through sevenspark.com</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>Introducing Bellows Accordion Menu for WordPress</title>
		<link>https://sevenspark.com/announcements/bellows-accordion-menu-wordpress</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Wed, 26 Oct 2016 18:49:52 +0000</pubDate>
				<category><![CDATA[Announcements]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=61745</guid>

					<description><![CDATA[<p>WordPress Accordion Menu Demo One of the most frequent requests I get from customers is how to create an accordion menu on their WordPress sites. Having researched the few existing options, and not feeling comfortable recommending any of these to my customers, I set out to create a smart, robust, flexible, and modern accordion menu [&#8230;]</p>
<p>The post <a href="https://sevenspark.com/announcements/bellows-accordion-menu-wordpress">Introducing Bellows Accordion Menu for WordPress</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p><a class="btn btn-success btn-block btn-large" href="http://wpaccordionmenu.com">WordPress Accordion Menu Demo <i class="fa fa-chevron-right"></i></a></p>
<p>One of the most frequent requests I get from customers is how to create an accordion menu on their WordPress sites.  Having researched the few existing options, and not feeling comfortable recommending any of these to my customers, I set out to create a smart, robust, flexible, and modern accordion menu plugin for WordPress.</p>
<h2>Introducing Bellows</h2>
<p>I&#8217;m very pleased to announce the release of the new Bellows Accordion Menu plugin for WordPress.  Bellows is the culmination of almost a year of development and beta testing to produce a slick and easy to use accordion navigation solution.  </p>
<p>Bellows comes in two flavors &#8211; Bellows Pro and <a href="https://wpaccordionmenu.com/free/">Bellows Lite</a>.</p>
<p><a href="https://wordpress.org/plugins/bellows-accordion-menu/">Bellows Lite &#8211; Accordion Menu</a> is available on the WordPress plugin repository for free.  It&#8217;s a fully functional standard accordion menu.  The menu structure is built in the standard WordPress Appearance > Menus screen.  It includes 3 skin presets, supports multiple submenu levels, multiple- or single-folding of submenus, automatic expansion of current submenus, and integration via either shortcode or widget.</p>
<p><img decoding="async" src="//i.imgur.com/mTwttId.png" alt="Bellows Lite Accordion Menu for WordPress" /></p>
<p><a href="https://wpaccordionmenu.com/">Bellows Pro &#8211; Accordion Menu</a> works on the same foundation as Bellows lite, and adds a variety of extra features that make the plugin very flexible and dynamic.  These include:</p>
<ul>
<li>Over 20 Skins</li>
<li>Style customizations via the Customizer, a well as individual menu item styles</li>
<li>Icons and images within menu items</li>
<li>Widgets and custom content within menu items</li>
<li>Ability to automatically generate the accordion menu contents based on post or taxonomy term hierarchy</li>
</ul>
<p><img decoding="async" src="http://i.imgur.com/2IsXTU2.png" alt="Bellows Pro Accordion Menu" /></p>
<p>If you&#8217;re curious about the full feature set and want to see how Bellows works, check out the <a href="https://wpaccordionmenu.com/">Bellows WordPress Accordion Menu demo site</a></p>
<h2>Menu Generator UI</h2>
<p>One of the features I&#8217;m most excited about is the Menu Generator UI.  This feature gives the user the ability to quickly configure complex query filters to generate automatically populated menus, and preview the results in real time.  The user simply checks the filters/parameters they wish to use to produce their menu results, and the interface provides a preview and the appropriate shortcode to be used.  This feature gives users a lot of power to create the menu they want without needing any coding skills.</p>
<p><img decoding="async" src="http://i.imgur.com/6FhyTwa.png" alt="Auto-generating accordion menus with Bellows" /></p>
<p>Moreover, the menu can be made dynamic relative to the current page.  The auto-populated menu can inherit the current page as a parent, and can therefore dynamically change based on the currently viewed page.  So a single menu could be used across the site to produce a hierarchical menu specific to that page, with minimal configuration.  </p>
<p>Menu queries can also be saved and reconfigured at a later time, so that when a change needs to be made, it can be made in one location and propagate across the entire site.</p>
<h2>Beyond just menu items</h2>
<p>While accordions are great for standard navigation lists, Bellows also allows the insertion of any type of HTML, shortcode, or widget content.  This means there are effectively no limits to the type of content that can be added within the accordion.  Add images, icons, contact forms, third party content feeds, maps, and more!</p>
<h2>Multiple Configurations</h2>
<p>Bellows Pro&#8217;s Configuration system makes it easy to both configure separate menus independently, as well as re-use your settings across menus when desired.  Create multiple configurations and apply them to your various menus as desired to control the look and feel of each accordion instance individually.</p>
<h2>Why an accordion menu?</h2>
<p>Accordion menus are pretty simple beasts.  The menu has a hierarchical structure, and when a parent item is activated, its child items appear below it.  Their usefulness is in the extremely clean hierarchical display that allows the user to explore a list of items.  It&#8217;s a very common UI paradigm, seen in all sorts of interfaces.  In fact, it&#8217;s become more common on mobile interfaces where content tends to stack vertically due to lack of horizontal screen real estate.</p>
<p>The real value in accordion menus is providing <em>contextual</em> content.  They tend to be used as secondary navigation systems, and as such, may change from page to page.  This is why the flexibility and dynamism of Bellows is so powerful, as it can be placed just about anywhere and display content based on the current page.  Allowing the user to explore within the current context saves time and energy, helping them find the content they&#8217;re looking for more efficiently.</p>
<h2>Complementing Ubermenu</h2>
<p>One mistake I see UberMenu customers make is trying to add too much content to their primary navigation.  A site&#8217;s primary navigation should generally have no more than 3 hierarchical levels, and less than 100 items.  When well organized, this keeps the menu structure easily digestible by site visitors.  But when a site has many levels of taxonomical terms or posts, it can be tempting to try to cram all of this structure into the primary navigation.  Unfortunately, this often leads to an unusable menu, with so many items that visitors can&#8217;t actually find what they&#8217;re looking for, defeating the purpose of the navigation in the first place.</p>
<p>The solution is to have section-specific secondary menus on the site, which allow users to drill down further into the site contents within a given context.  This is one thing that Bellows will help customers with large sites a lot &#8211; first, navigate to a section of the site using the main menu; then drill down within that section using an accordion menu in the sidebar.  Bellows Pro&#8217;s dynamic menu content population can make this much easier to achieve.</p>
<h2>Have you checked out the demo?</h2>
<p>I&#8217;m really excited to release Bellows, and I really hope you enjoy it!  Check out the <a href="https://wpaccordionmenu.com/">Bellows demo</a> for more information.  Questions?  Ask away by clicking the &#8220;Questions&#8221; button here: <a href="https://sevenspark.com/goods/bellows-pro">Bellows Pro</a></p>
<p>The post <a href="https://sevenspark.com/announcements/bellows-accordion-menu-wordpress">Introducing Bellows Accordion Menu for WordPress</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>ShiftNav 1.5 is here!</title>
		<link>https://sevenspark.com/announcements/shiftnav-1-5-release</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Mon, 03 Oct 2016 16:43:21 +0000</pubDate>
				<category><![CDATA[Announcements]]></category>
		<category><![CDATA[WordPress]]></category>
		<category><![CDATA[WordPress Plugins]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=60731</guid>

					<description><![CDATA[<p>ShiftNav v1.5 was just released! This is a feature release, with a variety of new features and enhancements. Listed below are the biggest new features of the plugin for this version. Enjoy! &#160; Hamburger-only button toggle One of the most requested features for ShiftNav was to simplify the default full-width toggle bar into a simple [&#8230;]</p>
<p>The post <a href="https://sevenspark.com/announcements/shiftnav-1-5-release">ShiftNav 1.5 is here!</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p>ShiftNav v1.5 was just released!  This is a feature release, with a variety of new features and enhancements.  Listed below are the biggest new features of the plugin for this version.  Enjoy!</p>
<p>&nbsp;</p>
<h2>Hamburger-only button toggle</h2>
<p>One of the most requested features for ShiftNav was to simplify the default full-width toggle bar into a simple hamburger button.  While it&#8217;s always been possible to do this by disabling the main toggle bar and adding a simple custom toggle to the site, v1.5 now includes this as an option in the settings.  Now it&#8217;s easy to have a simple hamburger toggle that sits on top of the site content on mobile.</p>
<p><img fetchpriority="high" decoding="async" class="alignnone size-full" src="//sevenspark.com/wp-content/uploads/2016/10/ShiftNavHamburger.gif" alt="" width="371" height="251" /></p>
<p>&nbsp;</p>
<h2>UberMenu Menu Segment Processing</h2>
<p>Many customers enjoy making use of both <a href="http://wpmegamenu.com">UberMenu</a> and ShiftNav in tandem.  While in most cases, maintaining a separate, streamlined menu for mobile users is best practice, sometimes it&#8217;s useful to be able to re-use the same menu structure for both UberMenu and ShiftNav.  Therefore ShiftNav will now process <a href="https://sevenspark.com/docs/ubermenu-3/advanced-menu-items/menu-segment" title="UberMenu Menu Segment" rel="bookmark">UberMenu Menu Segments</a>, a useful tool for breaking WordPress menus down into more manageable segments.</p>
<p>&nbsp;</p>
<h2>Icon Enhancements</h2>
<p>ShiftNav Pro now provides further flexibility when it comes to applying icons to your ShiftNav menu items.</p>
<p>The <strong>Disable Text</strong> setting allows users to set up icon-only menu items.  And the <strong>Custom Icon Class</strong> setting allows users to use custom icon sets that are already loaded on their site without having to write any custom code.</p>
<p>&nbsp;</p>
<h2>Login/Logout shortcodes</h2>
<p>ShiftNav Pro 1.5 now includes two new shortcodes that are useful for customers that have a registered user base.</p>
<p>The login and logout shortcodes are a set of easy to use shortcodes that provide a link to the login page, and a logout link, respectively, in the toggle bar. </p>
<p><img decoding="async" src="//i.imgur.com/SVRKnGF.png" /></p>
<p>The icon and content of the links are configurable in the shortcode settings.</p>
<p>&nbsp;<br />
Check out the full changelog on the <a href="https://sevenspark.com/goods/shiftnav-pro">ShiftNav Pro product page</a></p>
<p>The post <a href="https://sevenspark.com/announcements/shiftnav-1-5-release">ShiftNav 1.5 is here!</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>UberMenu 3.2.2 Release Notes</title>
		<link>https://sevenspark.com/announcements/ubermenu-3-2-2-release-notes</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Thu, 10 Dec 2015 21:13:56 +0000</pubDate>
				<category><![CDATA[Announcements]]></category>
		<category><![CDATA[3.2.2]]></category>
		<category><![CDATA[features]]></category>
		<category><![CDATA[release]]></category>
		<category><![CDATA[responsive images]]></category>
		<category><![CDATA[ubermenu]]></category>
		<category><![CDATA[update]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=50391</guid>

					<description><![CDATA[<p>UberMenu 3.2.2 was released on December 8, 2015. This was a minor feature update release. Questions about updating? Check out the Update FAQs and be sure to follow the Installing Updates guide Responsive Images The most interesting new feature with UberMenu 3.2.2 is support for WordPress&#8217;s new Responsive Images functionality. This means that when you [&#8230;]</p>
<p>The post <a href="https://sevenspark.com/announcements/ubermenu-3-2-2-release-notes">UberMenu 3.2.2 Release Notes</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p><a href="http://wpmegamenu.com">UberMenu 3.2.2</a> was released on December 8, 2015.  This was a minor feature update release.</p>
<p class="alert alert-info">Questions about updating?  Check out the <a href="https://sevenspark.com/docs/ubermenu-3/updates/faqs" title="Permalink to Update FAQs" rel="bookmark" class="btn btn-success">Update FAQs</a> and be sure to follow the <a href="https://sevenspark.com/docs/ubermenu-3/updates" title="Permalink to Installing Updates" rel="bookmark" class="btn btn-success">Installing Updates</a> guide</p>
<h3>Responsive Images</h3>
<p>The most interesting new feature with UberMenu 3.2.2 is support for WordPress&#8217;s new Responsive Images functionality.  This means that when you upload an image for UberMenu, those images will automatically get the srcset and sizes attributes so that compatible browsers will pull the most appropriate size image from the server. </p>
<p>The upshot is that you&#8217;ll save bandwidth for mobile users, and get higher resolution images for your users with larger screens.</p>
<h3>Automatic Updates (beta)</h3>
<p>Automatic update capability shipped with 3.2.1, but with this update it&#8217;s the first time users will actually be able to test this functionality.  The feature is disabled by default, but to enable it for beta testing you can set a constant in the wp-config.php.  Check out <a href="https://sevenspark.com/docs/ubermenu-3/updates/automatic" title="Permalink to Automatic Updates (Beta)" rel="bookmark">Automatic Updates (Beta)</a> for more details.</p>
<h3>New Settings</h3>
<p>A variety of new settings were added to give additional control when configuring the menu, including a submenu minimum height, disabling UberMenu when mobile devices are detected, disabling top level item dividers, and automatically collapsing the mobile menu after following a ScrollTo link.</p>
<h3>WordPress 4.4 Updates</h3>
<p>WordPress 4.4 changed some admin screen styles, so UberMenu 3.2.2 has been updated to work with these new admin styles and set the appropriate header tags.  The new nav_menu_items_arg filter has also been added, though it is disabled by default and can be enabled by setting UBERMENU_ALLOW_NAV_MENU_ITEM_ARGS_FILTER to true in wp-config.php</p>
<h3>Enhancements &#038; Fixes</h3>
<p>A variety of tweaks have also been made to improve user experience.  The <code>sensor</code> parameter has been removed from the Google Maps API as it is no longer required.  Font Awesome has been update to the latest release, 4.5.0.  If settings fail to load in the Menus Panel due to interference from a theme or another plugin, the settings panel output and/or console will attempt to display helpful troubleshooting messages for the user.  </p>
<p>A few minor bugs have also been squashed, including a clipping issue with multi-level left-expanding flyout submenus, and submenu overlap on mobile with vertical-oriented menus with flyout submenus in particular positions.</p>
<p>The post <a href="https://sevenspark.com/announcements/ubermenu-3-2-2-release-notes">UberMenu 3.2.2 Release Notes</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>New features in UberMenu 3.2.1 update</title>
		<link>https://sevenspark.com/announcements/new-features-ubermenu-3-2-1</link>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Wed, 09 Sep 2015 19:44:49 +0000</pubDate>
				<category><![CDATA[Announcements]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=47082</guid>

					<description><![CDATA[<p>UberMenu 3.2.1 was released today &#8211; here&#8217;s a quick rundown of some of the new features. Have questions about updating? Submenu Column Dividers You can now add visual dividers (borders) to your submenu columns via a setting in the UberMenu menu item settings. You can set the divider color as well as a minimum column [&#8230;]</p>
<p>The post <a href="https://sevenspark.com/announcements/new-features-ubermenu-3-2-1">New features in UberMenu 3.2.1 update</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p><a href="http://wpmegamenu.com">UberMenu 3.2.1</a> was released today &#8211; here&#8217;s a quick rundown of some of the new features.</p>
<p><a href="#faqs" class="btn btn-success">Have questions about updating? <i class="fa fa-chevron-down"></i></a></p>
<h3>Submenu Column Dividers</h3>
<p>You can now add visual dividers (borders) to your submenu columns via a setting in the UberMenu menu item settings.</p>
<p>You can set the divider color as well as a minimum column height, which keeps heights even.</p>
<p><img decoding="async" src="//i.imgur.com/4maLBsM.png" /></p>
<p><img decoding="async" src="//i.imgur.com/PqboCw5.png" /></p>
<h3>Submenu Auto-Columns for static items</h3>
<p>With most mega menus, second level items become column headers in the submenu, and third level items fill the columns vertically below those headers, as shown here:</p>
<p><img decoding="async" src="//i.imgur.com/PqboCw5.png" /></p>
<p>If you only use second level items, they will organize from left to right, then wrap to the next line.</p>
<p>If you effectively only have two levels of menu items &#8211; meaning there are no column headers &#8211; but want the items to organize in columns from top to bottom, you can use the special <a href="https://sevenspark.com/docs/ubermenu-3/advanced-menu-items/columns" title="Permalink to Columns" rel="bookmark">Columns</a> menu items to organize your items into submenu columns manually.</p>
<p>With the new <strong>Submenu Automatic Columns</strong> feature in UberMenu 3.2.1, you can automatically divide your second level items into columns organized top to bottom, rather than left to right, without manually adding Column items.  Just set the number of columns you want to create for that submenu, and UberMenu will automatically divide up the item&#8217;s child items into evenly distributed, even-width columns.</p>
<p><img decoding="async" src="//i.imgur.com/mNsTxvm.png" /></p>
<p><img decoding="async" src="//i.imgur.com/0bFy8ii.png" /></p>
<p>If you need more fine-grain control, you can still use the Column items, of course.</p>
<h3 id="menu-segment-cache">Menu Segment Caching</h3>
<p>If you are using <a href="https://sevenspark.com/docs/ubermenu-3/advanced-menu-items/menu-segment" title="Permalink to Menu Segment" rel="bookmark">Menu Segments</a>, you can now cache the output of the menu segment as HTML, stored as a transient in the database.  This can mean a substantial processing savings, as this caching can mean running one query per submenu rather than dozens to process each menu item individually.</p>
<p>You can enable and disable caching on each menu segment, as well as set the expiration time, or how frequently the segment should be regenerated.</p>
<p><img decoding="async" src="//i.imgur.com/uz0KHwy.png" /></p>
<p>This feature is very similar to the <a href="https://sevenspark.com/docs/ubermenu-3/optimize/menu-cache" title="Permalink to WP Menu Cache" rel="bookmark">WP Menu Cache</a> plugin (so if you are using that plugin, you don&#8217;t need this feature), however it is simpler &#8211; there&#8217;s less concern about caching per page or per user, since you&#8217;d generally only be using menu segments in submenus.  But do keep in mind that if your content varies on any axis (page/user/etc), you should not enable caching.</p>
<h3>For Developers</h3>
<h5>Mobile toggle events</h5>
<p>UberMenu 3.2.1 adds two new <a href="https://sevenspark.com/docs/ubermenu-3/developers/javascript-api/events">Javascript API events</a>, <code>ubermenutoggledopen</code> and <code>ubermenutoggledclose</code>.  These events fire on when the mobile menu is toggled opened and closed so that developers can trigger their own callbacks at these points.</p>
<h5>Menu Item Image filters</h5>
<p>There are now 3 new image filters, which allow greater control over automatically setting the image for specific items.  This can be useful if you want to programmatically assign images other than Feature Images to a menu item that aren&#8217;t standard Core features &#8211; such as WooCommerce product images, for example.  More info: <a href="https://sevenspark.com/docs/ubermenu-3/developers/php-api/filters/images" title="Permalink to Image filters" rel="bookmark">Knowledgebase: Image filters</a></p>
<h5>Dynamic Post Items Title filter</h5>
<p>The <a href="https://sevenspark.com/docs/ubermenu-3/developers/php-api/filters/ubermenu_dp_title" title="Permalink to ubermenu_dp_title" rel="bookmark">ubermenu_dp_title</a> filter allows you to alter the title of the posts returned by the Dynamic Posts items, for example to trim the length of the post titles.</p>
<h3>Enhancements</h3>
<p>A few enhancements were made as well. </p>
<p><strong>Mobile Scrolling</strong> &#8211; You can now scroll the page on a mobile device without closing the submenus even with touch-off close enabled.  </p>
<p><strong>Fonts</strong> &#8211; There&#8217;s a new setting to set the Font Family specifically for the menu (without loading a Google Font), and Google Fonts are now sorted alphabetically rather than by popularity so they can be located more easily.</p>
<p><strong>Improved WPML Compatbility</strong> &#8211; In some instances, WPML passes a non-standard value to an argument in the wp_nav_menu() parameters, which can throw an error.  UberMenu now handles this scenario.</p>
<p><strong>Improved Mobile Tabs</strong> &#8211; Tab toggles can now close their submenus when tapped on mobile, provided they have their links disabled.  This makes it easier to open and close tabs on mobile devices.  Tabs also now automatically collapse when the browser is resized to mobile sizes.</p>
<h3>Extensions</h3>
<p>Please note that the <a href="http://wpmegamenu.com/icons">Icons Extension</a> has also been updated to version 3.2.1, and now includes the new icons from Font Awesome 4.4.  If you are using the extension, you can update this plugin separately in the same fashion if you would like to use the new icons.</p>
<h2 id="faqs">Questions about updating?</h2>
<p>To update to UberMenu 3.2.1, please follow the standard instructions in the Knowledgebase: <a class="btn btn-success" href="https://sevenspark.com/docs/ubermenu-3/updates" title="Permalink to Installing Updates" rel="bookmark">Installing Updates</a></p>
<h3>Updating FAQs</h3>
<h4>Will I lose my settings when updating?</h4>
<p>No, your settings are stored in the database; only the files in the plugins/ubermenu directory will be replaced.  You should never edit the UberMenu plugins files, so this should not be an issue.  If you have added files in the /custom directory, they should automatically be backed up and restored after updating if your installation is running properly, but taking a backup of the /custom directory is a good idea just in case.</p>
<p>Of course, you should always back up your site before running any sort of update so that you can revert in case something goes wrong.</p>
<p>If you are updating from UberMenu version 2, please be sure to read and follow the <a href="https://sevenspark.com/docs/ubermenu-3/migration" title="Permalink to UberMenu 2 to UberMenu 3 Migration" rel="bookmark">UberMenu 2 to UberMenu 3 Migration Guide</a></p>
<h4>Where can I download the update?</h4>
<p>If you are an UberMenu customer, you can download the latest version of UberMenu from your <a href="http://codecanyon.net/downloads">CodeCanyon Downloads page</a>.  Otherwise, you can <a href="http://codecanyon.net/item/ubermenu-wordpress-mega-menu-plugin/154703?ref=sevenspark">purchase UberMenu through CodeCanyon</a> </p>
<h4>Automatic Updates aren&#8217;t working, I get an error trying to update</h4>
<p>There are no automatic updates.  Please review the update notes and notices in your admin interface.  To install the update, you&#8217;ll need to download the zip from CodeCanyon and update the plugin manually.  Please see the instructions here: <a href="https://sevenspark.com/docs/ubermenu-3/updates" title="Permalink to Installing Updates" rel="bookmark">Installing Updates</a></p>
<h4>Is the update free?</h4>
<p>Yes, if you have purchased the plugin you can get the latest version via your <a href="http://codecanyon.net/downloads">CodeCanyon Downloads page</a></p>
<h4>Any further questions?</h4>
<p>If you have any questions not answered here or in the Knowledgebase, please <a class="btn btn-primary" href="https://sevenspark.com/help">Submit a Ticket <i class="fa fa-chevron-right"></i></a></p>
<p>The post <a href="https://sevenspark.com/announcements/new-features-ubermenu-3-2-1">New features in UberMenu 3.2.1 update</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
		
		
			</item>
		<item>
		<title>Help a dev out! When asking for support: ALWAYS include a URL</title>
		<link>https://sevenspark.com/web-development/support-always-include-url</link>
					<comments>https://sevenspark.com/web-development/support-always-include-url#comments</comments>
		
		<dc:creator><![CDATA[Chris]]></dc:creator>
		<pubDate>Mon, 17 Mar 2014 16:19:11 +0000</pubDate>
				<category><![CDATA[Web Development]]></category>
		<guid isPermaLink="false">http://sevenspark.com/?p=15179</guid>

					<description><![CDATA[<p>Access to the website in question is CRITICAL when requesting support.  Maximize the efficiency of your support requests by always including a URL demonstrating the issue.</p>
<p>The post <a href="https://sevenspark.com/web-development/support-always-include-url">Help a dev out! When asking for support: ALWAYS include a URL</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></description>
										<content:encoded><![CDATA[<p>So, something isn&#8217;t working on your website, and you need an expert to tell you what&#8217;s wrong.  To get the best support possible, you need to allow them to view your website so they can investigate.</p>
<p>I frequently receive support requests from customers asking me to diagnose issues based on just a description or a screenshot.  As someone who deals with troubleshooting customer site issues a lot, I can tell you that access to the site itself is almost always a prerequisite to providing assistance.  While it seems obvious to a developer that this is a necessity, it doesn&#8217;t occur to some customers, so I thought I&#8217;d explain why access to the actual site is so critical when troubleshooting.</p>
<p class="tagline tagline-med">Vague symptom reports and screenshots don&#8217;t tell the whole story</p>
<p>Unfortunately, customer reports of site issues are rarely reliable, simply due to lack of expertise.  Just like I can&#8217;t give a mechanic a useful diagnosis of issues with my carburetor, non-developer analyses of website issues are similarly unhelpful (or at least incomplete) for troubleshooting the problem (customers with the skills to provide a complete analysis have already solved their own problem in 99% of cases).  In the best case, the report is but one piece of the puzzle; in the worst case, the report is misleading as the user has misinterpreted the issue (that&#8217;s not a z-index issue, it&#8217;s a hidden overflow problem).</p>
<p>Screenshots are little better for troubleshooting &#8211; though they can certainly be useful in drawing attention to the location of the problem.  <strong>The visual output of an issue is only a small fraction of the information available to an expert attempting to diagnose a problem.</strong>  In my experience, guessing based on a screenshot is essentially pointless.</p>
<h3>Analogy time.</h3>
<p class="tagline tagline-med">Accessing your site in a browser is like getting under the hood of your car</p>
<p><img decoding="async" src="//sevenspark.com/wp-content/uploads/2014/03/photodune-2834329-car-troubleshooting-s-300x200.jpg" alt="Car troubleshooting" width="300" height="200" class="alignright size-medium wp-image-15182" srcset="https://sevenspark.com/wp-content/uploads/2014/03/photodune-2834329-car-troubleshooting-s-300x200.jpg 300w, https://sevenspark.com/wp-content/uploads/2014/03/photodune-2834329-car-troubleshooting-s.jpg 948w" sizes="(max-width: 300px) 100vw, 300px" /></p>
<p>When you&#8217;ve got automobile problems, you need to bring your car into the shop.  They can run diagnostics, test the battery, check the oil level, and see the engine firsthand.  In short, the mechanic needs to get under the hood to investigate the source of the problem.</p>
<p>The same thing is true with websites.  The customer only sees the symptoms on the surface &#8211; the end result.  The developer, with specific browser tools, can look at the underlying HTML, CSS, JS, and DOM structure, view javascript error logs, investigate the loading of resources over the network, troubleshoot CSS selector specificities, debug javascript execution, and even test solutions.  </p>
<p><img decoding="async" src="//i.imgur.com/VWnIxBb.png" /></p>
<p class="tagline tagline-med">Firsthand access to the website is absolutely critical to the accurate diagnosis of any non-trivial site issue.</p>
<p>Luckily, providing access to a website is a lot cheaper than a tow truck.</p>
<h3>Just the tip of the iceberg</h3>
<p>Keep in mind that symptoms and diagnoses are not 1:1 relationships.  There could be multiple causes for the same symptom, so a developer can rarely offer a definitive solution based on a symptom report alone.  For example, let&#8217;s say a custom CSS style isn&#8217;t working on a website (a common support request: &#8220;I added some CSS but it didn&#8217;t work &#8211; why?&#8221;).  Here&#8217;s a  partial list of why that might occur:</p>
<ol>
<li>The stylesheet didn&#8217;t load (this in and of itself could have several different causes)</li>
<li>The stylesheet loaded, but a syntax error prior to the style in question prevented the style from being processed by the browser</li>
<li>The custom CSS selector did not properly target the intended element</li>
<li>The custom CSS selector targeted the element properly, but did not have a high enough specificity and was overridden by another style.</li>
<li>The custom CSS was properly applied but was missing the prefix for the desired browser.</li>
<li>A caching plugin is in use and the cache was not cleared, so the site is still serving up old stylesheets without the new custom CSS</li>
<li>An HTML syntax error caused a DOM error that prevents style rendering in Internet Explorer</li>
<li>A bad doctype has sent IE into quirks mode, altering the rendering of the DOM elements</li>
</ol>
<p class="tagline tagline-med">A single symptom might be the indicator for a number of underlying causes</p>
<p>A report that &#8220;the CSS doesn&#8217;t work&#8221; or a screenshot showing a lack of styling gets us no closer to a resolution because it gives us no information to troubleshoot.  As soon as the URL is provided and the developer can get &#8220;under the hood,&#8221; the cause behind the symptom can be diagnosed, and a solution can be provided.</p>
<p>Imagine calling your mechanic and saying &#8220;my car won&#8217;t start, what is wrong?&#8221;</p>
<p>Well,</p>
<ol>
<li>Your battery might be dead</li>
<li>The spark plugs might be worn out</li>
<li>The ignition timing might be off</li>
<li>The distributor cap might be cracked</li>
<li>The car might be out of gas</li>
<li>Maybe the engine is flooded from that time you drove through that puddle the size of Lake Michigan</li>
<li>Maybe you didn&#8217;t turn the key or have your foot on the break when you pressed the keyless ignition start button</li>
</ol>
<p>(or probably 50 other reasons &#8211; I&#8217;m not a mechanic, and I don&#8217;t play one on TV)</p>
<p>You&#8217;ll need to bring it into the shop, because your mechanic can&#8217;t tell the source of the issue without looking under the hood.  Neither can your web developer.</p>
<h3>But I&#8217;m still in development!</h3>
<p>So, what do you do if your site isn&#8217;t public, so your expert/developer can&#8217;t see it?  You have a few options:</p>
<p>1. Try to debug it yourself with the resources at your disposal.  In the case of UberMenu for example, I&#8217;ve provided a <a href="https://sevenspark.com/symptom/ubermenu-symptoms">Troubleshooter</a> that will walk you through troubleshooting common symptoms.</p>
<p>2. If your site is on a public server but requires credentials, provide credentials to the expert troubleshooting your site.</p>
<p>3. If your site is not on a public server, and you don&#8217;t know how to troubleshoot it yourself, you&#8217;ll either need to hire someone to come over and view the site on your local network, or put the site up on a public server temporarily so the expert can troubleshoot it remotely.  I recommend the latter.</p>
<p>4. If it&#8217;s a code problem that isn&#8217;t site-specific, create a demonstration of the issue that others can troubleshoot.  <a href="http://codepen.io/">CodePen</a> and <a href="http://jsfiddle.net/">JS Fiddle</a> are excellent resources.  As CodePen states: <strong>Demo or it didn&#8217;t happen.</strong></p>
<p class="tagline tagline-med">Demo or it didn&#8217;t happen</p>
<hr/>
<p>If you want help from a developer, it&#8217;s up to you to provide the requisite access.  Your doctor needs to X-ray your arm to see if it&#8217;s broken, your mechanic needs to check your car&#8217;s oil to tell if it needs replacing, and web developers need to see your website in a browser in order to troubleshoot it.  Expecting a developer to be able to diagnose and provide a solution for a problem that they can&#8217;t investigate simply isn&#8217;t reasonable.</p>
<p>Want good support?  The most important thing to do is to make it as easy as possible for the developer to troubleshoot your site by providing them all the resources they need.  That and be polite &#8211; the friendly customer is going to get a better response than the belligerent customer any day of the week 🙂</p>
<p>Happy troubleshooting!</p>
<p>The post <a href="https://sevenspark.com/web-development/support-always-include-url">Help a dev out! When asking for support: ALWAYS include a URL</a> appeared first on <a href="https://sevenspark.com">SevenSpark</a>.</p>
]]></content:encoded>
					
					<wfw:commentRss>https://sevenspark.com/web-development/support-always-include-url/feed</wfw:commentRss>
			<slash:comments>5</slash:comments>
		
		
			</item>
	</channel>
</rss>
