diff --git a/acf.php b/acf.php index f1a892a..69720ba 100644 --- a/acf.php +++ b/acf.php @@ -3,7 +3,7 @@ Plugin Name: Advanced Custom Fields PRO Plugin URI: https://www.advancedcustomfields.com/ Description: Customise WordPress with powerful, professional and intuitive fields. -Version: 5.6.7 +Version: 5.6.9 Author: Elliot Condon Author URI: http://www.elliotcondon.com/ Copyright: Elliot Condon @@ -18,12 +18,17 @@ if( ! class_exists('ACF') ) : class ACF { /** @var string The plugin version number */ - var $version = '5.6.7'; - + var $version = '5.6.9'; /** @var array The plugin settings array */ var $settings = array(); + /** @var array The plugin data array */ + var $data = array(); + + /** @var array Storage for class instances */ + var $instances = array(); + /* * __construct @@ -136,7 +141,6 @@ class ACF { acf_include('includes/loop.php'); acf_include('includes/media.php'); acf_include('includes/revisions.php'); - acf_include('includes/third_party.php'); acf_include('includes/updates.php'); acf_include('includes/validation.php'); @@ -227,12 +231,18 @@ class ACF { // textdomain $this->load_plugin_textdomain(); + // include 3rd party support + acf_include('includes/third-party.php'); // include wpml support if( defined('ICL_SITEPRESS_VERSION') ) { acf_include('includes/wpml.php'); } + // include gutenberg + if( defined('GUTENBERG_VERSION') ) { + acf_include('includes/forms/form-gutenberg.php'); + } // fields acf_include('includes/fields/class-acf-field-text.php'); @@ -554,60 +564,125 @@ class ACF { } - - /* - * get_setting + /** + * has_setting * - * This function will return a value from the settings array found in the acf object + * Returns true if has setting. * - * @type function - * @date 28/09/13 - * @since 5.0.0 + * @date 2/2/18 + * @since 5.6.5 * - * @param $name (string) the setting name to return - * @param $value (mixed) default value - * @return $value + * @param string $name + * @return boolean */ - function get_setting( $name, $value = null ) { - - // check settings - if( isset($this->settings[ $name ]) ) { - $value = $this->settings[ $name ]; - } - - - // filter - if( substr($name, 0, 1) !== '_' ) { - $value = apply_filters( "acf/settings/{$name}", $value ); - } - - - // return - return $value; - + function has_setting( $name ) { + return isset($this->settings[ $name ]); } - - /* - * update_setting + /** + * get_setting * - * This function will update a value into the settings array found in the acf object + * Returns a setting. * - * @type function * @date 28/09/13 * @since 5.0.0 * - * @param $name (string) - * @param $value (mixed) + * @param string $name + * @return mixed + */ + + function get_setting( $name ) { + return isset($this->settings[ $name ]) ? $this->settings[ $name ] : null; + } + + /** + * update_setting + * + * Updates a setting. + * + * @date 28/09/13 + * @since 5.0.0 + * + * @param string $name + * @param mixed $value * @return n/a */ function update_setting( $name, $value ) { - $this->settings[ $name ] = $value; return true; - + } + + /** + * get_data + * + * Returns data. + * + * @date 28/09/13 + * @since 5.0.0 + * + * @param string $name + * @return mixed + */ + + function get_data( $name ) { + return isset($this->data[ $name ]) ? $this->data[ $name ] : null; + } + + + /** + * set_data + * + * Sets data. + * + * @date 28/09/13 + * @since 5.0.0 + * + * @param string $name + * @param mixed $value + * @return n/a + */ + + function set_data( $name, $value ) { + $this->data[ $name ] = $value; + } + + + /** + * get_instance + * + * Returns an instance. + * + * @date 13/2/18 + * @since 5.6.9 + * + * @param string $class The instance class name. + * @return object + */ + + function get_instance( $class ) { + $name = strtolower($class); + return isset($this->instances[ $name ]) ? $this->instances[ $name ] : null; + } + + /** + * new_instance + * + * Creates and stores an instance. + * + * @date 13/2/18 + * @since 5.6.9 + * + * @param string $class The instance class name. + * @return object + */ + + function new_instance( $class ) { + $instance = new $class(); + $name = strtolower($class); + $this->instances[ $name ] = $instance; + return $instance; } } diff --git a/assets/css/acf-input.css b/assets/css/acf-input.css index c1810db..ae71d6f 100644 --- a/assets/css/acf-input.css +++ b/assets/css/acf-input.css @@ -788,9 +788,15 @@ html[dir="rtl"] ul.acf-checkbox-list input[type="radio"] { .acf-button-group label:first-child { border-radius: 3px 0 0 3px; } +html[dir="rtl"] .acf-button-group label:first-child { + border-radius: 0 3px 3px 0; +} .acf-button-group label:last-child { border-radius: 0 3px 3px 0; } +html[dir="rtl"] .acf-button-group label:last-child { + border-radius: 3px 0 0 3px; +} .acf-button-group label:only-child { border-radius: 3px; } @@ -2659,3 +2665,19 @@ p.submit .acf-spinner { .acf-postbox.acf-hidden { display: none !important; } +/*-------------------------------------------------------------------------------------------- +* +* Gutenberg +* +*--------------------------------------------------------------------------------------------*/ +#editor .editor-meta-boxes-area { + max-width: 80%; +} +#editor .editor-meta-boxes-area .postbox { + border: #e2e4e7 solid 1px; + border-bottom: none; + margin: 20px 0; +} +#editor .editor-meta-boxes-area input { + max-width: none; +} diff --git a/assets/js/acf-input.js b/assets/js/acf-input.js index d223153..526ed9b 100644 --- a/assets/js/acf-input.js +++ b/assets/js/acf-input.js @@ -3508,6 +3508,7 @@ var acf; actions: { 'ready': 'ready', 'change': 'on', + 'submit': 'off' }, ready: function(){ @@ -4085,6 +4086,65 @@ var acf; }; + /** + * acf.lock + * + * Creates a lock on an element + * + * @date 22/2/18 + * @since 5.6.9 + * + * @param type $var Description. Default. + * @return type Description. + */ + + acf.lock = function( $el, type, key ){ + var locks = getLocks( $el, type ); + var i = locks.indexOf(key); + if( i < 0 ) { + locks.push( key ); + setLocks( $el, type, locks ); + } + }; + + acf.unlock = function( $el, type, key ){ + var locks = getLocks( $el, type ); + var i = locks.indexOf(key); + if( i > -1 ) { + locks.splice(i, 1); + setLocks( $el, type, locks ); + } + }; + + acf.isLocked = function( $el, type ){ + return ( getLocks( $el, type ).length > 0 ); + }; + + var getLocks = function( $el, type ){ + return $el.data('acf-lock-'+type) || []; + }; + + var setLocks = function( $el, type, locks ){ + $el.data('acf-lock-'+type, locks); + } + +/* + $(document).ready(function(){ + + var $el = $('#page_template'); + + console.log( 'isLocked', acf.isLocked($el, 'visible') ); + console.log( 'getLocks', getLocks($el, 'visible') ); + + console.log( 'lock', acf.lock($el, 'visible', 'me') ); + console.log( 'getLocks', getLocks($el, 'visible') ); + console.log( 'isLocked', acf.isLocked($el, 'visible') ); + + console.log( 'unlock', acf.unlock($el, 'visible', 'me') ); + console.log( 'isLocked', acf.isLocked($el, 'visible') ); + + }); +*/ /* * Sortable @@ -4340,6 +4400,8 @@ var acf; // bail early if not active if( !this.active ) return; + // bail early if not for post + if( acf.get('screen') !== 'post' ) return; // bail early if no ajax if( !acf.get('ajax') ) return; @@ -4877,8 +4939,9 @@ var acf; (function($, undefined){ - // vars - var hidden = 'hidden-by-conditional-logic'; + // constants + var CLASS = 'hidden-by-conditional-logic'; + var CONTEXT = 'conditional_logic'; // model var conditionalLogic = acf.conditional_logic = acf.model.extend({ @@ -5279,22 +5342,34 @@ var acf; * @return $post_id (int) */ - showField: function( $field ){ + showField: function( $field, lockKey ){ +//console.log('showField', lockKey, $field.data('name'), $field.data('type') ); + // defaults + lockKey = lockKey || 'default'; - // bail ealry if not hidden - //if( !$field.hasClass(hidden) ) return; + // bail early if field is not locked (does not need to be unlocked) + if( !acf.isLocked($field, CONTEXT) ) { +//console.log('- not locked, no need to show'); + return false; + } - // vars - var key = $field.data('key'); + // unlock + acf.unlock($field, CONTEXT, lockKey); + + // bail early if field is still locked (by another field) + if( acf.isLocked($field, CONTEXT) ) { +//console.log('- is still locked, cant show', acf.getLocks($field, CONTEXT)); + return false; + } // remove class - $field.removeClass(hidden); + $field.removeClass( CLASS ); // enable - acf.enable_form( $field, 'condition-'+key ); + acf.enable_form( $field, CONTEXT ); // action for 3rd party customization - acf.do_action('show_field', $field, 'conditional_logic' ); + acf.do_action('show_field', $field, CONTEXT ); }, @@ -5312,22 +5387,31 @@ var acf; * @return $post_id (int) */ - hideField : function( $field ){ - - // bail ealry if hidden - //if( $field.hasClass(hidden) ) return; + hideField: function( $field, lockKey ){ +//console.log('hideField', lockKey, $field.data('name'), $field.data('type') ); + // defaults + lockKey = lockKey || 'default'; // vars - var key = $field.data('key'); + var isLocked = acf.isLocked($field, CONTEXT); + + // unlock + acf.lock($field, CONTEXT, lockKey); + + // bail early if field is already locked (by another field) + if( isLocked ) { +//console.log('- is already locked'); + return false; + } // add class - $field.addClass( hidden ); + $field.addClass( CLASS ); // disable - acf.disable_form( $field, 'condition-'+key ); + acf.disable_form( $field, CONTEXT ); // action for 3rd party customization - acf.do_action('hide_field', $field, 'conditional_logic' ); + acf.do_action('hide_field', $field, CONTEXT ); }, @@ -9274,8 +9358,8 @@ var acf; $input: null, events: { - 'input input': '_change', - 'change input': '_change' + 'input input': 'onInput', + 'change input': 'onChange' }, focus: function(){ @@ -9287,30 +9371,22 @@ var acf; }, - _change: function( e ){ - - // get value from changed element - var val = e.$el.val(); - var type = e.$el.attr('type'); - - - // allow for cleared value - val = val || 0; - - - // update sibling - if( type === 'range' ) { - - this.$input.val( val ); - - } else { - - this.$range.val( val ); - - } - - } + setValue: function( val ){ + this.$input.val( val ); + this.$range.val( val ); + }, + onInput: function( e ){ + this.setValue( e.$el.val() ); + }, + + onChange: function( e ){ + this.setValue( e.$el.val() ); + + if( e.$el.attr('type') == 'number' ) { + this.$range.trigger('change'); + } + } }); })(jQuery); @@ -11630,7 +11706,7 @@ var acf; (function($){ // vars - var hidden = 'hidden-by-conditional-logic'; + var CLASS = 'hidden-by-conditional-logic'; var groupIndex = 0; var tabIndex = 0; @@ -11955,18 +12031,18 @@ var acf; // hide li - $li.addClass(hidden); + $li.addClass( CLASS ); // hide fields tabs.getFields( $field ).each(function(){ - acf.conditional_logic.hide_field( $(this) ); + acf.conditional_logic.hide_field( $(this), key ); }); // select other tab if active if( $li.hasClass('active') ) { - $wrap.find('li:not(.'+hidden+'):first a').trigger('click'); + $wrap.find('li:not(.'+CLASS+'):first a').trigger('click'); } }, @@ -11989,18 +12065,18 @@ var acf; // show li - $li.removeClass(hidden); + $li.removeClass( CLASS ); // hide fields tabs.getFields( $field ).each(function(){ - acf.conditional_logic.show_field( $(this) ); + acf.conditional_logic.show_field( $(this), key ); }); // select tab if no other active var $active = $li.siblings('.active'); - if( !$active.exists() || $active.hasClass(hidden) ) { + if( !$active.exists() || $active.hasClass(CLASS) ) { tabs.toggle( $tab ); } @@ -13547,11 +13623,6 @@ var acf; } - - // action for 3rd party - acf.do_action('validation_failure'); - - // set valid (prevents fetch_complete from runing) this.valid = false; @@ -13563,6 +13634,10 @@ var acf; // display errors this.display_errors( json.errors, $form ); + + // action + acf.do_action('validation_failure'); + }, diff --git a/assets/js/acf-input.min.js b/assets/js/acf-input.min.js index f233b05..4bc76bf 100644 --- a/assets/js/acf-input.min.js +++ b/assets/js/acf-input.min.js @@ -1,3 +1,3 @@ -!function(e,t){"use strict";var i=function(){function e(){return u}function t(e,t,i,a){return"string"==typeof e&&"function"==typeof t&&(i=parseInt(i||10,10),l("actions",e,t,i,a)),f}function i(){var e=Array.prototype.slice.call(arguments),t=e.shift();return"string"==typeof t&&d("actions",t,e),f}function a(e,t){return"string"==typeof e&&r("actions",e,t),f}function n(e,t,i,a){return"string"==typeof e&&"function"==typeof t&&(i=parseInt(i||10,10),l("filters",e,t,i,a)),f}function s(){var e=Array.prototype.slice.call(arguments),t=e.shift();return"string"==typeof t?d("filters",t,e):f}function o(e,t){return"string"==typeof e&&r("filters",e,t),f}function r(e,t,i,a){if(u[e][t])if(i){var n=u[e][t],s;if(a)for(s=n.length;s--;){var o=n[s];o.callback===i&&o.context===a&&n.splice(s,1)}else for(s=n.length;s--;)n[s].callback===i&&n.splice(s,1)}else u[e][t]=[]}function l(e,t,i,a,n){var s={callback:i,priority:a,context:n},o=u[e][t];o?(o.push(s),o=c(o)):o=[s],u[e][t]=o}function c(e){for(var t,i,a,n=1,s=e.length;nt.priority;)e[i]=e[i-1],--i;e[i]=t}return e}function d(e,t,i){var a=u[e][t];if(!a)return"filters"===e&&i[0];var n=0,s=a.length;if("filters"===e)for(;n0},$.fn.outerHTML=function(){return $(this).get(0).outerHTML},acf={l10n:{},o:{},update:function(e,t){this.o[e]=t},get:function(e){return void 0!==this.o[e]?this.o[e]:null},_e:function(e,t){t=t||!1;var i=this.l10n[e]||"";return t&&(i=i[t]||""),i},add_action:function(){for(var e=arguments[0].split(" "),t=e.length,i=0;ie.length?Array(t-e.length+1).join("0")+e:e};return this.php_js||(this.php_js={}),this.php_js.uniqidSeed||(this.php_js.uniqidSeed=Math.floor(123456789*Math.random())),this.php_js.uniqidSeed++,i=e,i+=a(parseInt((new Date).getTime()/1e3,10),8),i+=a(this.php_js.uniqidSeed,5),t&&(i+=(10*Math.random()).toFixed(8).toString()),i},serialize_form:function(){return this.serialize.apply(this,arguments)},serialize:function(e,t){t=t||"";var i={},a={},n=e.find("select, textarea, input").serializeArray();return $.each(n,function(e,n){var s=n.name,o=n.value;if(t){if(0!==s.indexOf(t))return;s=s.slice(t.length),"["==s.slice(0,1)&&(s=s.slice(1).replace("]",""))}"[]"===s.slice(-2)&&(s=s.slice(0,-2),void 0===a[s]&&(a[s]=-1),a[s]++,s+="["+a[s]+"]"),i[s]=o}),i},disable:function(e,t){if(t=t||"",e.hasClass("acf-disabled"))return!1;if(e.prop("disabled",!0),t){var i=e.data("acf_disabled")||[];i.indexOf(t)<0&&(i.push(t),e.data("acf_disabled",i))}return!0},enable:function(e,t){if(t=t||"",e.hasClass("acf-disabled"))return!1;var i=e.data("acf_disabled")||[];if(t){var a=i.indexOf(t);a>-1&&(i.splice(a,1),e.data("acf_disabled",i))}return!i.length&&(e.prop("disabled",!1),!0)},disable_el:function(e,t){t=t||"",e.find("select, textarea, input").each(function(){acf.disable($(this),t)})},disable_form:function(e,t){this.disable_el.apply(this,arguments)},enable_el:function(e,t){t=t||"",e.find("select, textarea, input").each(function(){acf.enable($(this),t)})},enable_form:function(e,t){this.enable_el.apply(this,arguments)},remove_tr:function(e,t){var i=e.height(),a=e.children().length;e.addClass("acf-remove-element"),setTimeout(function(){e.removeClass("acf-remove-element"),e.html(''),e.children("td").animate({height:0},250,function(){e.remove(),"function"==typeof t&&t()})},250)},remove_el:function(e,t,i){i=i||0;var a=e.height(),n=e.width(),s=e.css("margin"),o=e.outerHeight(!0);acf.do_action("remove",e),e.wrap('
');var r=e.parent();e.css({height:a,width:n,margin:s,position:"absolute"}),setTimeout(function(){r.css({opacity:0,height:i})},50),setTimeout(function(){r.remove(),"function"==typeof t&&t.apply(this,arguments)},301)},isset:function(){var e=arguments,t=e.length,a=null,n;if(0===t)throw new Error("Empty isset");for(a=e[0],i=1;i #acf-popup"),$popup.exists())return update_popup(e);var t=['
','
','

','
','
',"
",'
',"
"].join("");return $("body").append(t),$("#acf-popup").on("click",".bg, .acf-close-popup",function(e){e.preventDefault(),acf.close_popup()}),this.update_popup(e)},update_popup:function(e){return $popup=$("#acf-popup"),!!$popup.exists()&&(e=$.extend({},{title:"",content:"",width:0,height:0,loading:!1},e),e.title&&$popup.find(".title h3").html(e.title),e.content&&($inner=$popup.find(".inner:first"),$inner.html(e.content),acf.do_action("append",$inner),$inner.attr("style","position: relative;"),e.height=$inner.outerHeight(),$inner.removeAttr("style")),e.width&&$popup.find(".acf-popup-box").css({width:e.width,"margin-left":0-e.width/2}),e.height&&(e.height+=44,$popup.find(".acf-popup-box").css({height:e.height,"margin-top":0-e.height/2})),e.loading?$popup.find(".loading").show():$popup.find(".loading").hide(),$popup)},close_popup:function(){$popup=$("#acf-popup"),$popup.exists()&&$popup.remove()},update_user_setting:function(e,t){$.ajax({url:acf.get("ajaxurl"),dataType:"html",type:"post",data:acf.prepare_for_ajax({action:"acf/update_user_setting",name:e,value:t})})},prepare_for_ajax:function(e){var t={};return $.each(e,function(e,i){$.isPlainObject(i)&&!$.isEmptyObject(i)?$.each(i,function(i,a){i+="";var n=i.indexOf("[");i=0==n?e+i:n>0?e+"["+i.slice(0,n)+"]"+i.slice(n):e+"["+i+"]",t[i]=a}):t[e]=i}),t.nonce=acf.get("nonce"),t.post_id=acf.get("post_id"),t=acf.apply_filters("prepare_for_ajax",t)},is_ajax_success:function(e){return!(!e||!e.success)},get_ajax_message:function(e){var t={text:"",type:"error"};return e?(e.success&&(t.type="success"),e.data&&e.data.message&&(t.text=e.data.message),e.data&&e.data.error&&(t.text=e.data.error),t):t},is_in_view:function(e){var t=e.offset().top,i=t+e.height();if(t===i)return!1;var a=$(window).scrollTop();return i<=a+$(window).height()&&t>=a},val:function(e,t){var i=e.val();e.val(t),t!=i&&e.trigger("change")},str_replace:function(e,t,i){return i.split(e).join(t)},str_sanitize:function(e){var t={"À":"A","Á":"A","Â":"A","Ã":"A","Ä":"A","Å":"A","Æ":"AE","Ç":"C","È":"E","É":"E","Ê":"E","Ë":"E","Ì":"I","Í":"I","Î":"I","Ï":"I","Ð":"D","Ñ":"N","Ò":"O","Ó":"O","Ô":"O","Õ":"O","Ö":"O","Ø":"O","Ù":"U","Ú":"U","Û":"U","Ü":"U","Ý":"Y","ß":"s","à":"a","á":"a","â":"a","ã":"a","ä":"a","å":"a","æ":"ae","ç":"c","è":"e","é":"e","ê":"e","ë":"e","ì":"i","í":"i","î":"i","ï":"i","ñ":"n","ò":"o","ó":"o","ô":"o","õ":"o","ö":"o","ø":"o","ù":"u","ú":"u","û":"u","ü":"u","ý":"y","ÿ":"y","Ā":"A","ā":"a","Ă":"A","ă":"a","Ą":"A","ą":"a","Ć":"C","ć":"c","Ĉ":"C","ĉ":"c","Ċ":"C","ċ":"c","Č":"C","č":"c","Ď":"D","ď":"d","Đ":"D","đ":"d","Ē":"E","ē":"e","Ĕ":"E","ĕ":"e","Ė":"E","ė":"e","Ę":"E","ę":"e","Ě":"E","ě":"e","Ĝ":"G","ĝ":"g","Ğ":"G","ğ":"g","Ġ":"G","ġ":"g","Ģ":"G","ģ":"g","Ĥ":"H","ĥ":"h","Ħ":"H","ħ":"h","Ĩ":"I","ĩ":"i","Ī":"I","ī":"i","Ĭ":"I","ĭ":"i","Į":"I","į":"i","İ":"I","ı":"i","IJ":"IJ","ij":"ij","Ĵ":"J","ĵ":"j","Ķ":"K","ķ":"k","Ĺ":"L","ĺ":"l","Ļ":"L","ļ":"l","Ľ":"L","ľ":"l","Ŀ":"L","ŀ":"l","Ł":"l","ł":"l","Ń":"N","ń":"n","Ņ":"N","ņ":"n","Ň":"N","ň":"n","ʼn":"n","Ō":"O","ō":"o","Ŏ":"O","ŏ":"o","Ő":"O","ő":"o","Œ":"OE","œ":"oe","Ŕ":"R","ŕ":"r","Ŗ":"R","ŗ":"r","Ř":"R","ř":"r","Ś":"S","ś":"s","Ŝ":"S","ŝ":"s","Ş":"S","ş":"s","Š":"S","š":"s","Ţ":"T","ţ":"t","Ť":"T","ť":"t","Ŧ":"T","ŧ":"t","Ũ":"U","ũ":"u","Ū":"U","ū":"u","Ŭ":"U","ŭ":"u","Ů":"U","ů":"u","Ű":"U","ű":"u","Ų":"U","ų":"u","Ŵ":"W","ŵ":"w","Ŷ":"Y","ŷ":"y","Ÿ":"Y","Ź":"Z","ź":"z","Ż":"Z","ż":"z","Ž":"Z","ž":"z","ſ":"s","ƒ":"f","Ơ":"O","ơ":"o","Ư":"U","ư":"u","Ǎ":"A","ǎ":"a","Ǐ":"I","ǐ":"i","Ǒ":"O","ǒ":"o","Ǔ":"U","ǔ":"u","Ǖ":"U","ǖ":"u","Ǘ":"U","ǘ":"u","Ǚ":"U","ǚ":"u","Ǜ":"U","ǜ":"u","Ǻ":"A","ǻ":"a","Ǽ":"AE","ǽ":"ae","Ǿ":"O","ǿ":"o"," ":"_","'":"","?":"","/":"","\\":"",".":"",",":"","`":"",">":"","<":"",'"':"","[":"","]":"","|":"","{":"","}":"","(":"",")":""},i=/\W/g,a=function(e){return void 0!==t[e]?t[e]:e};return e=e.replace(i,a),e=e.toLowerCase()},addslashes:function(e){return e.replace(/[-[\]{}()*+?.,\\^$|#\s]/g,"\\$&")},esc_html:function(e){var t={"&":"&","<":"<",">":">",'"':""","'":"'","/":"/","`":"`","=":"="};return String(e).replace(/[&<>"'`=\/]/g,function(e){return t[e]})},render_select:function(e,t){var i=e.val();e.html(""),t&&$.each(t,function(t,a){var n=e;a.group&&(n=e.find('optgroup[label="'+a.group+'"]'),n.exists()||(n=$(''),e.append(n))),n.append('"),i==a.value&&e.prop("selectedIndex",t)})},duplicate:function(e){void 0!==e.length&&(e={$el:e}),e=acf.parse_args(e,{$el:!1,search:"",replace:"",before:function(e){},after:function(e,t){},append:function(e,t){e.after(t)}});var t=e.$el,i;e.search||(e.search=t.attr("data-id")),e.replace||(e.replace=acf.get_uniqid()),e.before.apply(this,[t]),acf.do_action("before_duplicate",t);var i=t.clone();return i.removeClass("acf-clone"),acf.do_action("remove",i),e.search&&(i.attr("data-id",e.replace),i.find('[id*="'+e.search+'"]').each(function(){$(this).attr("id",$(this).attr("id").replace(e.search,e.replace))}),i.find('[name*="'+e.search+'"]').each(function(){$(this).attr("name",$(this).attr("name").replace(e.search,e.replace))}),i.find('label[for*="'+e.search+'"]').each(function(){$(this).attr("for",$(this).attr("for").replace(e.search,e.replace))})),i.find(".ui-sortable").removeClass("ui-sortable"),acf.do_action("after_duplicate",t,i),e.after.apply(this,[t,i]),e.append.apply(this,[t,i]),setTimeout(function(){acf.do_action("append",i)},1),i},decode:function(e){return $("');e.before(t),this.active=!0,this.$node=e,this.$textarea=t;var i=this.atts();wpLink.open("acf-link-textarea",i.url,i.title,null),$("#wp-link-wrap").addClass("has-text-field")},reset:function(){this.active=!1,this.$textarea.remove(),this.$textarea=null,this.$node=null},_select:function(e,t){var i=this.inputs();i.title||(i.title=t.find(".item-title").text(),this.inputs(i),console.log(i))},_open:function(e){if(this.active){var t=this.atts();this.inputs(t)}},_close:function(e){this.active&&setTimeout(function(){acf.link.reset()},100)},_update:function(e){if(this.active){var t=this.inputs();this.atts(t)}}})}(jQuery),function($){acf.media=acf.model.extend({frames:[],mime_types:{},actions:{ready:"ready"},frame:function(){var e=this.frames.length-1;return!(e<0)&&this.frames[e]},destroy:function(e){e.detach(),e.dispose(),e=null,this.frames.pop()},popup:function(e){var t=acf.get("post_id"),i=!1;$.isNumeric(t)||(t=0);var a=acf.parse_args(e,{mode:"select",title:"",button:"",type:"",field:"",mime_types:"",library:"all",multiple:!1,attachment:0,post_id:t,select:function(){}});a.id&&(a.attachment=a.id);var i=this.new_media_frame(a);return this.frames.push(i),setTimeout(function(){i.open()},1),i},_get_media_frame_settings:function(e,t){return"select"===t.mode?e=this._get_select_frame_settings(e,t):"edit"===t.mode&&(e=this._get_edit_frame_settings(e,t)),e},_get_select_frame_settings:function(e,t){return t.type&&(e.library.type=t.type),"uploadedTo"===t.library&&(e.library.uploadedTo=t.post_id),e._button=acf._e("media","select"),e},_get_edit_frame_settings:function(e,t){return e.library.post__in=[t.attachment],e._button=acf._e("media","update"),e},_add_media_frame_events:function(e,t){return e.on("open",function(){this.$el.closest(".media-modal").addClass("acf-media-modal -"+t.mode)},e),e.on("content:render:edit-image",function(){var e=this.state().get("image"),t=new wp.media.view.EditImage({model:e,controller:this}).render();this.content.set(t),t.loadEditor()},e),e.on("toolbar:create:select",function(t){t.view=new wp.media.view.Toolbar.Select({text:e.options._button,controller:this})},e),e.on("select",function(){var i=e.state(),a=i.get("image"),n=i.get("selection");if(a)return void t.select.apply(e,[a,0]);if(n){var s=0;return void n.each(function(i){t.select.apply(e,[i,s]),s++})}}),e.on("close",function(){setTimeout(function(){acf.media.destroy(e)},500)}),"select"===t.mode?e=this._add_select_frame_events(e,t):"edit"===t.mode&&(e=this._add_edit_frame_events(e,t)),e},_add_select_frame_events:function(e,t){var i=this;return acf.isset(_wpPluploadSettings,"defaults","multipart_params")&&(_wpPluploadSettings.defaults.multipart_params._acfuploader=t.field,e.on("open",function(){delete _wpPluploadSettings.defaults.multipart_params._acfuploader})),e.on("content:activate:browse",function(){try{var a=e.content.get().toolbar,n=a.get("filters"),s=a.get("search")}catch(e){return}if("image"==t.type&&(n.filters.all.text=acf._e("image","all"),delete n.filters.audio,delete n.filters.video,$.each(n.filters,function(e,t){null===t.props.type&&(t.props.type="image")})),t.mime_types){var o=t.mime_types.split(" ").join("").split(".").join("").split(",");$.each(o,function(e,t){$.each(i.mime_types,function(e,i){if(-1!==e.indexOf(t)){var a={text:t,props:{status:null,type:i,uploadedTo:null,orderby:"date",order:"DESC"},priority:20};n.filters[i]=a}})})}"uploadedTo"==t.library&&(delete n.filters.unattached,delete n.filters.uploaded,n.$el.parent().append(''+acf._e("image","uploadedTo")+""),$.each(n.filters,function(e,i){i.props.uploadedTo=t.post_id})),$.each(n.filters,function(e,i){i.props._acfuploader=t.field}),s.model.attributes._acfuploader=t.field,"function"==typeof n.refresh&&n.refresh()}),e},_add_edit_frame_events:function(e,t){return e.on("open",function(){this.$el.closest(".media-modal").addClass("acf-expanded"),"browse"!=this.content.mode()&&this.content.mode("browse");var e=this.state(),i=e.get("selection"),a=wp.media.attachment(t.attachment);i.add(a)},e),e},new_media_frame:function(e){var t={title:e.title,multiple:e.multiple,library:{},states:[]};t=this._get_media_frame_settings(t,e);var i=wp.media.query(t.library);acf.isset(i,"mirroring","args")&&(i.mirroring.args._acfuploader=e.field),t.states=[new wp.media.controller.Library({library:i,multiple:t.multiple,title:t.title,priority:20,filterable:"all",editable:!0,allowLocalEdits:!0})],acf.isset(wp,"media","controller","EditImage")&&t.states.push(new wp.media.controller.EditImage);var a=wp.media(t);return a.acf=e,a=this._add_media_frame_events(a,e)},ready:function(){var e=acf.get("wp_version"),t=acf.get("browser"),i=acf.get("post_id");acf.isset(window,"wp","media","view","settings","post")&&$.isNumeric(i)&&(wp.media.view.settings.post.id=i),t&&$("body").addClass("browser-"+t),e&&(e+="",major=e.substr(0,1),$("body").addClass("major-"+major)),acf.isset(window,"wp","media","view")&&(this.customize_Attachment(),this.customize_AttachmentFiltersAll(),this.customize_AttachmentCompat())},customize_Attachment:function(){var e=wp.media.view.Attachment.Library;wp.media.view.Attachment.Library=e.extend({render:function(){var t=acf.media.frame(),i=acf.maybe_get(this,"model.attributes.acf_errors");return t&&i&&this.$el.addClass("acf-disabled"),e.prototype.render.apply(this,arguments)},toggleSelection:function(t){var i=this.collection,a=this.options.selection,n=this.model,s=a.single(),o=acf.media.frame(),r=acf.maybe_get(this,"model.attributes.acf_errors"),l=this.controller.$el.find(".media-frame-content .media-sidebar");if(l.children(".acf-selection-error").remove(),l.children().removeClass("acf-hidden"),o&&r){var c=acf.maybe_get(this,"model.attributes.filename","");return l.children().addClass("acf-hidden"),l.prepend(['
',''+acf._e("restricted")+"",''+c+"",''+r+"","
"].join("")),a.reset(),void a.single(n)}e.prototype.toggleSelection.apply(this,arguments)}})},customize_AttachmentFiltersAll:function(){wp.media.view.AttachmentFilters.All.prototype.refresh=function(){this.$el.html(_.chain(this.filters).map(function(e,t){return{el:$("").val(t).html(e.text)[0],priority:e.priority||50}},this).sortBy("priority").pluck("el").value())}},customize_AttachmentCompat:function(){var e=wp.media.view.AttachmentCompat;wp.media.view.AttachmentCompat=e.extend({add_acf_expand_button:function(){var e=this.$el.closest(".media-modal");if(!e.find(".media-frame-router .acf-expand-details").exists()){var t=$(['',''+acf._e("expand_details")+"",''+acf._e("collapse_details")+"",""].join(""));t.on("click",function(t){t.preventDefault(),e.hasClass("acf-expanded")?e.removeClass("acf-expanded"):e.addClass("acf-expanded")}),e.find(".media-frame-router").append(t)}},render:function(){if(this.ignore_render)return this;var t=this;return setTimeout(function(){t.add_acf_expand_button()},0),clearTimeout(acf.media.render_timout),acf.media.render_timout=setTimeout(function(){acf.do_action("append",t.$el)},50),e.prototype.render.apply(this,arguments)},dispose:function(){return acf.do_action("remove",this.$el),e.prototype.dispose.apply(this,arguments)},save:function(e){e&&e.preventDefault();var t=acf.serialize(this.$el);this.ignore_render=!0,this.model.saveCompat(t)}})}})}(jQuery),function($){acf.fields.oembed=acf.field.extend({type:"oembed",$el:null,events:{'click [data-name="search-button"]':"_search",'click [data-name="clear-button"]':"_clear",'click [data-name="value-title"]':"_edit",'keypress [data-name="search-input"]':"_keypress",'keyup [data-name="search-input"]':"_keyup",'blur [data-name="search-input"]':"_blur"},focus:function(){this.$el=this.$field.find(".acf-oembed"),this.$search=this.$el.find('[data-name="search-input"]'),this.$input=this.$el.find('[data-name="value-input"]'),this.$title=this.$el.find('[data-name="value-title"]'),this.$embed=this.$el.find('[data-name="value-embed"]'),this.o=acf.get_data(this.$el)},maybe_search:function(){var e=this.$input.val(),t=this.$search.val();if(!t)return void this.clear();t!=e&&this.search()},search:function(){var e=this.$search.val();"http"!=e.substr(0,4)&&(e="http://"+e,this.$search.val(e)),this.$el.addClass("is-loading");var t=acf.prepare_for_ajax({action:"acf/fields/oembed/search",s:e,field_key:this.$field.data("key")});this.$el.data("xhr")&&this.$el.data("xhr").abort();var i=$.ajax({url:acf.get("ajaxurl"),data:t,type:"post",dataType:"json",context:this,success:this.search_success});this.$el.data("xhr",i)},search_success:function(e){var t=this.$search.val();if(this.$el.removeClass("is-loading"),!e||!e.html)return void this.$el.removeClass("has-value").addClass("has-error");this.$el.removeClass("has-error").addClass("has-value"),this.$input.val(t),this.$title.html(t),this.$embed.html(e.html)},clear:function(){this.$el.removeClass("has-error has-value"),this.$el.find('[data-name="search-input"]').val(""),this.$input.val(""),this.$title.html(""),this.$embed.html("")},edit:function(){this.$el.addClass("is-editing"),this.$search.val(this.$title.text()).focus()},blur:function(e){this.$el.removeClass("is-editing"),this.maybe_search()},_search:function(e){this.search()},_clear:function(e){this.clear()},_edit:function(e){this.edit()},_keypress:function(e){13==e.which&&e.preventDefault()},_keyup:function(e){this.$search.val()&&this.maybe_search()},_blur:function(e){this.blur()}})}(jQuery),function($){acf.fields.radio=acf.field.extend({type:"radio",$ul:null,actions:{ready:"initialize",append:"initialize"},events:{'click input[type="radio"]':"click"},focus:function(){this.$ul=this.$field.find(".acf-radio-list"),this.o=acf.get_data(this.$ul)},initialize:function(){this.$ul.find(".selected input").prop("checked",!0)},click:function(e){var t=e.$el,i=t.parent("label"),a=i.hasClass("selected"),n=t.val();if(this.$ul.find(".selected").removeClass("selected"),i.addClass("selected"),this.o.allow_null&&a&&(e.$el.prop("checked",!1),i.removeClass("selected"),n=!1,e.$el.trigger("change")),this.o.other_choice){var s=this.$ul.find('input[type="text"]');"other"===n?s.prop("disabled",!1).attr("name",t.attr("name")):s.prop("disabled",!0).attr("name","")}}})}(jQuery),function($){acf.fields.range=acf.field.extend({type:"range",$el:null,$range:null,$input:null,events:{"input input":"_change","change input":"_change"},focus:function(){this.$el=this.$field.find(".acf-range-wrap"),this.$range=this.$el.children('input[type="range"]'),this.$input=this.$el.children('input[type="number"]')},_change:function(e){var t=e.$el.val(),i=e.$el.attr("type");t=t||0,"range"===i?this.$input.val(t):this.$range.val(t)}})}(jQuery),function($){acf.fields.relationship=acf.field.extend({type:"relationship",$el:null,$input:null,$filters:null,$choices:null,$values:null,actions:{ready:"initialize",append:"initialize"},events:{"keypress [data-filter]":"submit_filter","change [data-filter]":"change_filter","keyup [data-filter]":"change_filter","click .choices .acf-rel-item":"add_item",'click [data-name="remove_item"]':"remove_item"},focus:function(){this.$el=this.$field.find(".acf-relationship"),this.$input=this.$el.children('input[type="hidden"]'),this.$choices=this.$el.find(".choices"),this.$values=this.$el.find(".values"),this.o=acf.get_data(this.$el)},initialize:function(){var e=this,t=this.$field,i=this.$el,a=this.$input;this.$values.children(".list").sortable({items:"li",forceHelperSize:!0,forcePlaceholderSize:!0,scroll:!0,update:function(){a.trigger("change")}}),this.$choices.children(".list").scrollTop(0).on("scroll",function(a){if(!i.hasClass("is-loading")&&!i.hasClass("is-empty")&&Math.ceil($(this).scrollTop())+$(this).innerHeight()>=$(this).get(0).scrollHeight){var n=i.data("paged")||1;i.data("paged",n+1),e.set("$field",t).fetch()}}),this.fetch()},maybe_fetch:function(){var e=this,t=this.$field;this.o.timeout&&clearTimeout(this.o.timeout);var i=setTimeout(function(){e.doFocus(t),e.fetch()},300);this.$el.data("timeout",i)},fetch:function(){var e=this,t=this.$field;this.$el.addClass("is-loading"),this.o.xhr&&(this.o.xhr.abort(),this.o.xhr=!1),this.o.action="acf/fields/relationship/query",this.o.field_key=t.data("key"),this.o.post_id=acf.get("post_id");var i=acf.prepare_for_ajax(this.o);1==i.paged&&this.$choices.children(".list").html(""),this.$choices.find("ul:last").append('

'+acf._e("relationship","loading")+"

");var a=$.ajax({url:acf.get("ajaxurl"),dataType:"json",type:"post",data:i,success:function(i){e.set("$field",t).render(i)}});this.$el.data("xhr",a)},render:function(e){if(this.$el.removeClass("is-loading is-empty"),this.$choices.find("p").remove(),!e||!e.results||!e.results.length)return this.$el.addClass("is-empty"),void(1==this.o.paged&&this.$choices.children(".list").append("

"+acf._e("relationship","empty")+"

"));var t=$(this.walker(e.results));this.$values.find(".acf-rel-item").each(function(){t.find('.acf-rel-item[data-id="'+$(this).data("id")+'"]').addClass("disabled")}),this.$choices.children(".list").append(t);var i="",a=null;this.$choices.find(".acf-rel-label").each(function(){if($(this).text()==i)return a.append($(this).siblings("ul").html()),void $(this).parent().remove();i=$(this).text(),a=$(this).siblings("ul")})},walker:function(e){var t="";if($.isArray(e))for(var i in e)t+=this.walker(e[i]);else $.isPlainObject(e)&&(void 0!==e.children?(t+='
  • '+e.text+'
      ',t+=this.walker(e.children),t+="
  • "):t+='
  • '+e.text+"
  • ");return t},submit_filter:function(e){13==e.which&&e.preventDefault()},change_filter:function(e){var t=e.$el.val(),i=e.$el.data("filter");this.$el.data(i)!=t&&(this.$el.data(i,t),this.$el.data("paged",1),e.$el.is("select")?this.fetch():this.maybe_fetch())},add_item:function(e){if(this.o.max>0&&this.$values.find(".acf-rel-item").length>=this.o.max)return void alert(acf._e("relationship","max").replace("{max}",this.o.max));if(e.$el.hasClass("disabled"))return!1;e.$el.addClass("disabled");var t=["
  • ",'',''+e.$el.html(),'',"","
  • "].join("");this.$values.children(".list").append(t),this.$input.trigger("change"),acf.validation.remove_error(this.$field)},remove_item:function(e){var t=e.$el.parent(),i=t.data("id");t.parent("li").remove(),this.$choices.find('.acf-rel-item[data-id="'+i+'"]').removeClass("disabled"),this.$input.trigger("change")}})}(jQuery),function($){var e,t,i;e=acf.select2=acf.model.extend({version:0,version3:null,version4:null,actions:{"ready 1":"ready"},ready:function(){this.version=this.get_version(),this.do_function("ready")},get_version:function(){return acf.maybe_get(window,"Select2")?3:acf.maybe_get(window,"jQuery.fn.select2.amd")?4:0},do_function:function(e,t){t=t||[];var i="version"+this.version;return void 0!==this[i]&&void 0!==this[i][e]&&this[i][e].apply(this,t)},get_data:function(e,t){var i=this;return t=t||[],e.children().each(function(){var e=$(this);e.is("optgroup")?t.push({text:e.attr("label"),children:i.get_data(e)}):t.push({id:e.attr("value"),text:e.text()})}),t},decode_data:function(t){return t?($.each(t,function(i,a){t[i].text=acf.decode(a.text),void 0!==a.children&&(t[i].children=e.decode_data(a.children))}),t):[]},count_data:function(e){var t=0;return e?($.each(e,function(e,i){t++,void 0!==i.children&&(t+=i.children.length)}),t):t},get_ajax_data:function(e,t,i,a){var n=acf.prepare_for_ajax({action:e.ajax_action,field_key:e.key,s:t.term||"",paged:t.page||1});return n=acf.apply_filters("select2_ajax_data",n,e,i,a)},get_ajax_results:function(e,t){var i={results:[]};return e||(e=i),void 0===e.results&&(i.results=e,e=i),e.results=this.decode_data(e.results),e=acf.apply_filters("select2_ajax_results",e,t)},get_value:function(e){var t=[],i=e.find("option:selected");return i.exists()?(i=i.sort(function(e,t){return+e.getAttribute("data-i")-+t.getAttribute("data-i")}),i.each(function(){var e=$(this);t.push({id:e.attr("value"),text:e.text(),$el:e})}),t):t},get_input_value:function(e){return e.val().split("||")},sync_input_value:function(e,t){e.val(t.val().join("||"))},add_option:function(e,t,i){e.find('option[value="'+t+'"]').length||e.append('")},select_option:function(e,t){e.find('option[value="'+t+'"]').prop("selected",!0),e.trigger("change")},unselect_option:function(e,t){e.find('option[value="'+t+'"]').prop("selected",!1),e.trigger("change")},init:function(e,t,i){this.do_function("init",arguments)},destroy:function(e){this.do_function("destroy",arguments)},add_value:function(e,t,i){this.do_function("add_value",arguments)},remove_value:function(e,t){this.do_function("remove_value",arguments)}}),t=e.version3={ready:function(){var e=acf.get("locale"),t=acf.get("rtl");if(l10n=acf._e("select"),l10n){var i={ -formatMatches:function(e){return 1===e?l10n.matches_1:l10n.matches_n.replace("%d",e)},formatNoMatches:function(){return l10n.matches_0},formatAjaxError:function(){return l10n.load_fail},formatInputTooShort:function(e,t){var i=t-e.length;return 1===i?l10n.input_too_short_1:l10n.input_too_short_n.replace("%d",i)},formatInputTooLong:function(e,t){var i=e.length-t;return 1===i?l10n.input_too_long_1:l10n.input_too_long_n.replace("%d",i)},formatSelectionTooBig:function(e){return 1===e?l10n.selection_too_long_1:l10n.selection_too_long_n.replace("%d",e)},formatLoadMore:function(){return l10n.load_more},formatSearching:function(){return l10n.searching}};$.fn.select2.locales=acf.maybe_get(window,"jQuery.fn.select2.locales",{}),$.fn.select2.locales[e]=i,$.extend($.fn.select2.defaults,i)}},set_data:function(e,t){3==this.version&&(e=e.siblings("input")),e.select2("data",t)},append_data:function(e,t){3==this.version&&(e=e.siblings("input"));var i=e.select2("data")||[];i.push(t),e.select2("data",i)},init:function(i,a,n){a=a||{},n=n||null,a=$.extend({allow_null:!1,placeholder:"",multiple:!1,ajax:!1,ajax_action:""},a);var s=i.siblings("input");if(s.exists()){var o={width:"100%",containerCssClass:"-acf",allowClear:a.allow_null,placeholder:a.placeholder,multiple:a.multiple,separator:"||",data:[],escapeMarkup:function(e){return e},formatResult:function(e,t,i,a){var n=$.fn.select2.defaults.formatResult(e,t,i,a);return e.description&&(n+=' '+e.description+""),n}},r=this.get_value(i);if(a.multiple){var l=i.attr("name");o.formatSelection=function(e,t){var i='";return t.parent().append(i),e.text}}else r=acf.maybe_get(r,0,!1),!a.allow_null&&r&&s.val(r.id);a.allow_null&&i.find('option[value=""]').remove(),o.data=this.get_data(i),o.initSelection=function(e,t){t(r)},a.ajax&&(o.ajax={url:acf.get("ajaxurl"),dataType:"json",type:"post",cache:!1,quietMillis:250,data:function(t,i){var o={term:t,page:i};return e.get_ajax_data(a,o,s,n)},results:function(i,a){var n={page:a};return setTimeout(function(){t.merge_results()},1),e.get_ajax_results(i,n)}}),o.dropdownCss={"z-index":"999999999"},o.acf=a,o=acf.apply_filters("select2_args",o,i,a,n),s.select2(o);var c=s.select2("container");c.before(i),c.before(s),a.multiple&&c.find("ul.select2-choices").sortable({start:function(){s.select2("onSortStart")},stop:function(){s.select2("onSortEnd")}}),i.prop("disabled",!0).addClass("acf-disabled acf-hidden"),s.on("change",function(t){t.added&&e.add_option(i,t.added.id,t.added.text),e.select_option(i,t.val)}),acf.do_action("select2_init",s,o,a,n)}},merge_results:function(){var e="",t=null;$("#select2-drop .select2-result-with-children").each(function(){var i=$(this).children(".select2-result-label"),a=$(this).children(".select2-result-sub");if(i.text()==e)return t.append(a.children()),void $(this).remove();e=i.text(),t=a})},destroy:function(e){var t=e.siblings("input");t.data("select2")&&t.select2("destroy"),e.siblings(".select2-container").remove(),e.prop("disabled",!1).removeClass("acf-disabled acf-hidden"),t.attr("style","")},add_value:function(t,i,a){e.add_option(t,i,a),e.select_option(t,i);var n=t.siblings("input"),s={id:i,text:a};if(!t.data("multiple"))return n.select2("data",s);var o=n.select2("data")||[];return o.push(s),n.select2("data",o)},remove_value:function(t,i){e.unselect_option(t,i);var a=t.siblings("input"),n=a.select2("data");t.data("multiple")?(n=$.grep(n,function(e){return e.id!=i}),a.select2("data",n)):n&&n.id==i&&a.select2("data",null)}},i=e.version4={init:function(t,a,n){a=a||{},n=n||null,a=$.extend({allow_null:!1,placeholder:"",multiple:!1,ajax:!1,ajax_action:""},a);var s=t.siblings("input");if(s.exists()){var o={width:"100%",allowClear:a.allow_null,placeholder:a.placeholder,multiple:a.multiple,separator:"||",data:[],escapeMarkup:function(e){return e}},r=this.get_value(t);a.multiple?$.each(r,function(e,i){i.$el.detach().appendTo(t)}):r=acf.maybe_get(r,0,""),a.ajax?o.ajax={url:acf.get("ajaxurl"),delay:250,dataType:"json",type:"post",cache:!1,data:function(i){return e.get_ajax_data(a,i,t,n)},processResults:function(t,a){var n=e.get_ajax_results(t,a);return n.more&&(n.pagination={more:!0}),setTimeout(function(){i.merge_results()},1),n}}:(t.removeData("ajax"),t.removeAttr("data-ajax")),o=acf.apply_filters("select2_args",o,t,a,n),t.select2(o);var l=t.next(".select2-container");if(a.multiple){var c=l.find("ul");c.sortable({stop:function(e){c.find(".select2-selection__choice").each(function(){$($(this).data("data").element).detach().appendTo(t),s.trigger("change")})}}),t.on("select2:select",function(e){$(e.params.data.element).detach().appendTo(t)})}s.val(""),l.addClass("-acf"),acf.do_action("select2_init",t,o,a,n)}},merge_results:function(){var e=null,t=null;$('.select2-results__option[role="group"]').each(function(){var i=$(this).children("ul"),a=$(this).children("strong");if(null!==t&&a.text()==t.text())return e.append(i.children()),void $(this).remove();e=i,t=a})},add_value:function(t,i,a){e.add_option(t,i,a),e.select_option(t,i)},remove_value:function(t,i){e.unselect_option(t,i)},destroy:function(e){e.data("select2")&&e.select2("destroy"),e.siblings(".select2-container").remove()}},acf.add_select2=function(t,i){e.init(t,i)},acf.remove_select2=function(t){e.destroy(t)}}(jQuery),function($){acf.fields.select=acf.field.extend({type:"select",$select:null,actions:{ready:"render",append:"render",remove:"remove"},focus:function(){this.$select=this.$field.find("select"),this.$select.exists()&&(this.o=acf.get_data(this.$select),this.o=acf.parse_args(this.o,{ajax_action:"acf/fields/"+this.type+"/query",key:this.$field.data("key")}))},render:function(){if(!this.$select.exists()||!this.o.ui)return!1;acf.select2.init(this.$select,this.o,this.$field)},remove:function(){if(!this.$select.exists()||!this.o.ui)return!1;acf.select2.destroy(this.$select)}}),acf.fields.user=acf.fields.select.extend({type:"user"}),acf.fields.post_object=acf.fields.select.extend({type:"post_object"}),acf.fields.page_link=acf.fields.select.extend({type:"page_link"})}(jQuery),function($,e){var t=0;acf.fields.accordion=acf.field.extend({type:"accordion",$el:null,$wrap:null,actions:{prepare:"initialize",append:"initialize"},focus:function(){},initialize:function(){var e=this.$field,i=e.children(".acf-label"),a=e.children(".acf-input"),n=a.children(".acf-fields"),s=n.data();if(!e.is("td")){if(s.endpoint)return void e.remove();var o=a.children(".description");if(o.length&&i.append(o),e.is("tr")){var r=e.closest("table"),l=$('
    '),c=$('
    '),d=$(''),f=$("");l.append(i.html()),d.append(f),c.append(d),a.append(l),a.append(c),i.remove(),n.remove(),a.attr("colspan",2),i=l,a=c,n=f}e.addClass("acf-accordion"),i.addClass("acf-accordion-title"),a.addClass("acf-accordion-content"),t++,s.multi_expand&&e.data("multi-expand",1);var u=acf.getPreference("this.accordions")||[];void 0!==u[t-1]&&(s.open=u[t-1]),s.open&&(e.addClass("-open"),a.css("display","block")),i.prepend('');var h=e.parent();n.addClass(h.hasClass("-left")?"-left":""),n.addClass(h.hasClass("-clear")?"-clear":""),n.append(e.nextUntil(".acf-field-accordion",".acf-field")),n.removeAttr("data-open data-multi_expand data-endpoint")}}});var i=acf.model.extend({events:{"click .acf-accordion-title":"_click"},_click:function(e){e.preventDefault(),this.toggle(e.$el.closest(".acf-accordion"))},isOpen:function(e){return e.hasClass("-open")},toggle:function(e){this.isOpen(e)?this.close(e):this.open(e)},open:function(e){e.find(".acf-accordion-content:first").slideDown().css("display","block"),e.find(".acf-accordion-icon:first").removeClass("dashicons-arrow-right").addClass("dashicons-arrow-down"),e.addClass("-open"),acf.do_action("show",e),e.data("multi-expand")||e.siblings(".acf-accordion.-open").each(function(){i.close($(this))}),acf.do_action("refresh",e)},close:function(e){e.find(".acf-accordion-content:first").slideUp(),e.find(".acf-accordion-icon:first").removeClass("dashicons-arrow-down").addClass("dashicons-arrow-right"),e.removeClass("-open"),acf.do_action("hide",e)}});$(window).on("unload",function(){var e=[];$(".acf-accordion").each(function(){var t=$(this).hasClass("-open")?1:0;e.push(t)}),e.length&&acf.setPreference("this.accordions",e)});var a=acf.model.extend({active:1,events:{"invalidField .acf-accordion":"invalidField"},invalidField:function(e){this.active&&(this.block(),i.open(e.$el))},block:function(){var e=this;this.active=0,setTimeout(function(){e.active=1},1e3)}})}(jQuery),function($){var e="hidden-by-conditional-logic",t=0,i=0,a=acf.model.extend({$fields:[],actions:{"prepare 15":"initialize","append 15":"initialize","refresh 15":"refresh"},events:{"click .acf-tab-button":"_click"},_click:function(e){e.preventDefault(),this.toggle(e.$el)},isOpen:function(e){return e.hasClass("-open")},toggle:function(e){var t=e.data("key"),i=e.parent(),a=e.closest(".acf-tab-wrap"),n=a.find(".active a"),s=a.siblings('.acf-field[data-key="'+t+'"]');if(!this.isOpen(s)){if(n.length){var o=n.data("key"),r=n.parent(),l=a.siblings('.acf-field[data-key="'+o+'"]');r.removeClass("active"),this.close(l)}i.addClass("active"),this.open(s),acf.do_action("refresh",a.parent())}},getFields:function(e){return e.nextUntil(".acf-field-tab",".acf-field")},getWrap:function(e){return e.prevAll(".acf-tab-wrap:first")},getTab:function(e,t){return e.find('a[data-key="'+t+'"]')},open:function(e){this.getFields(e).each(function(){$(this).removeClass("hidden-by-tab"),acf.do_action("show_field",$(this),"tab")})},close:function(e){this.getFields(e).each(function(){$(this).addClass("hidden-by-tab"),acf.do_action("hide_field",$(this),"tab")})},addTab:function(e){this.$fields.push(e)},initialize:function(){if(this.$fields.length){for(var e=0;e").append(o);return l?(c.addClass("active"),this.open(e)):this.close(e),""==o.html()&&c.hide(),s.find("ul").append(c),i++,((acf.getPreference("this.tabs")||[])[t-1]||0)!=i-1||l||this.toggle(o),c},createTabWrap:function(e,a){var n=e.parent(),s=!1;return n.hasClass("acf-fields")&&"left"==a.placement&&n.addClass("-sidebar"),s=$(e.is("tr")?'':'
      '),e.before(s),t++,i=0,s},refresh:function(e){$(".acf-tab-wrap",e).each(function(){var e=$(this);if(e.hasClass("-left")){var t=e.parent(),i=t.is("td")?"height":"min-height",a=e.position().top+e.children("ul").outerHeight(!0)-1;t.css(i,a)}})}});acf.fields.tab=acf.field.extend({type:"tab",$el:null,$wrap:null,actions:{prepare:"initialize",append:"initialize",hide:"hide",show:"show"},focus:function(){},initialize:function(){a.addTab(this.$field)},hide:function(t,i){if("conditional_logic"==i){var n=t.data("key"),s=a.getWrap(t),o=a.getTab(s,n),r=o.parent();s.exists()&&(r.addClass(e),a.getFields(t).each(function(){acf.conditional_logic.hide_field($(this))}),r.hasClass("active")&&s.find("li:not(."+e+"):first a").trigger("click"))}},show:function(t,i){if("conditional_logic"==i){var n=t.data("key"),s=a.getWrap(t),o=a.getTab(s,n),r=o.parent();if(s.exists()){r.removeClass(e),a.getFields(t).each(function(){acf.conditional_logic.show_field($(this))});var l=r.siblings(".active");l.exists()&&!l.hasClass(e)||a.toggle(o)}}}}),$(window).on("unload",function(){var e=[];$(".acf-tab-wrap").each(function(){var t=$(this).find(".active").index()||0;e.push(t)}),e.length&&acf.setPreference("this.tabs",e)});var n=acf.model.extend({active:1,actions:{invalid_field:"invalid_field"},invalid_field:function(e){if(this.active&&e.hasClass("hidden-by-tab")){var t=this,i=e.prevAll(".acf-field-tab:first");e.prevAll(".acf-tab-wrap:first").find('a[data-key="'+i.data("key")+'"]').trigger("click"),this.active=0,setTimeout(function(){t.active=1},1e3)}}})}(jQuery),function($){acf.fields.time_picker=acf.field.extend({type:"time_picker",$el:null,$input:null,$hidden:null,o:{},actions:{ready:"initialize",append:"initialize"},events:{'blur input[type="text"]':"blur"},focus:function(){this.$el=this.$field.find(".acf-time-picker"),this.$input=this.$el.find('input[type="text"]'),this.$hidden=this.$el.find('input[type="hidden"]'),this.o=acf.get_data(this.$el)},initialize:function(){if(void 0!==$.timepicker){var e={timeFormat:this.o.time_format,altField:this.$hidden,altFieldTimeOnly:!1,altTimeFormat:"HH:mm:ss",showButtonPanel:!0,controlType:"select",oneLine:!0,closeText:acf._e("date_time_picker","selectText")};e.onClose=function(e,t){var i=t.dpDiv,a=i.find(".ui-datepicker-close");if(!e&&a.is(":hover")){if(!(e=acf.maybe_get(t,"settings.timepicker.formattedTime")))return;$.datepicker._setTime(t)}},e=acf.apply_filters("time_picker_args",e,this.$field),this.$input.timepicker(e),$("body > #ui-datepicker-div").exists()&&$("body > #ui-datepicker-div").wrap('
      '),acf.do_action("time_picker_init",this.$input,e,this.$field)}},blur:function(){this.$input.val()||this.$hidden.val("")}})}(jQuery),function($){acf.fields.true_false=acf.field.extend({type:"true_false",$switch:null,$input:null,actions:{prepare:"render",append:"render",show:"render"},events:{"change .acf-switch-input":"_change","focus .acf-switch-input":"_focus","blur .acf-switch-input":"_blur","keypress .acf-switch-input":"_keypress"},focus:function(){this.$input=this.$field.find(".acf-switch-input"),this.$switch=this.$field.find(".acf-switch")},render:function(){if(this.$switch.exists()){var e=this.$switch.children(".acf-switch-on"),t=this.$switch.children(".acf-switch-off");width=Math.max(e.width(),t.width()),width&&(e.css("min-width",width),t.css("min-width",width))}},on:function(){this.$input.prop("checked",!0),this.$switch.addClass("-on")},off:function(){this.$input.prop("checked",!1),this.$switch.removeClass("-on")},_change:function(e){e.$el.prop("checked")?this.on():this.off()},_focus:function(e){this.$switch.addClass("-focus")},_blur:function(e){this.$switch.removeClass("-focus")},_keypress:function(e){return 37===e.keyCode?this.off():39===e.keyCode?this.on():void 0}})}(jQuery),function($){acf.fields.taxonomy=acf.field.extend({type:"taxonomy",$el:null,actions:{ready:"render",append:"render",remove:"remove"},events:{'click a[data-name="add"]':"add_term"},focus:function(){this.$el=this.$field.find(".acf-taxonomy-field"),this.o=acf.get_data(this.$el,{save:"",type:"",taxonomy:""}),this.o.key=this.$field.data("key")},render:function(){var e=this.$field.find("select");if(e.exists()){var t=acf.get_data(e);t=acf.parse_args(t,{pagination:!0,ajax_action:"acf/fields/taxonomy/query",key:this.o.key}),acf.select2.init(e,t)}},remove:function(){var e=this.$field.find("select");if(!e.exists())return!1;acf.select2.destroy(e)},add_term:function(e){var t=this;acf.open_popup({title:e.$el.attr("title")||e.$el.data("title"),loading:!0,height:220});var i=acf.prepare_for_ajax({action:"acf/fields/taxonomy/add_term",field_key:this.o.key});$.ajax({url:acf.get("ajaxurl"),data:i,type:"post",dataType:"html",success:function(e){t.add_term_confirm(e)}})},add_term_confirm:function(e){var t=this;acf.update_popup({content:e}),$('#acf-popup input[name="term_name"]').focus(),$("#acf-popup form").on("submit",function(e){e.preventDefault(),t.add_term_submit($(this))})},add_term_submit:function(e){var t=this,i=e.find(".acf-submit"),a=e.find('input[name="term_name"]'),n=e.find('select[name="term_parent"]');if(""===a.val())return a.focus(),!1;i.find("button").attr("disabled","disabled"),i.find(".acf-spinner").addClass("is-active");var s=acf.prepare_for_ajax({action:"acf/fields/taxonomy/add_term",field_key:this.o.key,term_name:a.val(),term_parent:n.exists()?n.val():0});$.ajax({url:acf.get("ajaxurl"),data:s,type:"post",dataType:"json",success:function(e){var n=acf.get_ajax_message(e);acf.is_ajax_success(e)&&(a.val(""),t.append_new_term(e.data)),n.text&&i.find("span").html(n.text)},complete:function(){i.find("button").removeAttr("disabled"),i.find(".acf-spinner").removeClass("is-active"),i.find("span").delay(1500).fadeOut(250,function(){$(this).html(""),$(this).show()}),a.focus()}})},append_new_term:function(e){var t={id:e.term_id,text:e.term_label};switch($('.acf-taxonomy-field[data-taxonomy="'+this.o.taxonomy+'"]').each(function(){var t=$(this).data("type");if("radio"==t||"checkbox"==t){var i=$(this).children('input[type="hidden"]'),a=$(this).find("ul:first"),n=i.attr("name");"checkbox"==t&&(n+="[]");var s=$(['
    • ',"","
    • "].join(""));if(e.term_parent){var o=a.find('li[data-id="'+e.term_parent+'"]');a=o.children("ul"),a.exists()||(a=$('
        '),o.append(a))}a.append(s)}}),$("#acf-popup #term_parent").each(function(){var t=$('");e.term_parent?$(this).children('option[value="'+e.term_parent+'"]').after(t):$(this).append(t)}),this.o.type){case"select":var i=this.$el.children("select");acf.select2.add_value(i,e.term_id,e.term_label);break;case"multi_select":var i=this.$el.children("select");acf.select2.add_value(i,e.term_id,e.term_label);break;case"checkbox":case"radio":var a=this.$el.find(".categorychecklist-holder"),n=a.find('li[data-id="'+e.term_id+'"]'),s=a.get(0).scrollTop+(n.offset().top-a.offset().top);n.find("input").prop("checked",!0),a.animate({scrollTop:s},"250");break}}})}(jQuery),function($){acf.fields.url=acf.field.extend({type:"url",$input:null,actions:{ready:"render",append:"render"},events:{'keyup input[type="url"]':"render"},focus:function(){this.$input=this.$field.find('input[type="url"]')},is_valid:function(){var e=this.$input.val();if(-1!==e.indexOf("://"));else if(0!==e.indexOf("//"))return!1;return!0},render:function(){this.is_valid()?this.$input.parent().addClass("-valid"):this.$input.parent().removeClass("-valid")}})}(jQuery),function($){acf.validation=acf.model.extend({actions:{ready:"ready",append:"ready"},filters:{validation_complete:"validation_complete"},events:{"click #save-post":"click_ignore",'click [type="submit"]':"click_publish","submit form":"submit_form","click .acf-error-message a":"click_message"},active:1,ignore:0,busy:0,valid:!0,errors:[],error_class:"acf-error",message_class:"acf-error-message",$trigger:null,ready:function(e){var t=$(".acf-field input, .acf-field textarea, .acf-field select");if(t.length){var i=this;t.on("invalid",function(e){var t=$(this),i=acf.get_field_wrap(t);i.trigger("invalidField"),acf.do_action("invalid",t),acf.do_action("invalid_field",i),acf.validation.ignore||(e.preventDefault(),acf.validation.errors.push({input:t.attr("name"),message:e.target.validationMessage}),acf.validation.fetch(t.closest("form")))})}},validation_complete:function(e,t){if(!this.errors.length)return e;e.valid=0,e.errors=e.errors||[];var a=[];if(e.errors.length)for(i in e.errors)a.push(e.errors[i].input);if(this.errors.length)for(i in this.errors){var n=this.errors[i];-1===$.inArray(n.input,a)&&e.errors.push(n)}return this.errors=[],e},click_message:function(e){e.preventDefault(),acf.remove_el(e.$el.parent())},click_ignore:function(e){var t=this;this.ignore=1,this.$trigger=e.$el,this.$form=e.$el.closest("form"),$("."+this.message_class).each(function(){acf.remove_el($(this))}),this.ignore_required_inputs(),setTimeout(function(){t.ignore=0},100)},ignore_required_inputs:function(){var e=$(".acf-field input[required], .acf-field textarea[required], .acf-field select[required]");e.length&&(e.prop("required",!1),setTimeout(function(){e.prop("required",!0)},100))},click_publish:function(e){this.$trigger=e.$el},submit_form:function(e){if(!this.active)return!0;if(this.ignore)return this.ignore=0,!0;if(!e.$el.find("#acf-form-data").exists())return!0;var t=e.$el.find("#wp-preview");if(t.exists()&&t.val())return this.toggle(e.$el,"unlock"),!0;e.preventDefault(),this.fetch(e.$el)},toggle:function(e,t){t=t||"unlock";var i=null,a=null,n=$("#submitdiv");n.exists()||(n=$("#submitpost")),n.exists()||(n=e.find("p.submit").last()),n.exists()||(n=e.find(".acf-form-submit")),n.exists()||(n=e),i=n.find('input[type="submit"], .button'),a=n.find(".spinner, .acf-spinner"),this.hide_spinner(a),"unlock"==t?this.enable_submit(i):"lock"==t&&(this.disable_submit(i),this.show_spinner(a.last()))},fetch:function(e){if(this.busy)return!1;var t=this;acf.do_action("validation_begin");var i=acf.serialize(e);i.action="acf/validate_save_post",i=acf.prepare_for_ajax(i),this.busy=1,this.toggle(e,"lock"),$.ajax({url:acf.get("ajaxurl"),data:i,type:"post",dataType:"json",success:function(i){acf.is_ajax_success(i)&&t.fetch_success(e,i.data)},complete:function(){t.fetch_complete(e)}})},fetch_complete:function(e){if(this.busy=0,this.toggle(e,"unlock"),this.valid){this.ignore=1;var t=e.children(".acf-error-message");t.exists()&&(t.addClass("-success"),t.children("p").html(acf._e("validation_successful")),setTimeout(function(){acf.remove_el(t)},2e3)),e.find(".acf-postbox.acf-hidden").remove(),acf.do_action("submit",e),this.$trigger?this.$trigger.click():e.submit(),this.toggle(e,"lock")}},fetch_success:function(e,t){if(!(t=acf.apply_filters("validation_complete",t,e))||t.valid||!t.errors)return this.valid=!0,void acf.do_action("validation_success");acf.do_action("validation_failure"),this.valid=!1,this.$trigger=null,this.display_errors(t.errors,e)},display_errors:function(e,t){if(e&&e.length){var a=t.children(".acf-error-message"),n=acf._e("validation_failed"),s=0,o=null;for(i=0;i1&&(n+=". "+acf._e("validation_failed_2").replace("%d",s)),a.exists()||(a=$('

        '),t.prepend(a)),a.children("p").html(n),null===o&&(o=a),setTimeout(function(){$("html, body").animate({scrollTop:o.offset().top-$(window).height()/2},500)},10)}},add_error:function(e,t){var i=this;e.addClass(this.error_class),void 0!==t&&(e.children(".acf-input").children("."+this.message_class).remove(),e.children(".acf-input").prepend('

        '+t+"

        "));var a=function(){i.remove_error(e),e.off("focus change","input, textarea, select",a)};e.on("focus change","input, textarea, select",a),e.trigger("invalidField"),acf.do_action("add_field_error",e),acf.do_action("invalid_field",e)},remove_error:function(e){var t=e.children(".acf-input").children("."+this.message_class);e.removeClass(this.error_class),setTimeout(function(){acf.remove_el(t)},250),acf.do_action("remove_field_error",e),acf.do_action("valid_field",e)},add_warning:function(e,t){this.add_error(e,t),setTimeout(function(){acf.validation.remove_error(e)},1e3)},show_spinner:function(e){if(e.exists()){var t=acf.get("wp_version");parseFloat(t)>=4.2?e.addClass("is-active"):e.css("display","inline-block")}},hide_spinner:function(e){if(e.exists()){var t=acf.get("wp_version");parseFloat(t)>=4.2?e.removeClass("is-active"):e.css("display","none")}},disable_submit:function(e){e.exists()&&e.addClass("disabled button-disabled button-primary-disabled")},enable_submit:function(e){e.exists()&&e.removeClass("disabled button-disabled button-primary-disabled")}})}(jQuery),function($){acf.fields.wysiwyg=acf.field.extend({type:"wysiwyg",$el:null,$textarea:null,toolbars:{},events:{"mousedown .acf-editor-wrap.delay":"mousedown"},actions:{load:"initialize",append:"initialize",remove:"disable",sortstart:"disable",sortstop:"enable"},focus:function(){this.$el=this.$field.find(".wp-editor-wrap").last(),this.$textarea=this.$el.find("textarea"),this.o=acf.get_data(this.$el,{toolbar:"",active:this.$el.hasClass("tmce-active"),id:this.$textarea.attr("id")})},mousedown:function(e){e.preventDefault(),this.$el.removeClass("delay"),this.$el.find(".acf-editor-toolbar").remove(),this.initialize()},initialize:function(){if(!this.$el.hasClass("delay")){var e={tinymce:!0,quicktags:!0,toolbar:this.o.toolbar,mode:this.o.active?"visual":"text"},t=this.o.id,i=acf.get_uniqid("acf-editor-"),a=this.$el.outerHTML();a=acf.str_replace(t,i,a),this.$el.replaceWith(a),this.o.id=i,acf.tinymce.initialize(this.o.id,e,this.$field)}},disable:function(){acf.tinymce.destroy(this.o.id)},enable:function(){this.o.active&&acf.tinymce.enable(this.o.id)}}),acf.tinymce=acf.model.extend({toolbars:{},actions:{ready:"ready"},ready:function(){var e=$("#acf-hidden-wp-editor");e.exists()&&(e.appendTo("body"),acf.isset(window,"tinymce","on")&&tinymce.on("AddEditor",function(e){var t=e.editor;"acf"===t.id.substr(0,3)&&(t=tinymce.editors.content||t,tinymce.activeEditor=t,wpActiveEditor=t.id)}))},defaults:function(){return"undefined"!=typeof tinyMCEPreInit&&{tinymce:tinyMCEPreInit.mceInit.acf_content,quicktags:tinyMCEPreInit.qtInit.acf_content}},initialize:function(e,t,i){t=t||{},i=i||null,t=acf.parse_args(t,{tinymce:!0,quicktags:!0,toolbar:"full",mode:"visual"}),t.tinymce&&this.initialize_tinymce(e,t,i),t.quicktags&&this.initialize_quicktags(e,t,i)},initialize_tinymce:function(e,t,i){var a=$("#"+e),n=this.defaults(),s=this.toolbars;if("undefined"==typeof tinymce)return!1;if(!n)return!1;if(tinymce.get(e))return this.enable(e);init=$.extend({},n.tinymce,t.tinymce),init.id=e,init.selector="#"+e;var o=t.toolbar;if(o&&void 0!==s[o])for(var r=1;r<=4;r++)init["toolbar"+r]=s[o][r]||"";if(init.setup=function(t){t.on("focus",function(e){acf.validation.remove_error(i)}),t.on("change",function(e){t.save(),a.trigger("change")}),$(t.getWin()).on("unload",function(){acf.tinymce.remove(e)})},init.wp_autoresize_on=!1,init=acf.apply_filters("wysiwyg_tinymce_settings",init,e,i),tinyMCEPreInit.mceInit[e]=init,"visual"==t.mode){tinymce.init(init);var l=tinymce.get(e);acf.do_action("wysiwyg_tinymce_init",l,l.id,init,i)}},initialize_quicktags:function(e,t,i){var a=this.defaults();if("undefined"==typeof quicktags)return!1;if(!a)return!1;init=$.extend({},a.quicktags,t.quicktags),init.id=e,init=acf.apply_filters("wysiwyg_quicktags_settings",init,init.id,i),tinyMCEPreInit.qtInit[e]=init;var n=quicktags(init);this.build_quicktags(n),acf.do_action("wysiwyg_quicktags_init",n,n.id,init,i)},build_quicktags:function(e){var t,i,a,n,s,e,o,r,l,c,d=",strong,em,link,block,del,ins,img,ul,ol,li,code,more,close,";t=e.canvas,i=e.name,a=e.settings,s="",n={},l="",c=e.id,a.buttons&&(l=","+a.buttons+",");for(r in edButtons)edButtons[r]&&(o=edButtons[r].id,l&&-1!==d.indexOf(","+o+",")&&-1===l.indexOf(","+o+",")||edButtons[r].instance&&edButtons[r].instance!==c||(n[o]=edButtons[r],edButtons[r].html&&(s+=edButtons[r].html(i+"_"))));l&&-1!==l.indexOf(",dfw,")&&(n.dfw=new QTags.DFWButton,s+=n.dfw.html(i+"_")),"rtl"===document.getElementsByTagName("html")[0].dir&&(n.textdirection=new QTags.TextDirectionButton,s+=n.textdirection.html(i+"_")),e.toolbar.innerHTML=s,e.theButtons=n,"undefined"!=typeof jQuery&&jQuery(document).triggerHandler("quicktags-init",[e])},disable:function(e){this.destroy(e)},destroy:function(e){this.destroy_tinymce(e)},destroy_tinymce:function(e){if("undefined"==typeof tinymce)return!1;var t=tinymce.get(e);return!!t&&(t.save(),t.destroy(),!0)},enable:function(e){this.enable_tinymce(e)},enable_tinymce:function(e){return"undefined"!=typeof switchEditors&&(void 0!==tinyMCEPreInit.mceInit[e]&&(switchEditors.go(e,"tmce"),!0))}})}(jQuery); \ No newline at end of file +!function(e,t){"use strict";var i=function(){function e(){return u}function t(e,t,i,a){return"string"==typeof e&&"function"==typeof t&&(i=parseInt(i||10,10),l("actions",e,t,i,a)),f}function i(){var e=Array.prototype.slice.call(arguments),t=e.shift();return"string"==typeof t&&d("actions",t,e),f}function a(e,t){return"string"==typeof e&&r("actions",e,t),f}function n(e,t,i,a){return"string"==typeof e&&"function"==typeof t&&(i=parseInt(i||10,10),l("filters",e,t,i,a)),f}function s(){var e=Array.prototype.slice.call(arguments),t=e.shift();return"string"==typeof t?d("filters",t,e):f}function o(e,t){return"string"==typeof e&&r("filters",e,t),f}function r(e,t,i,a){if(u[e][t])if(i){var n=u[e][t],s;if(a)for(s=n.length;s--;){var o=n[s];o.callback===i&&o.context===a&&n.splice(s,1)}else for(s=n.length;s--;)n[s].callback===i&&n.splice(s,1)}else u[e][t]=[]}function l(e,t,i,a,n){var s={callback:i,priority:a,context:n},o=u[e][t];o?(o.push(s),o=c(o)):o=[s],u[e][t]=o}function c(e){for(var t,i,a,n=1,s=e.length;nt.priority;)e[i]=e[i-1],--i;e[i]=t}return e}function d(e,t,i){var a=u[e][t];if(!a)return"filters"===e&&i[0];var n=0,s=a.length;if("filters"===e)for(;n0},$.fn.outerHTML=function(){return $(this).get(0).outerHTML},acf={l10n:{},o:{},update:function(e,t){this.o[e]=t},get:function(e){return void 0!==this.o[e]?this.o[e]:null},_e:function(e,t){t=t||!1;var i=this.l10n[e]||"";return t&&(i=i[t]||""),i},add_action:function(){for(var e=arguments[0].split(" "),t=e.length,i=0;ie.length?Array(t-e.length+1).join("0")+e:e};return this.php_js||(this.php_js={}),this.php_js.uniqidSeed||(this.php_js.uniqidSeed=Math.floor(123456789*Math.random())),this.php_js.uniqidSeed++,i=e,i+=a(parseInt((new Date).getTime()/1e3,10),8),i+=a(this.php_js.uniqidSeed,5),t&&(i+=(10*Math.random()).toFixed(8).toString()),i},serialize_form:function(){return this.serialize.apply(this,arguments)},serialize:function(e,t){t=t||"";var i={},a={},n=e.find("select, textarea, input").serializeArray();return $.each(n,function(e,n){var s=n.name,o=n.value;if(t){if(0!==s.indexOf(t))return;s=s.slice(t.length),"["==s.slice(0,1)&&(s=s.slice(1).replace("]",""))}"[]"===s.slice(-2)&&(s=s.slice(0,-2),void 0===a[s]&&(a[s]=-1),a[s]++,s+="["+a[s]+"]"),i[s]=o}),i},disable:function(e,t){if(t=t||"",e.hasClass("acf-disabled"))return!1;if(e.prop("disabled",!0),t){var i=e.data("acf_disabled")||[];i.indexOf(t)<0&&(i.push(t),e.data("acf_disabled",i))}return!0},enable:function(e,t){if(t=t||"",e.hasClass("acf-disabled"))return!1;var i=e.data("acf_disabled")||[];if(t){var a=i.indexOf(t);a>-1&&(i.splice(a,1),e.data("acf_disabled",i))}return!i.length&&(e.prop("disabled",!1),!0)},disable_el:function(e,t){t=t||"",e.find("select, textarea, input").each(function(){acf.disable($(this),t)})},disable_form:function(e,t){this.disable_el.apply(this,arguments)},enable_el:function(e,t){t=t||"",e.find("select, textarea, input").each(function(){acf.enable($(this),t)})},enable_form:function(e,t){this.enable_el.apply(this,arguments)},remove_tr:function(e,t){var i=e.height(),a=e.children().length;e.addClass("acf-remove-element"),setTimeout(function(){e.removeClass("acf-remove-element"),e.html('
        '),e.children("td").animate({height:0},250,function(){e.remove(),"function"==typeof t&&t()})},250)},remove_el:function(e,t,i){i=i||0;var a=e.height(),n=e.width(),s=e.css("margin"),o=e.outerHeight(!0);acf.do_action("remove",e),e.wrap('
        ');var r=e.parent();e.css({height:a,width:n,margin:s,position:"absolute"}),setTimeout(function(){r.css({opacity:0,height:i})},50),setTimeout(function(){r.remove(),"function"==typeof t&&t.apply(this,arguments)},301)},isset:function(){var e=arguments,t=e.length,a=null,n;if(0===t)throw new Error("Empty isset");for(a=e[0],i=1;i #acf-popup"),$popup.exists())return update_popup(e);var t=['
        ','
        ','

        ','
        ','
        ',"
        ",'
        ',"
        "].join("");return $("body").append(t),$("#acf-popup").on("click",".bg, .acf-close-popup",function(e){e.preventDefault(),acf.close_popup()}),this.update_popup(e)},update_popup:function(e){return $popup=$("#acf-popup"),!!$popup.exists()&&(e=$.extend({},{title:"",content:"",width:0,height:0,loading:!1},e),e.title&&$popup.find(".title h3").html(e.title),e.content&&($inner=$popup.find(".inner:first"),$inner.html(e.content),acf.do_action("append",$inner),$inner.attr("style","position: relative;"),e.height=$inner.outerHeight(),$inner.removeAttr("style")),e.width&&$popup.find(".acf-popup-box").css({width:e.width,"margin-left":0-e.width/2}),e.height&&(e.height+=44,$popup.find(".acf-popup-box").css({height:e.height,"margin-top":0-e.height/2})),e.loading?$popup.find(".loading").show():$popup.find(".loading").hide(),$popup)},close_popup:function(){$popup=$("#acf-popup"),$popup.exists()&&$popup.remove()},update_user_setting:function(e,t){$.ajax({url:acf.get("ajaxurl"),dataType:"html",type:"post",data:acf.prepare_for_ajax({action:"acf/update_user_setting",name:e,value:t})})},prepare_for_ajax:function(e){var t={};return $.each(e,function(e,i){$.isPlainObject(i)&&!$.isEmptyObject(i)?$.each(i,function(i,a){i+="";var n=i.indexOf("[");i=0==n?e+i:n>0?e+"["+i.slice(0,n)+"]"+i.slice(n):e+"["+i+"]",t[i]=a}):t[e]=i}),t.nonce=acf.get("nonce"),t.post_id=acf.get("post_id"),t=acf.apply_filters("prepare_for_ajax",t)},is_ajax_success:function(e){return!(!e||!e.success)},get_ajax_message:function(e){var t={text:"",type:"error"};return e?(e.success&&(t.type="success"),e.data&&e.data.message&&(t.text=e.data.message),e.data&&e.data.error&&(t.text=e.data.error),t):t},is_in_view:function(e){var t=e.offset().top,i=t+e.height();if(t===i)return!1;var a=$(window).scrollTop();return i<=a+$(window).height()&&t>=a},val:function(e,t){var i=e.val();e.val(t),t!=i&&e.trigger("change")},str_replace:function(e,t,i){return i.split(e).join(t)},str_sanitize:function(e){var t={"À":"A","Á":"A","Â":"A","Ã":"A","Ä":"A","Å":"A","Æ":"AE","Ç":"C","È":"E","É":"E","Ê":"E","Ë":"E","Ì":"I","Í":"I","Î":"I","Ï":"I","Ð":"D","Ñ":"N","Ò":"O","Ó":"O","Ô":"O","Õ":"O","Ö":"O","Ø":"O","Ù":"U","Ú":"U","Û":"U","Ü":"U","Ý":"Y","ß":"s","à":"a","á":"a","â":"a","ã":"a","ä":"a","å":"a","æ":"ae","ç":"c","è":"e","é":"e","ê":"e","ë":"e","ì":"i","í":"i","î":"i","ï":"i","ñ":"n","ò":"o","ó":"o","ô":"o","õ":"o","ö":"o","ø":"o","ù":"u","ú":"u","û":"u","ü":"u","ý":"y","ÿ":"y","Ā":"A","ā":"a","Ă":"A","ă":"a","Ą":"A","ą":"a","Ć":"C","ć":"c","Ĉ":"C","ĉ":"c","Ċ":"C","ċ":"c","Č":"C","č":"c","Ď":"D","ď":"d","Đ":"D","đ":"d","Ē":"E","ē":"e","Ĕ":"E","ĕ":"e","Ė":"E","ė":"e","Ę":"E","ę":"e","Ě":"E","ě":"e","Ĝ":"G","ĝ":"g","Ğ":"G","ğ":"g","Ġ":"G","ġ":"g","Ģ":"G","ģ":"g","Ĥ":"H","ĥ":"h","Ħ":"H","ħ":"h","Ĩ":"I","ĩ":"i","Ī":"I","ī":"i","Ĭ":"I","ĭ":"i","Į":"I","į":"i","İ":"I","ı":"i","IJ":"IJ","ij":"ij","Ĵ":"J","ĵ":"j","Ķ":"K","ķ":"k","Ĺ":"L","ĺ":"l","Ļ":"L","ļ":"l","Ľ":"L","ľ":"l","Ŀ":"L","ŀ":"l","Ł":"l","ł":"l","Ń":"N","ń":"n","Ņ":"N","ņ":"n","Ň":"N","ň":"n","ʼn":"n","Ō":"O","ō":"o","Ŏ":"O","ŏ":"o","Ő":"O","ő":"o","Œ":"OE","œ":"oe","Ŕ":"R","ŕ":"r","Ŗ":"R","ŗ":"r","Ř":"R","ř":"r","Ś":"S","ś":"s","Ŝ":"S","ŝ":"s","Ş":"S","ş":"s","Š":"S","š":"s","Ţ":"T","ţ":"t","Ť":"T","ť":"t","Ŧ":"T","ŧ":"t","Ũ":"U","ũ":"u","Ū":"U","ū":"u","Ŭ":"U","ŭ":"u","Ů":"U","ů":"u","Ű":"U","ű":"u","Ų":"U","ų":"u","Ŵ":"W","ŵ":"w","Ŷ":"Y","ŷ":"y","Ÿ":"Y","Ź":"Z","ź":"z","Ż":"Z","ż":"z","Ž":"Z","ž":"z","ſ":"s","ƒ":"f","Ơ":"O","ơ":"o","Ư":"U","ư":"u","Ǎ":"A","ǎ":"a","Ǐ":"I","ǐ":"i","Ǒ":"O","ǒ":"o","Ǔ":"U","ǔ":"u","Ǖ":"U","ǖ":"u","Ǘ":"U","ǘ":"u","Ǚ":"U","ǚ":"u","Ǜ":"U","ǜ":"u","Ǻ":"A","ǻ":"a","Ǽ":"AE","ǽ":"ae","Ǿ":"O","ǿ":"o"," ":"_","'":"","?":"","/":"","\\":"",".":"",",":"","`":"",">":"","<":"",'"':"","[":"","]":"","|":"","{":"","}":"","(":"",")":""},i=/\W/g,a=function(e){return void 0!==t[e]?t[e]:e};return e=e.replace(i,a),e=e.toLowerCase()},addslashes:function(e){return e.replace(/[-[\]{}()*+?.,\\^$|#\s]/g,"\\$&")},esc_html:function(e){var t={"&":"&","<":"<",">":">",'"':""","'":"'","/":"/","`":"`","=":"="};return String(e).replace(/[&<>"'`=\/]/g,function(e){return t[e]})},render_select:function(e,t){var i=e.val();e.html(""),t&&$.each(t,function(t,a){var n=e;a.group&&(n=e.find('optgroup[label="'+a.group+'"]'),n.exists()||(n=$(''),e.append(n))),n.append('"),i==a.value&&e.prop("selectedIndex",t)})},duplicate:function(e){void 0!==e.length&&(e={$el:e}),e=acf.parse_args(e,{$el:!1,search:"",replace:"",before:function(e){},after:function(e,t){},append:function(e,t){e.after(t)}});var t=e.$el,i;e.search||(e.search=t.attr("data-id")),e.replace||(e.replace=acf.get_uniqid()),e.before.apply(this,[t]),acf.do_action("before_duplicate",t);var i=t.clone();return i.removeClass("acf-clone"),acf.do_action("remove",i),e.search&&(i.attr("data-id",e.replace),i.find('[id*="'+e.search+'"]').each(function(){$(this).attr("id",$(this).attr("id").replace(e.search,e.replace))}),i.find('[name*="'+e.search+'"]').each(function(){$(this).attr("name",$(this).attr("name").replace(e.search,e.replace))}),i.find('label[for*="'+e.search+'"]').each(function(){$(this).attr("for",$(this).attr("for").replace(e.search,e.replace))})),i.find(".ui-sortable").removeClass("ui-sortable"),acf.do_action("after_duplicate",t,i),e.after.apply(this,[t,i]),e.append.apply(this,[t,i]),setTimeout(function(){acf.do_action("append",i)},1),i},decode:function(e){return $("');e.before(t),this.active=!0,this.$node=e,this.$textarea=t;var i=this.atts();wpLink.open("acf-link-textarea",i.url,i.title,null),$("#wp-link-wrap").addClass("has-text-field")},reset:function(){this.active=!1,this.$textarea.remove(),this.$textarea=null,this.$node=null},_select:function(e,t){var i=this.inputs();i.title||(i.title=t.find(".item-title").text(),this.inputs(i),console.log(i))},_open:function(e){if(this.active){var t=this.atts();this.inputs(t)}},_close:function(e){this.active&&setTimeout(function(){acf.link.reset()},100)},_update:function(e){if(this.active){var t=this.inputs();this.atts(t)}}})}(jQuery),function($){acf.media=acf.model.extend({frames:[],mime_types:{},actions:{ready:"ready"},frame:function(){var e=this.frames.length-1;return!(e<0)&&this.frames[e]},destroy:function(e){e.detach(),e.dispose(),e=null,this.frames.pop()},popup:function(e){var t=acf.get("post_id"),i=!1;$.isNumeric(t)||(t=0);var a=acf.parse_args(e,{mode:"select",title:"",button:"",type:"",field:"",mime_types:"",library:"all",multiple:!1,attachment:0,post_id:t,select:function(){}});a.id&&(a.attachment=a.id);var i=this.new_media_frame(a);return this.frames.push(i),setTimeout(function(){i.open()},1),i},_get_media_frame_settings:function(e,t){return"select"===t.mode?e=this._get_select_frame_settings(e,t):"edit"===t.mode&&(e=this._get_edit_frame_settings(e,t)),e},_get_select_frame_settings:function(e,t){return t.type&&(e.library.type=t.type),"uploadedTo"===t.library&&(e.library.uploadedTo=t.post_id),e._button=acf._e("media","select"),e},_get_edit_frame_settings:function(e,t){return e.library.post__in=[t.attachment],e._button=acf._e("media","update"),e},_add_media_frame_events:function(e,t){return e.on("open",function(){this.$el.closest(".media-modal").addClass("acf-media-modal -"+t.mode)},e),e.on("content:render:edit-image",function(){var e=this.state().get("image"),t=new wp.media.view.EditImage({model:e,controller:this}).render();this.content.set(t),t.loadEditor()},e),e.on("toolbar:create:select",function(t){t.view=new wp.media.view.Toolbar.Select({text:e.options._button,controller:this})},e),e.on("select",function(){var i=e.state(),a=i.get("image"),n=i.get("selection");if(a)return void t.select.apply(e,[a,0]);if(n){var s=0;return void n.each(function(i){t.select.apply(e,[i,s]),s++})}}),e.on("close",function(){setTimeout(function(){acf.media.destroy(e)},500)}),"select"===t.mode?e=this._add_select_frame_events(e,t):"edit"===t.mode&&(e=this._add_edit_frame_events(e,t)),e},_add_select_frame_events:function(e,t){var i=this;return acf.isset(_wpPluploadSettings,"defaults","multipart_params")&&(_wpPluploadSettings.defaults.multipart_params._acfuploader=t.field,e.on("open",function(){delete _wpPluploadSettings.defaults.multipart_params._acfuploader})),e.on("content:activate:browse",function(){try{var a=e.content.get().toolbar,n=a.get("filters"),s=a.get("search")}catch(e){return}if("image"==t.type&&(n.filters.all.text=acf._e("image","all"),delete n.filters.audio,delete n.filters.video,$.each(n.filters,function(e,t){null===t.props.type&&(t.props.type="image")})),t.mime_types){var o=t.mime_types.split(" ").join("").split(".").join("").split(",");$.each(o,function(e,t){$.each(i.mime_types,function(e,i){if(-1!==e.indexOf(t)){var a={text:t,props:{status:null,type:i,uploadedTo:null,orderby:"date",order:"DESC"},priority:20};n.filters[i]=a}})})}"uploadedTo"==t.library&&(delete n.filters.unattached,delete n.filters.uploaded,n.$el.parent().append(''+acf._e("image","uploadedTo")+""),$.each(n.filters,function(e,i){i.props.uploadedTo=t.post_id})),$.each(n.filters,function(e,i){i.props._acfuploader=t.field}),s.model.attributes._acfuploader=t.field,"function"==typeof n.refresh&&n.refresh()}),e},_add_edit_frame_events:function(e,t){return e.on("open",function(){this.$el.closest(".media-modal").addClass("acf-expanded"),"browse"!=this.content.mode()&&this.content.mode("browse");var e=this.state(),i=e.get("selection"),a=wp.media.attachment(t.attachment);i.add(a)},e),e},new_media_frame:function(e){var t={title:e.title,multiple:e.multiple,library:{},states:[]};t=this._get_media_frame_settings(t,e);var i=wp.media.query(t.library);acf.isset(i,"mirroring","args")&&(i.mirroring.args._acfuploader=e.field),t.states=[new wp.media.controller.Library({library:i,multiple:t.multiple,title:t.title,priority:20,filterable:"all",editable:!0,allowLocalEdits:!0})],acf.isset(wp,"media","controller","EditImage")&&t.states.push(new wp.media.controller.EditImage);var a=wp.media(t);return a.acf=e,a=this._add_media_frame_events(a,e)},ready:function(){var e=acf.get("wp_version"),t=acf.get("browser"),i=acf.get("post_id");acf.isset(window,"wp","media","view","settings","post")&&$.isNumeric(i)&&(wp.media.view.settings.post.id=i),t&&$("body").addClass("browser-"+t),e&&(e+="",major=e.substr(0,1),$("body").addClass("major-"+major)),acf.isset(window,"wp","media","view")&&(this.customize_Attachment(),this.customize_AttachmentFiltersAll(),this.customize_AttachmentCompat())},customize_Attachment:function(){var e=wp.media.view.Attachment.Library;wp.media.view.Attachment.Library=e.extend({render:function(){var t=acf.media.frame(),i=acf.maybe_get(this,"model.attributes.acf_errors");return t&&i&&this.$el.addClass("acf-disabled"),e.prototype.render.apply(this,arguments)},toggleSelection:function(t){var i=this.collection,a=this.options.selection,n=this.model,s=a.single(),o=acf.media.frame(),r=acf.maybe_get(this,"model.attributes.acf_errors"),l=this.controller.$el.find(".media-frame-content .media-sidebar");if(l.children(".acf-selection-error").remove(),l.children().removeClass("acf-hidden"),o&&r){var c=acf.maybe_get(this,"model.attributes.filename","");return l.children().addClass("acf-hidden"),l.prepend(['
        ',''+acf._e("restricted")+"",''+c+"",''+r+"","
        "].join("")),a.reset(),void a.single(n)}e.prototype.toggleSelection.apply(this,arguments)}})},customize_AttachmentFiltersAll:function(){wp.media.view.AttachmentFilters.All.prototype.refresh=function(){this.$el.html(_.chain(this.filters).map(function(e,t){return{el:$("").val(t).html(e.text)[0],priority:e.priority||50}},this).sortBy("priority").pluck("el").value())}},customize_AttachmentCompat:function(){var e=wp.media.view.AttachmentCompat;wp.media.view.AttachmentCompat=e.extend({add_acf_expand_button:function(){var e=this.$el.closest(".media-modal");if(!e.find(".media-frame-router .acf-expand-details").exists()){var t=$(['',''+acf._e("expand_details")+"",''+acf._e("collapse_details")+"",""].join(""));t.on("click",function(t){t.preventDefault(),e.hasClass("acf-expanded")?e.removeClass("acf-expanded"):e.addClass("acf-expanded")}),e.find(".media-frame-router").append(t)}},render:function(){if(this.ignore_render)return this;var t=this;return setTimeout(function(){t.add_acf_expand_button()},0),clearTimeout(acf.media.render_timout),acf.media.render_timout=setTimeout(function(){acf.do_action("append",t.$el)},50),e.prototype.render.apply(this,arguments)},dispose:function(){return acf.do_action("remove",this.$el),e.prototype.dispose.apply(this,arguments)},save:function(e){e&&e.preventDefault();var t=acf.serialize(this.$el);this.ignore_render=!0,this.model.saveCompat(t)}})}})}(jQuery),function($){acf.fields.oembed=acf.field.extend({type:"oembed",$el:null,events:{'click [data-name="search-button"]':"_search",'click [data-name="clear-button"]':"_clear",'click [data-name="value-title"]':"_edit",'keypress [data-name="search-input"]':"_keypress",'keyup [data-name="search-input"]':"_keyup",'blur [data-name="search-input"]':"_blur"},focus:function(){this.$el=this.$field.find(".acf-oembed"),this.$search=this.$el.find('[data-name="search-input"]'),this.$input=this.$el.find('[data-name="value-input"]'),this.$title=this.$el.find('[data-name="value-title"]'),this.$embed=this.$el.find('[data-name="value-embed"]'),this.o=acf.get_data(this.$el)},maybe_search:function(){var e=this.$input.val(),t=this.$search.val();if(!t)return void this.clear();t!=e&&this.search()},search:function(){var e=this.$search.val();"http"!=e.substr(0,4)&&(e="http://"+e,this.$search.val(e)),this.$el.addClass("is-loading");var t=acf.prepare_for_ajax({action:"acf/fields/oembed/search",s:e,field_key:this.$field.data("key")});this.$el.data("xhr")&&this.$el.data("xhr").abort();var i=$.ajax({url:acf.get("ajaxurl"),data:t,type:"post",dataType:"json",context:this,success:this.search_success});this.$el.data("xhr",i)},search_success:function(e){var t=this.$search.val();if(this.$el.removeClass("is-loading"),!e||!e.html)return void this.$el.removeClass("has-value").addClass("has-error");this.$el.removeClass("has-error").addClass("has-value"),this.$input.val(t),this.$title.html(t),this.$embed.html(e.html)},clear:function(){this.$el.removeClass("has-error has-value"),this.$el.find('[data-name="search-input"]').val(""),this.$input.val(""),this.$title.html(""),this.$embed.html("")},edit:function(){this.$el.addClass("is-editing"),this.$search.val(this.$title.text()).focus()},blur:function(e){this.$el.removeClass("is-editing"),this.maybe_search()},_search:function(e){this.search()},_clear:function(e){this.clear()},_edit:function(e){this.edit()},_keypress:function(e){13==e.which&&e.preventDefault()},_keyup:function(e){this.$search.val()&&this.maybe_search()},_blur:function(e){this.blur()}})}(jQuery),function($){acf.fields.radio=acf.field.extend({type:"radio",$ul:null,actions:{ready:"initialize",append:"initialize"},events:{'click input[type="radio"]':"click"},focus:function(){this.$ul=this.$field.find(".acf-radio-list"),this.o=acf.get_data(this.$ul)},initialize:function(){this.$ul.find(".selected input").prop("checked",!0)},click:function(e){var t=e.$el,i=t.parent("label"),a=i.hasClass("selected"),n=t.val();if(this.$ul.find(".selected").removeClass("selected"),i.addClass("selected"),this.o.allow_null&&a&&(e.$el.prop("checked",!1),i.removeClass("selected"),n=!1,e.$el.trigger("change")),this.o.other_choice){var s=this.$ul.find('input[type="text"]');"other"===n?s.prop("disabled",!1).attr("name",t.attr("name")):s.prop("disabled",!0).attr("name","")}}})}(jQuery),function($){acf.fields.range=acf.field.extend({type:"range",$el:null,$range:null,$input:null,events:{"input input":"onInput","change input":"onChange"},focus:function(){this.$el=this.$field.find(".acf-range-wrap"),this.$range=this.$el.children('input[type="range"]'),this.$input=this.$el.children('input[type="number"]')},setValue:function(e){this.$input.val(e),this.$range.val(e)},onInput:function(e){this.setValue(e.$el.val())},onChange:function(e){this.setValue(e.$el.val()),"number"==e.$el.attr("type")&&this.$range.trigger("change")}})}(jQuery),function($){acf.fields.relationship=acf.field.extend({type:"relationship",$el:null,$input:null,$filters:null,$choices:null,$values:null,actions:{ready:"initialize",append:"initialize"},events:{"keypress [data-filter]":"submit_filter","change [data-filter]":"change_filter","keyup [data-filter]":"change_filter","click .choices .acf-rel-item":"add_item",'click [data-name="remove_item"]':"remove_item"},focus:function(){this.$el=this.$field.find(".acf-relationship"),this.$input=this.$el.children('input[type="hidden"]'),this.$choices=this.$el.find(".choices"),this.$values=this.$el.find(".values"),this.o=acf.get_data(this.$el)},initialize:function(){var e=this,t=this.$field,i=this.$el,a=this.$input;this.$values.children(".list").sortable({items:"li",forceHelperSize:!0,forcePlaceholderSize:!0,scroll:!0,update:function(){a.trigger("change")}}),this.$choices.children(".list").scrollTop(0).on("scroll",function(a){if(!i.hasClass("is-loading")&&!i.hasClass("is-empty")&&Math.ceil($(this).scrollTop())+$(this).innerHeight()>=$(this).get(0).scrollHeight){var n=i.data("paged")||1;i.data("paged",n+1),e.set("$field",t).fetch()}}),this.fetch()},maybe_fetch:function(){var e=this,t=this.$field;this.o.timeout&&clearTimeout(this.o.timeout);var i=setTimeout(function(){e.doFocus(t),e.fetch()},300);this.$el.data("timeout",i)},fetch:function(){var e=this,t=this.$field;this.$el.addClass("is-loading"),this.o.xhr&&(this.o.xhr.abort(),this.o.xhr=!1),this.o.action="acf/fields/relationship/query",this.o.field_key=t.data("key"),this.o.post_id=acf.get("post_id");var i=acf.prepare_for_ajax(this.o);1==i.paged&&this.$choices.children(".list").html(""),this.$choices.find("ul:last").append('

        '+acf._e("relationship","loading")+"

        ");var a=$.ajax({url:acf.get("ajaxurl"),dataType:"json",type:"post",data:i,success:function(i){e.set("$field",t).render(i)}});this.$el.data("xhr",a)},render:function(e){if(this.$el.removeClass("is-loading is-empty"),this.$choices.find("p").remove(),!e||!e.results||!e.results.length)return this.$el.addClass("is-empty"),void(1==this.o.paged&&this.$choices.children(".list").append("

        "+acf._e("relationship","empty")+"

        "));var t=$(this.walker(e.results));this.$values.find(".acf-rel-item").each(function(){t.find('.acf-rel-item[data-id="'+$(this).data("id")+'"]').addClass("disabled")}),this.$choices.children(".list").append(t);var i="",a=null;this.$choices.find(".acf-rel-label").each(function(){if($(this).text()==i)return a.append($(this).siblings("ul").html()),void $(this).parent().remove();i=$(this).text(),a=$(this).siblings("ul")})},walker:function(e){var t="";if($.isArray(e))for(var i in e)t+=this.walker(e[i]);else $.isPlainObject(e)&&(void 0!==e.children?(t+='
      • '+e.text+'
          ',t+=this.walker(e.children),t+="
      • "):t+='
      • '+e.text+"
      • ");return t},submit_filter:function(e){13==e.which&&e.preventDefault()},change_filter:function(e){var t=e.$el.val(),i=e.$el.data("filter");this.$el.data(i)!=t&&(this.$el.data(i,t),this.$el.data("paged",1),e.$el.is("select")?this.fetch():this.maybe_fetch())},add_item:function(e){if(this.o.max>0&&this.$values.find(".acf-rel-item").length>=this.o.max)return void alert(acf._e("relationship","max").replace("{max}",this.o.max));if(e.$el.hasClass("disabled"))return!1;e.$el.addClass("disabled");var t=["
      • ",'',''+e.$el.html(),'',"","
      • "].join("");this.$values.children(".list").append(t),this.$input.trigger("change"),acf.validation.remove_error(this.$field)},remove_item:function(e){var t=e.$el.parent(),i=t.data("id");t.parent("li").remove(),this.$choices.find('.acf-rel-item[data-id="'+i+'"]').removeClass("disabled"),this.$input.trigger("change")}})}(jQuery),function($){var e,t,i;e=acf.select2=acf.model.extend({version:0,version3:null,version4:null,actions:{"ready 1":"ready"},ready:function(){this.version=this.get_version(),this.do_function("ready")},get_version:function(){return acf.maybe_get(window,"Select2")?3:acf.maybe_get(window,"jQuery.fn.select2.amd")?4:0},do_function:function(e,t){t=t||[];var i="version"+this.version;return void 0!==this[i]&&void 0!==this[i][e]&&this[i][e].apply(this,t)},get_data:function(e,t){var i=this;return t=t||[],e.children().each(function(){var e=$(this);e.is("optgroup")?t.push({text:e.attr("label"),children:i.get_data(e)}):t.push({id:e.attr("value"),text:e.text()})}),t},decode_data:function(t){return t?($.each(t,function(i,a){t[i].text=acf.decode(a.text),void 0!==a.children&&(t[i].children=e.decode_data(a.children))}),t):[]},count_data:function(e){var t=0;return e?($.each(e,function(e,i){t++,void 0!==i.children&&(t+=i.children.length)}),t):t},get_ajax_data:function(e,t,i,a){var n=acf.prepare_for_ajax({action:e.ajax_action,field_key:e.key,s:t.term||"",paged:t.page||1});return n=acf.apply_filters("select2_ajax_data",n,e,i,a)},get_ajax_results:function(e,t){var i={results:[]};return e||(e=i),void 0===e.results&&(i.results=e,e=i),e.results=this.decode_data(e.results),e=acf.apply_filters("select2_ajax_results",e,t)},get_value:function(e){var t=[],i=e.find("option:selected");return i.exists()?(i=i.sort(function(e,t){return+e.getAttribute("data-i")-+t.getAttribute("data-i")}),i.each(function(){var e=$(this);t.push({id:e.attr("value"),text:e.text(),$el:e})}),t):t},get_input_value:function(e){return e.val().split("||")},sync_input_value:function(e,t){e.val(t.val().join("||"))},add_option:function(e,t,i){e.find('option[value="'+t+'"]').length||e.append('")},select_option:function(e,t){e.find('option[value="'+t+'"]').prop("selected",!0),e.trigger("change")},unselect_option:function(e,t){ +e.find('option[value="'+t+'"]').prop("selected",!1),e.trigger("change")},init:function(e,t,i){this.do_function("init",arguments)},destroy:function(e){this.do_function("destroy",arguments)},add_value:function(e,t,i){this.do_function("add_value",arguments)},remove_value:function(e,t){this.do_function("remove_value",arguments)}}),t=e.version3={ready:function(){var e=acf.get("locale"),t=acf.get("rtl");if(l10n=acf._e("select"),l10n){var i={formatMatches:function(e){return 1===e?l10n.matches_1:l10n.matches_n.replace("%d",e)},formatNoMatches:function(){return l10n.matches_0},formatAjaxError:function(){return l10n.load_fail},formatInputTooShort:function(e,t){var i=t-e.length;return 1===i?l10n.input_too_short_1:l10n.input_too_short_n.replace("%d",i)},formatInputTooLong:function(e,t){var i=e.length-t;return 1===i?l10n.input_too_long_1:l10n.input_too_long_n.replace("%d",i)},formatSelectionTooBig:function(e){return 1===e?l10n.selection_too_long_1:l10n.selection_too_long_n.replace("%d",e)},formatLoadMore:function(){return l10n.load_more},formatSearching:function(){return l10n.searching}};$.fn.select2.locales=acf.maybe_get(window,"jQuery.fn.select2.locales",{}),$.fn.select2.locales[e]=i,$.extend($.fn.select2.defaults,i)}},set_data:function(e,t){3==this.version&&(e=e.siblings("input")),e.select2("data",t)},append_data:function(e,t){3==this.version&&(e=e.siblings("input"));var i=e.select2("data")||[];i.push(t),e.select2("data",i)},init:function(i,a,n){a=a||{},n=n||null,a=$.extend({allow_null:!1,placeholder:"",multiple:!1,ajax:!1,ajax_action:""},a);var s=i.siblings("input");if(s.exists()){var o={width:"100%",containerCssClass:"-acf",allowClear:a.allow_null,placeholder:a.placeholder,multiple:a.multiple,separator:"||",data:[],escapeMarkup:function(e){return e},formatResult:function(e,t,i,a){var n=$.fn.select2.defaults.formatResult(e,t,i,a);return e.description&&(n+=' '+e.description+""),n}},r=this.get_value(i);if(a.multiple){var l=i.attr("name");o.formatSelection=function(e,t){var i='";return t.parent().append(i),e.text}}else r=acf.maybe_get(r,0,!1),!a.allow_null&&r&&s.val(r.id);a.allow_null&&i.find('option[value=""]').remove(),o.data=this.get_data(i),o.initSelection=function(e,t){t(r)},a.ajax&&(o.ajax={url:acf.get("ajaxurl"),dataType:"json",type:"post",cache:!1,quietMillis:250,data:function(t,i){var o={term:t,page:i};return e.get_ajax_data(a,o,s,n)},results:function(i,a){var n={page:a};return setTimeout(function(){t.merge_results()},1),e.get_ajax_results(i,n)}}),o.dropdownCss={"z-index":"999999999"},o.acf=a,o=acf.apply_filters("select2_args",o,i,a,n),s.select2(o);var c=s.select2("container");c.before(i),c.before(s),a.multiple&&c.find("ul.select2-choices").sortable({start:function(){s.select2("onSortStart")},stop:function(){s.select2("onSortEnd")}}),i.prop("disabled",!0).addClass("acf-disabled acf-hidden"),s.on("change",function(t){t.added&&e.add_option(i,t.added.id,t.added.text),e.select_option(i,t.val)}),acf.do_action("select2_init",s,o,a,n)}},merge_results:function(){var e="",t=null;$("#select2-drop .select2-result-with-children").each(function(){var i=$(this).children(".select2-result-label"),a=$(this).children(".select2-result-sub");if(i.text()==e)return t.append(a.children()),void $(this).remove();e=i.text(),t=a})},destroy:function(e){var t=e.siblings("input");t.data("select2")&&t.select2("destroy"),e.siblings(".select2-container").remove(),e.prop("disabled",!1).removeClass("acf-disabled acf-hidden"),t.attr("style","")},add_value:function(t,i,a){e.add_option(t,i,a),e.select_option(t,i);var n=t.siblings("input"),s={id:i,text:a};if(!t.data("multiple"))return n.select2("data",s);var o=n.select2("data")||[];return o.push(s),n.select2("data",o)},remove_value:function(t,i){e.unselect_option(t,i);var a=t.siblings("input"),n=a.select2("data");t.data("multiple")?(n=$.grep(n,function(e){return e.id!=i}),a.select2("data",n)):n&&n.id==i&&a.select2("data",null)}},i=e.version4={init:function(t,a,n){a=a||{},n=n||null,a=$.extend({allow_null:!1,placeholder:"",multiple:!1,ajax:!1,ajax_action:""},a);var s=t.siblings("input");if(s.exists()){var o={width:"100%",allowClear:a.allow_null,placeholder:a.placeholder,multiple:a.multiple,separator:"||",data:[],escapeMarkup:function(e){return e}},r=this.get_value(t);a.multiple?$.each(r,function(e,i){i.$el.detach().appendTo(t)}):r=acf.maybe_get(r,0,""),a.ajax?o.ajax={url:acf.get("ajaxurl"),delay:250,dataType:"json",type:"post",cache:!1,data:function(i){return e.get_ajax_data(a,i,t,n)},processResults:function(t,a){var n=e.get_ajax_results(t,a);return n.more&&(n.pagination={more:!0}),setTimeout(function(){i.merge_results()},1),n}}:(t.removeData("ajax"),t.removeAttr("data-ajax")),o=acf.apply_filters("select2_args",o,t,a,n),t.select2(o);var l=t.next(".select2-container");if(a.multiple){var c=l.find("ul");c.sortable({stop:function(e){c.find(".select2-selection__choice").each(function(){$($(this).data("data").element).detach().appendTo(t),s.trigger("change")})}}),t.on("select2:select",function(e){$(e.params.data.element).detach().appendTo(t)})}s.val(""),l.addClass("-acf"),acf.do_action("select2_init",t,o,a,n)}},merge_results:function(){var e=null,t=null;$('.select2-results__option[role="group"]').each(function(){var i=$(this).children("ul"),a=$(this).children("strong");if(null!==t&&a.text()==t.text())return e.append(i.children()),void $(this).remove();e=i,t=a})},add_value:function(t,i,a){e.add_option(t,i,a),e.select_option(t,i)},remove_value:function(t,i){e.unselect_option(t,i)},destroy:function(e){e.data("select2")&&e.select2("destroy"),e.siblings(".select2-container").remove()}},acf.add_select2=function(t,i){e.init(t,i)},acf.remove_select2=function(t){e.destroy(t)}}(jQuery),function($){acf.fields.select=acf.field.extend({type:"select",$select:null,actions:{ready:"render",append:"render",remove:"remove"},focus:function(){this.$select=this.$field.find("select"),this.$select.exists()&&(this.o=acf.get_data(this.$select),this.o=acf.parse_args(this.o,{ajax_action:"acf/fields/"+this.type+"/query",key:this.$field.data("key")}))},render:function(){if(!this.$select.exists()||!this.o.ui)return!1;acf.select2.init(this.$select,this.o,this.$field)},remove:function(){if(!this.$select.exists()||!this.o.ui)return!1;acf.select2.destroy(this.$select)}}),acf.fields.user=acf.fields.select.extend({type:"user"}),acf.fields.post_object=acf.fields.select.extend({type:"post_object"}),acf.fields.page_link=acf.fields.select.extend({type:"page_link"})}(jQuery),function($,e){var t=0;acf.fields.accordion=acf.field.extend({type:"accordion",$el:null,$wrap:null,actions:{prepare:"initialize",append:"initialize"},focus:function(){},initialize:function(){var e=this.$field,i=e.children(".acf-label"),a=e.children(".acf-input"),n=a.children(".acf-fields"),s=n.data();if(!e.is("td")){if(s.endpoint)return void e.remove();var o=a.children(".description");if(o.length&&i.append(o),e.is("tr")){var r=e.closest("table"),l=$('
        '),c=$('
        '),d=$('
          '),f=$("");l.append(i.html()),d.append(f),c.append(d),a.append(l),a.append(c),i.remove(),n.remove(),a.attr("colspan",2),i=l,a=c,n=f}e.addClass("acf-accordion"),i.addClass("acf-accordion-title"),a.addClass("acf-accordion-content"),t++,s.multi_expand&&e.data("multi-expand",1);var u=acf.getPreference("this.accordions")||[];void 0!==u[t-1]&&(s.open=u[t-1]),s.open&&(e.addClass("-open"),a.css("display","block")),i.prepend('');var h=e.parent();n.addClass(h.hasClass("-left")?"-left":""),n.addClass(h.hasClass("-clear")?"-clear":""),n.append(e.nextUntil(".acf-field-accordion",".acf-field")),n.removeAttr("data-open data-multi_expand data-endpoint")}}});var i=acf.model.extend({events:{"click .acf-accordion-title":"_click"},_click:function(e){e.preventDefault(),this.toggle(e.$el.closest(".acf-accordion"))},isOpen:function(e){return e.hasClass("-open")},toggle:function(e){this.isOpen(e)?this.close(e):this.open(e)},open:function(e){e.find(".acf-accordion-content:first").slideDown().css("display","block"),e.find(".acf-accordion-icon:first").removeClass("dashicons-arrow-right").addClass("dashicons-arrow-down"),e.addClass("-open"),acf.do_action("show",e),e.data("multi-expand")||e.siblings(".acf-accordion.-open").each(function(){i.close($(this))}),acf.do_action("refresh",e)},close:function(e){e.find(".acf-accordion-content:first").slideUp(),e.find(".acf-accordion-icon:first").removeClass("dashicons-arrow-down").addClass("dashicons-arrow-right"),e.removeClass("-open"),acf.do_action("hide",e)}});$(window).on("unload",function(){var e=[];$(".acf-accordion").each(function(){var t=$(this).hasClass("-open")?1:0;e.push(t)}),e.length&&acf.setPreference("this.accordions",e)});var a=acf.model.extend({active:1,events:{"invalidField .acf-accordion":"invalidField"},invalidField:function(e){this.active&&(this.block(),i.open(e.$el))},block:function(){var e=this;this.active=0,setTimeout(function(){e.active=1},1e3)}})}(jQuery),function($){var e="hidden-by-conditional-logic",t=0,i=0,a=acf.model.extend({$fields:[],actions:{"prepare 15":"initialize","append 15":"initialize","refresh 15":"refresh"},events:{"click .acf-tab-button":"_click"},_click:function(e){e.preventDefault(),this.toggle(e.$el)},isOpen:function(e){return e.hasClass("-open")},toggle:function(e){var t=e.data("key"),i=e.parent(),a=e.closest(".acf-tab-wrap"),n=a.find(".active a"),s=a.siblings('.acf-field[data-key="'+t+'"]');if(!this.isOpen(s)){if(n.length){var o=n.data("key"),r=n.parent(),l=a.siblings('.acf-field[data-key="'+o+'"]');r.removeClass("active"),this.close(l)}i.addClass("active"),this.open(s),acf.do_action("refresh",a.parent())}},getFields:function(e){return e.nextUntil(".acf-field-tab",".acf-field")},getWrap:function(e){return e.prevAll(".acf-tab-wrap:first")},getTab:function(e,t){return e.find('a[data-key="'+t+'"]')},open:function(e){this.getFields(e).each(function(){$(this).removeClass("hidden-by-tab"),acf.do_action("show_field",$(this),"tab")})},close:function(e){this.getFields(e).each(function(){$(this).addClass("hidden-by-tab"),acf.do_action("hide_field",$(this),"tab")})},addTab:function(e){this.$fields.push(e)},initialize:function(){if(this.$fields.length){for(var e=0;e").append(o);return l?(c.addClass("active"),this.open(e)):this.close(e),""==o.html()&&c.hide(),s.find("ul").append(c),i++,((acf.getPreference("this.tabs")||[])[t-1]||0)!=i-1||l||this.toggle(o),c},createTabWrap:function(e,a){var n=e.parent(),s=!1;return n.hasClass("acf-fields")&&"left"==a.placement&&n.addClass("-sidebar"),s=$(e.is("tr")?'':'
            '),e.before(s),t++,i=0,s},refresh:function(e){$(".acf-tab-wrap",e).each(function(){var e=$(this);if(e.hasClass("-left")){var t=e.parent(),i=t.is("td")?"height":"min-height",a=e.position().top+e.children("ul").outerHeight(!0)-1;t.css(i,a)}})}});acf.fields.tab=acf.field.extend({type:"tab",$el:null,$wrap:null,actions:{prepare:"initialize",append:"initialize",hide:"hide",show:"show"},focus:function(){},initialize:function(){a.addTab(this.$field)},hide:function(t,i){if("conditional_logic"==i){var n=t.data("key"),s=a.getWrap(t),o=a.getTab(s,n),r=o.parent();s.exists()&&(r.addClass(e),a.getFields(t).each(function(){acf.conditional_logic.hide_field($(this),n)}),r.hasClass("active")&&s.find("li:not(."+e+"):first a").trigger("click"))}},show:function(t,i){if("conditional_logic"==i){var n=t.data("key"),s=a.getWrap(t),o=a.getTab(s,n),r=o.parent();if(s.exists()){r.removeClass(e),a.getFields(t).each(function(){acf.conditional_logic.show_field($(this),n)});var l=r.siblings(".active");l.exists()&&!l.hasClass(e)||a.toggle(o)}}}}),$(window).on("unload",function(){var e=[];$(".acf-tab-wrap").each(function(){var t=$(this).find(".active").index()||0;e.push(t)}),e.length&&acf.setPreference("this.tabs",e)});var n=acf.model.extend({active:1,actions:{invalid_field:"invalid_field"},invalid_field:function(e){if(this.active&&e.hasClass("hidden-by-tab")){var t=this,i=e.prevAll(".acf-field-tab:first");e.prevAll(".acf-tab-wrap:first").find('a[data-key="'+i.data("key")+'"]').trigger("click"),this.active=0,setTimeout(function(){t.active=1},1e3)}}})}(jQuery),function($){acf.fields.time_picker=acf.field.extend({type:"time_picker",$el:null,$input:null,$hidden:null,o:{},actions:{ready:"initialize",append:"initialize"},events:{'blur input[type="text"]':"blur"},focus:function(){this.$el=this.$field.find(".acf-time-picker"),this.$input=this.$el.find('input[type="text"]'),this.$hidden=this.$el.find('input[type="hidden"]'),this.o=acf.get_data(this.$el)},initialize:function(){if(void 0!==$.timepicker){var e={timeFormat:this.o.time_format,altField:this.$hidden,altFieldTimeOnly:!1,altTimeFormat:"HH:mm:ss",showButtonPanel:!0,controlType:"select",oneLine:!0,closeText:acf._e("date_time_picker","selectText")};e.onClose=function(e,t){var i=t.dpDiv,a=i.find(".ui-datepicker-close");if(!e&&a.is(":hover")){if(!(e=acf.maybe_get(t,"settings.timepicker.formattedTime")))return;$.datepicker._setTime(t)}},e=acf.apply_filters("time_picker_args",e,this.$field),this.$input.timepicker(e),$("body > #ui-datepicker-div").exists()&&$("body > #ui-datepicker-div").wrap('
            '),acf.do_action("time_picker_init",this.$input,e,this.$field)}},blur:function(){this.$input.val()||this.$hidden.val("")}})}(jQuery),function($){acf.fields.true_false=acf.field.extend({type:"true_false",$switch:null,$input:null,actions:{prepare:"render",append:"render",show:"render"},events:{"change .acf-switch-input":"_change","focus .acf-switch-input":"_focus","blur .acf-switch-input":"_blur","keypress .acf-switch-input":"_keypress"},focus:function(){this.$input=this.$field.find(".acf-switch-input"),this.$switch=this.$field.find(".acf-switch")},render:function(){if(this.$switch.exists()){var e=this.$switch.children(".acf-switch-on"),t=this.$switch.children(".acf-switch-off");width=Math.max(e.width(),t.width()),width&&(e.css("min-width",width),t.css("min-width",width))}},on:function(){this.$input.prop("checked",!0),this.$switch.addClass("-on")},off:function(){this.$input.prop("checked",!1),this.$switch.removeClass("-on")},_change:function(e){e.$el.prop("checked")?this.on():this.off()},_focus:function(e){this.$switch.addClass("-focus")},_blur:function(e){this.$switch.removeClass("-focus")},_keypress:function(e){return 37===e.keyCode?this.off():39===e.keyCode?this.on():void 0}})}(jQuery),function($){acf.fields.taxonomy=acf.field.extend({type:"taxonomy",$el:null,actions:{ready:"render",append:"render",remove:"remove"},events:{'click a[data-name="add"]':"add_term"},focus:function(){this.$el=this.$field.find(".acf-taxonomy-field"),this.o=acf.get_data(this.$el,{save:"",type:"",taxonomy:""}),this.o.key=this.$field.data("key")},render:function(){var e=this.$field.find("select");if(e.exists()){var t=acf.get_data(e);t=acf.parse_args(t,{pagination:!0,ajax_action:"acf/fields/taxonomy/query",key:this.o.key}),acf.select2.init(e,t)}},remove:function(){var e=this.$field.find("select");if(!e.exists())return!1;acf.select2.destroy(e)},add_term:function(e){var t=this;acf.open_popup({title:e.$el.attr("title")||e.$el.data("title"),loading:!0,height:220});var i=acf.prepare_for_ajax({action:"acf/fields/taxonomy/add_term",field_key:this.o.key});$.ajax({url:acf.get("ajaxurl"),data:i,type:"post",dataType:"html",success:function(e){t.add_term_confirm(e)}})},add_term_confirm:function(e){var t=this;acf.update_popup({content:e}),$('#acf-popup input[name="term_name"]').focus(),$("#acf-popup form").on("submit",function(e){e.preventDefault(),t.add_term_submit($(this))})},add_term_submit:function(e){var t=this,i=e.find(".acf-submit"),a=e.find('input[name="term_name"]'),n=e.find('select[name="term_parent"]');if(""===a.val())return a.focus(),!1;i.find("button").attr("disabled","disabled"),i.find(".acf-spinner").addClass("is-active");var s=acf.prepare_for_ajax({action:"acf/fields/taxonomy/add_term",field_key:this.o.key,term_name:a.val(),term_parent:n.exists()?n.val():0});$.ajax({url:acf.get("ajaxurl"),data:s,type:"post",dataType:"json",success:function(e){var n=acf.get_ajax_message(e);acf.is_ajax_success(e)&&(a.val(""),t.append_new_term(e.data)),n.text&&i.find("span").html(n.text)},complete:function(){i.find("button").removeAttr("disabled"),i.find(".acf-spinner").removeClass("is-active"),i.find("span").delay(1500).fadeOut(250,function(){$(this).html(""),$(this).show()}),a.focus()}})},append_new_term:function(e){var t={id:e.term_id,text:e.term_label};switch($('.acf-taxonomy-field[data-taxonomy="'+this.o.taxonomy+'"]').each(function(){var t=$(this).data("type");if("radio"==t||"checkbox"==t){var i=$(this).children('input[type="hidden"]'),a=$(this).find("ul:first"),n=i.attr("name");"checkbox"==t&&(n+="[]");var s=$(['
          • ',"","
          • "].join(""));if(e.term_parent){var o=a.find('li[data-id="'+e.term_parent+'"]');a=o.children("ul"),a.exists()||(a=$('
              '),o.append(a))}a.append(s)}}),$("#acf-popup #term_parent").each(function(){var t=$('");e.term_parent?$(this).children('option[value="'+e.term_parent+'"]').after(t):$(this).append(t)}),this.o.type){case"select":var i=this.$el.children("select");acf.select2.add_value(i,e.term_id,e.term_label);break;case"multi_select":var i=this.$el.children("select");acf.select2.add_value(i,e.term_id,e.term_label);break;case"checkbox":case"radio":var a=this.$el.find(".categorychecklist-holder"),n=a.find('li[data-id="'+e.term_id+'"]'),s=a.get(0).scrollTop+(n.offset().top-a.offset().top);n.find("input").prop("checked",!0),a.animate({scrollTop:s},"250");break}}})}(jQuery),function($){acf.fields.url=acf.field.extend({type:"url",$input:null,actions:{ready:"render",append:"render"},events:{'keyup input[type="url"]':"render"},focus:function(){this.$input=this.$field.find('input[type="url"]')},is_valid:function(){var e=this.$input.val();if(-1!==e.indexOf("://"));else if(0!==e.indexOf("//"))return!1;return!0},render:function(){this.is_valid()?this.$input.parent().addClass("-valid"):this.$input.parent().removeClass("-valid")}})}(jQuery),function($){acf.validation=acf.model.extend({actions:{ready:"ready",append:"ready"},filters:{validation_complete:"validation_complete"},events:{"click #save-post":"click_ignore",'click [type="submit"]':"click_publish","submit form":"submit_form","click .acf-error-message a":"click_message"},active:1,ignore:0,busy:0,valid:!0,errors:[],error_class:"acf-error",message_class:"acf-error-message",$trigger:null,ready:function(e){var t=$(".acf-field input, .acf-field textarea, .acf-field select");if(t.length){var i=this;t.on("invalid",function(e){var t=$(this),i=acf.get_field_wrap(t);i.trigger("invalidField"),acf.do_action("invalid",t),acf.do_action("invalid_field",i),acf.validation.ignore||(e.preventDefault(),acf.validation.errors.push({input:t.attr("name"),message:e.target.validationMessage}),acf.validation.fetch(t.closest("form")))})}},validation_complete:function(e,t){if(!this.errors.length)return e;e.valid=0,e.errors=e.errors||[];var a=[];if(e.errors.length)for(i in e.errors)a.push(e.errors[i].input);if(this.errors.length)for(i in this.errors){var n=this.errors[i];-1===$.inArray(n.input,a)&&e.errors.push(n)}return this.errors=[],e},click_message:function(e){e.preventDefault(),acf.remove_el(e.$el.parent())},click_ignore:function(e){var t=this;this.ignore=1,this.$trigger=e.$el,this.$form=e.$el.closest("form"),$("."+this.message_class).each(function(){acf.remove_el($(this))}),this.ignore_required_inputs(),setTimeout(function(){t.ignore=0},100)},ignore_required_inputs:function(){var e=$(".acf-field input[required], .acf-field textarea[required], .acf-field select[required]");e.length&&(e.prop("required",!1),setTimeout(function(){e.prop("required",!0)},100))},click_publish:function(e){this.$trigger=e.$el},submit_form:function(e){if(!this.active)return!0;if(this.ignore)return this.ignore=0,!0;if(!e.$el.find("#acf-form-data").exists())return!0;var t=e.$el.find("#wp-preview");if(t.exists()&&t.val())return this.toggle(e.$el,"unlock"),!0;e.preventDefault(),this.fetch(e.$el)},toggle:function(e,t){t=t||"unlock";var i=null,a=null,n=$("#submitdiv");n.exists()||(n=$("#submitpost")),n.exists()||(n=e.find("p.submit").last()),n.exists()||(n=e.find(".acf-form-submit")),n.exists()||(n=e),i=n.find('input[type="submit"], .button'),a=n.find(".spinner, .acf-spinner"),this.hide_spinner(a),"unlock"==t?this.enable_submit(i):"lock"==t&&(this.disable_submit(i),this.show_spinner(a.last()))},fetch:function(e){if(this.busy)return!1;var t=this;acf.do_action("validation_begin");var i=acf.serialize(e);i.action="acf/validate_save_post",i=acf.prepare_for_ajax(i),this.busy=1,this.toggle(e,"lock"),$.ajax({url:acf.get("ajaxurl"),data:i,type:"post",dataType:"json",success:function(i){acf.is_ajax_success(i)&&t.fetch_success(e,i.data)},complete:function(){t.fetch_complete(e)}})},fetch_complete:function(e){if(this.busy=0,this.toggle(e,"unlock"),this.valid){this.ignore=1;var t=e.children(".acf-error-message");t.exists()&&(t.addClass("-success"),t.children("p").html(acf._e("validation_successful")),setTimeout(function(){acf.remove_el(t)},2e3)),e.find(".acf-postbox.acf-hidden").remove(),acf.do_action("submit",e),this.$trigger?this.$trigger.click():e.submit(),this.toggle(e,"lock")}},fetch_success:function(e,t){if(!(t=acf.apply_filters("validation_complete",t,e))||t.valid||!t.errors)return this.valid=!0,void acf.do_action("validation_success");this.valid=!1,this.$trigger=null,this.display_errors(t.errors,e),acf.do_action("validation_failure")},display_errors:function(e,t){if(e&&e.length){var a=t.children(".acf-error-message"),n=acf._e("validation_failed"),s=0,o=null;for(i=0;i1&&(n+=". "+acf._e("validation_failed_2").replace("%d",s)),a.exists()||(a=$('

              '),t.prepend(a)),a.children("p").html(n),null===o&&(o=a),setTimeout(function(){$("html, body").animate({scrollTop:o.offset().top-$(window).height()/2},500)},10)}},add_error:function(e,t){var i=this;e.addClass(this.error_class),void 0!==t&&(e.children(".acf-input").children("."+this.message_class).remove(),e.children(".acf-input").prepend('

              '+t+"

              "));var a=function(){i.remove_error(e),e.off("focus change","input, textarea, select",a)};e.on("focus change","input, textarea, select",a),e.trigger("invalidField"),acf.do_action("add_field_error",e),acf.do_action("invalid_field",e)},remove_error:function(e){var t=e.children(".acf-input").children("."+this.message_class);e.removeClass(this.error_class),setTimeout(function(){acf.remove_el(t)},250),acf.do_action("remove_field_error",e),acf.do_action("valid_field",e)},add_warning:function(e,t){this.add_error(e,t),setTimeout(function(){acf.validation.remove_error(e)},1e3)},show_spinner:function(e){if(e.exists()){var t=acf.get("wp_version");parseFloat(t)>=4.2?e.addClass("is-active"):e.css("display","inline-block")}},hide_spinner:function(e){if(e.exists()){var t=acf.get("wp_version");parseFloat(t)>=4.2?e.removeClass("is-active"):e.css("display","none")}},disable_submit:function(e){e.exists()&&e.addClass("disabled button-disabled button-primary-disabled")},enable_submit:function(e){e.exists()&&e.removeClass("disabled button-disabled button-primary-disabled")}})}(jQuery),function($){acf.fields.wysiwyg=acf.field.extend({type:"wysiwyg",$el:null,$textarea:null,toolbars:{},events:{"mousedown .acf-editor-wrap.delay":"mousedown"},actions:{load:"initialize",append:"initialize",remove:"disable",sortstart:"disable",sortstop:"enable"},focus:function(){this.$el=this.$field.find(".wp-editor-wrap").last(),this.$textarea=this.$el.find("textarea"),this.o=acf.get_data(this.$el,{toolbar:"",active:this.$el.hasClass("tmce-active"),id:this.$textarea.attr("id")})},mousedown:function(e){e.preventDefault(),this.$el.removeClass("delay"),this.$el.find(".acf-editor-toolbar").remove(),this.initialize()},initialize:function(){if(!this.$el.hasClass("delay")){var e={tinymce:!0,quicktags:!0,toolbar:this.o.toolbar,mode:this.o.active?"visual":"text"},t=this.o.id,i=acf.get_uniqid("acf-editor-"),a=this.$el.outerHTML();a=acf.str_replace(t,i,a),this.$el.replaceWith(a),this.o.id=i,acf.tinymce.initialize(this.o.id,e,this.$field)}},disable:function(){acf.tinymce.destroy(this.o.id)},enable:function(){this.o.active&&acf.tinymce.enable(this.o.id)}}),acf.tinymce=acf.model.extend({toolbars:{},actions:{ready:"ready"},ready:function(){var e=$("#acf-hidden-wp-editor");e.exists()&&(e.appendTo("body"),acf.isset(window,"tinymce","on")&&tinymce.on("AddEditor",function(e){var t=e.editor;"acf"===t.id.substr(0,3)&&(t=tinymce.editors.content||t,tinymce.activeEditor=t,wpActiveEditor=t.id)}))},defaults:function(){return"undefined"!=typeof tinyMCEPreInit&&{tinymce:tinyMCEPreInit.mceInit.acf_content,quicktags:tinyMCEPreInit.qtInit.acf_content}},initialize:function(e,t,i){t=t||{},i=i||null,t=acf.parse_args(t,{tinymce:!0,quicktags:!0,toolbar:"full",mode:"visual"}),t.tinymce&&this.initialize_tinymce(e,t,i),t.quicktags&&this.initialize_quicktags(e,t,i)},initialize_tinymce:function(e,t,i){var a=$("#"+e),n=this.defaults(),s=this.toolbars;if("undefined"==typeof tinymce)return!1;if(!n)return!1;if(tinymce.get(e))return this.enable(e);init=$.extend({},n.tinymce,t.tinymce),init.id=e,init.selector="#"+e;var o=t.toolbar;if(o&&void 0!==s[o])for(var r=1;r<=4;r++)init["toolbar"+r]=s[o][r]||"";if(init.setup=function(t){t.on("focus",function(e){acf.validation.remove_error(i)}),t.on("change",function(e){t.save(),a.trigger("change")}),$(t.getWin()).on("unload",function(){acf.tinymce.remove(e)})},init.wp_autoresize_on=!1,init=acf.apply_filters("wysiwyg_tinymce_settings",init,e,i),tinyMCEPreInit.mceInit[e]=init,"visual"==t.mode){tinymce.init(init);var l=tinymce.get(e);acf.do_action("wysiwyg_tinymce_init",l,l.id,init,i)}},initialize_quicktags:function(e,t,i){var a=this.defaults();if("undefined"==typeof quicktags)return!1;if(!a)return!1;init=$.extend({},a.quicktags,t.quicktags),init.id=e,init=acf.apply_filters("wysiwyg_quicktags_settings",init,init.id,i),tinyMCEPreInit.qtInit[e]=init;var n=quicktags(init);this.build_quicktags(n),acf.do_action("wysiwyg_quicktags_init",n,n.id,init,i)},build_quicktags:function(e){var t,i,a,n,s,e,o,r,l,c,d=",strong,em,link,block,del,ins,img,ul,ol,li,code,more,close,";t=e.canvas,i=e.name,a=e.settings,s="",n={},l="",c=e.id,a.buttons&&(l=","+a.buttons+",");for(r in edButtons)edButtons[r]&&(o=edButtons[r].id,l&&-1!==d.indexOf(","+o+",")&&-1===l.indexOf(","+o+",")||edButtons[r].instance&&edButtons[r].instance!==c||(n[o]=edButtons[r],edButtons[r].html&&(s+=edButtons[r].html(i+"_"))));l&&-1!==l.indexOf(",dfw,")&&(n.dfw=new QTags.DFWButton,s+=n.dfw.html(i+"_")),"rtl"===document.getElementsByTagName("html")[0].dir&&(n.textdirection=new QTags.TextDirectionButton,s+=n.textdirection.html(i+"_")),e.toolbar.innerHTML=s,e.theButtons=n,"undefined"!=typeof jQuery&&jQuery(document).triggerHandler("quicktags-init",[e])},disable:function(e){this.destroy(e)},destroy:function(e){this.destroy_tinymce(e)},destroy_tinymce:function(e){if("undefined"==typeof tinymce)return!1;var t=tinymce.get(e);return!!t&&(t.save(),t.destroy(),!0)},enable:function(e){this.enable_tinymce(e)},enable_tinymce:function(e){return"undefined"!=typeof switchEditors&&(void 0!==tinyMCEPreInit.mceInit[e]&&(switchEditors.go(e,"tmce"),!0))}})}(jQuery); \ No newline at end of file diff --git a/includes/admin/admin-field-group.php b/includes/admin/admin-field-group.php index 6eab6c2..7f4f81f 100644 --- a/includes/admin/admin-field-group.php +++ b/includes/admin/admin-field-group.php @@ -218,10 +218,9 @@ class acf_admin_field_group { // render post data - acf_form_data(array( - 'post_id' => $post->ID, - 'nonce' => 'field_group', - 'ajax' => 0, + acf_form_data(array( + 'screen' => 'field_group', + 'post_id' => $post->ID, 'delete_fields' => 0 )); diff --git a/includes/admin/views/field-group-field.php b/includes/admin/views/field-group-field.php index 4da8f07..e089f2f 100644 --- a/includes/admin/views/field-group-field.php +++ b/includes/admin/views/field-group-field.php @@ -51,9 +51,10 @@ $atts['class'] = str_replace('_', '-', $atts['class']); " href="#">
              -
            • -
            • -
            • + +
            • +
            • +
            • diff --git a/includes/api/api-field.php b/includes/api/api-field.php index abf5075..f7dc0c2 100644 --- a/includes/api/api-field.php +++ b/includes/api/api-field.php @@ -323,32 +323,38 @@ function acf_the_field_label( $field ) { * @return n/a */ -function acf_render_fields( $post_id = 0, $fields, $el = 'div', $instruction = 'label' ) { +function acf_render_fields( $fields, $post_id = 0, $el = 'div', $instruction = 'label' ) { + + // parameter order changed in ACF 5.6.9 + if( is_array($post_id) ) { + $args = func_get_args(); + $fields = $args[1]; + $post_id = $args[0]; + } + + // filter + $fields = apply_filters('acf/pre_render_fields', $fields, $post_id); // bail early if no fields - if( empty($fields) ) return false; + if( empty($fields) ) return; - - // remove corrupt fields - $fields = array_filter($fields); - - - // loop through fields + // loop foreach( $fields as $field ) { + // bail ealry if no field + if( !$field ) continue; + // load value if( $field['value'] === null ) { - $field['value'] = acf_get_value( $post_id, $field ); - } - // render acf_render_field_wrap( $field, $el, $instruction ); - } + // action + do_action( 'acf/render_fields', $fields, $post_id ); } @@ -711,6 +717,7 @@ function acf_get_fields( $parent = false ) { // filter + $fields = apply_filters('acf/load_fields', $fields, $parent); $fields = apply_filters('acf/get_fields', $fields, $parent); @@ -1097,7 +1104,7 @@ function acf_maybe_get_field( $selector, $post_id = false, $strict = true ) { // get reference - $field_key = acf_get_field_reference( $selector, $post_id ); + $field_key = acf_get_reference( $selector, $post_id ); // update selector diff --git a/includes/api/api-helpers.php b/includes/api/api-helpers.php index e7af092..5750f5f 100644 --- a/includes/api/api-helpers.php +++ b/includes/api/api-helpers.php @@ -40,23 +40,37 @@ function acf_is_empty( $value ) { } -/* -* acf_get_setting +/** +* acf_has_setting * -* alias of acf()->get_setting() +* alias of acf()->has_setting() * -* @type function -* @date 28/09/13 -* @since 5.0.0 +* @date 2/2/18 +* @since 5.6.5 * * @param n/a * @return n/a */ -function acf_get_setting( $name, $value = null ) { - - return acf()->get_setting( $name, $value ); - +function acf_has_setting( $name = '' ) { + return acf()->has_setting( $name ); +} + + +/** +* acf_raw_setting +* +* alias of acf()->get_setting() +* +* @date 2/2/18 +* @since 5.6.5 +* +* @param n/a +* @return n/a +*/ + +function acf_raw_setting( $name = '' ) { + return acf()->get_setting( $name ); } @@ -76,15 +90,35 @@ function acf_get_setting( $name, $value = null ) { function acf_update_setting( $name, $value ) { - return acf()->update_setting( $name, $value ); + // validate name + $name = acf_validate_setting( $name ); + // update + return acf()->update_setting( $name, $value ); +} + + +/** +* acf_validate_setting +* +* Returns the changed setting name if available. +* +* @date 2/2/18 +* @since 5.6.5 +* +* @param n/a +* @return n/a +*/ + +function acf_validate_setting( $name = '' ) { + return apply_filters( "acf/validate_setting", $name ); } /* -* acf_init +* acf_get_setting * -* alias of acf()->init() +* alias of acf()->get_setting() * * @type function * @date 28/09/13 @@ -94,10 +128,21 @@ function acf_update_setting( $name, $value ) { * @return n/a */ -function acf_init() { +function acf_get_setting( $name, $value = null ) { - acf()->init(); + // validate name + $name = acf_validate_setting( $name ); + // check settings + if( acf_has_setting($name) ) { + $value = acf_raw_setting( $name ); + } + + // filter + $value = apply_filters( "acf/settings/{$name}", $value ); + + // return + return $value; } @@ -118,23 +163,106 @@ function acf_init() { function acf_append_setting( $name, $value ) { // vars - $setting = acf_get_setting( $name, array() ); - + $setting = acf_raw_setting( $name ); // bail ealry if not array - if( !is_array($setting) ) return false; - + if( !is_array($setting) ) { + $setting = array(); + } // append $setting[] = $value; - // update - acf_update_setting( $name, $setting ); + return acf_update_setting( $name, $setting ); +} + + +/** +* acf_get_data +* +* Returns data. +* +* @date 28/09/13 +* @since 5.0.0 +* +* @param string $name +* @return mixed +*/ + +function acf_get_data( $name ) { + return acf()->get_data( $name ); +} + + +/** +* acf_set_data +* +* Sets data. +* +* @date 28/09/13 +* @since 5.0.0 +* +* @param string $name +* @param mixed $value +* @return n/a +*/ + +function acf_set_data( $name, $value ) { + return acf()->set_data( $name, $value ); +} + + +/** +* acf_new_instance +* +* description +* +* @date 13/2/18 +* @since 5.6.5 +* +* @param type $var Description. Default. +* @return type Description. +*/ + +function acf_new_instance( $class ) { + return acf()->new_instance( $class ); +} + + +/** +* acf_get_instance +* +* description +* +* @date 13/2/18 +* @since 5.6.5 +* +* @param type $var Description. Default. +* @return type Description. +*/ + +function acf_get_instance( $class ) { + return acf()->get_instance( $class ); +} + + +/* +* acf_init +* +* alias of acf()->init() +* +* @type function +* @date 28/09/13 +* @since 5.0.0 +* +* @param n/a +* @return n/a +*/ + +function acf_init() { - - // return - return true; + acf()->init(); } @@ -174,21 +302,14 @@ function acf_get_compatibility( $name ) { function acf_has_done( $name ) { - // vars - $setting = "_has_done_{$name}"; - - // return true if already done - if( acf_get_setting($setting) ) return true; + if( acf_raw_setting("has_done_{$name}") ) { + return true; + } - - // update setting - acf_update_setting($setting, true); - - - // return + // update setting and return + acf_update_setting("has_done_{$name}", true); return false; - } @@ -538,11 +659,6 @@ function acf_merge_atts( $atts, $extra = array() ) { } - - - - - /* * acf_nonce_input * @@ -657,60 +773,52 @@ function acf_get_sub_array( $array, $keys ) { } -/* +/** * acf_get_post_types * -* This function will return an array of available post types +* Returns an array of post type names. * -* @type function * @date 7/10/13 * @since 5.0.0 * -* @param $exclude (array) -* @param $include (array) -* @return (array) +* @param array $args Optional. An array of key => value arguments to match against the post type objects. Default empty array. +* @return array A list of post type names. */ function acf_get_post_types( $args = array() ) { // vars + $post_types = array(); + + // extract special arg $exclude = acf_extract_var( $args, 'exclude', array() ); - $return = array(); - - - // get post types - $post_types = get_post_types( $args, 'objects' ); - - - // remove ACF post types $exclude[] = 'acf-field'; $exclude[] = 'acf-field-group'; - + // get post type objects + $objects = get_post_types( $args, 'objects' ); + // loop - foreach( $post_types as $i => $post_type ) { + foreach( $objects as $i => $object ) { // bail early if is exclude if( in_array($i, $exclude) ) continue; - // bail early if is builtin (WP) private post type // - nav_menu_item, revision, customize_changeset, etc - if( $post_type->_builtin && !$post_type->public ) continue; - + if( $object->_builtin && !$object->public ) continue; // append - $return[] = $i; - + $post_types[] = $i; } + // filter + $post_types = apply_filters('acf/get_post_types', $post_types, $args); // return - return $return; - + return $post_types; } - function acf_get_pretty_post_types( $post_types = array() ) { // get post types @@ -4612,6 +4720,48 @@ function acf_is_plugin_active() { } +/** +* acf_get_filters +* +* Returns the registered filters +* +* @date 2/2/18 +* @since 5.6.5 +* +* @param type $var Description. Default. +* @return type Description. +*/ + +function acf_get_filters() { + + // get + $filters = acf_raw_setting('filters'); + + // array + $filters = is_array($filters) ? $filters : array(); + + // return + return $filters; +} + + +/** +* acf_update_filters +* +* Updates the registered filters +* +* @date 2/2/18 +* @since 5.6.5 +* +* @param type $var Description. Default. +* @return type Description. +*/ + +function acf_update_filters( $filters ) { + return acf_update_setting('filters', $filters); +} + + /* * acf_enable_filter * @@ -4627,17 +4777,14 @@ function acf_is_plugin_active() { function acf_enable_filter( $filter = '' ) { - // get filters - $filters = acf_get_setting('_filters', array()); - + // get + $filters = acf_get_filters(); // append $filters[ $filter ] = true; - // update - acf_update_setting('_filters', $filters); - + acf_update_filters( $filters ); } @@ -4656,17 +4803,14 @@ function acf_enable_filter( $filter = '' ) { function acf_disable_filter( $filter = '' ) { - // get filters - $filters = acf_get_setting('_filters', array()); - + // get + $filters = acf_get_filters(); // append $filters[ $filter ] = false; - // update - acf_update_setting('_filters', $filters); - + acf_update_filters( $filters ); } @@ -4686,21 +4830,16 @@ function acf_disable_filter( $filter = '' ) { function acf_enable_filters() { - // get filters - $filters = acf_get_setting('_filters', array()); - + // get + $filters = acf_get_filters(); // loop foreach( array_keys($filters) as $k ) { - $filters[ $k ] = true; - } - // update - acf_update_setting('_filters', $filters); - + acf_update_filters( $filters ); } @@ -4720,21 +4859,16 @@ function acf_enable_filters() { function acf_disable_filters() { - // get filters - $filters = acf_get_setting('_filters', array()); - + // get + $filters = acf_get_filters(); // loop foreach( array_keys($filters) as $k ) { - $filters[ $k ] = false; - } - // update - acf_update_setting('_filters', $filters); - + acf_update_filters( $filters ); } @@ -4754,13 +4888,11 @@ function acf_disable_filters() { function acf_is_filter_enabled( $filter = '' ) { - // get filters - $filters = acf_get_setting('_filters', array()); - - - // bail early if not set - return empty( $filters[ $filter ] ) ? false : true; + // get + $filters = acf_get_filters(); + // return + return !empty($filters[ $filter ]); } diff --git a/includes/api/api-template.php b/includes/api/api-template.php index 8ec0a8d..eefbc74 100644 --- a/includes/api/api-template.php +++ b/includes/api/api-template.php @@ -1,36 +1,5 @@ 'url' // 5.6.8 + ); + // check + if( isset($changed[ $name ]) ) { + return $changed[ $name ]; + } + + //return + return $name; } diff --git a/includes/fields/class-acf-field-range.php b/includes/fields/class-acf-field-range.php index 7e4ebfd..0ccc4b9 100644 --- a/includes/fields/class-acf-field-range.php +++ b/includes/fields/class-acf-field-range.php @@ -55,52 +55,52 @@ class acf_field_range extends acf_field_number { $keys2 = array( 'readonly', 'disabled', 'required' ); $html = ''; - // step - if( !$field['step'] ) $field['step'] = 1; - + if( !$field['step'] ) { + $field['step'] = 1; + } // min / max - if( !$field['min'] ) $field['min'] = 0; - if( !$field['max'] ) $field['max'] = 100; + if( !$field['min'] ) { + $field['min'] = 0; + } + if( !$field['max'] ) { + $field['max'] = 100; + } - - // value + // allow for prev 'non numeric' value if( !is_numeric($field['value']) ) { $field['value'] = 0; } + // constrain within max and min + $field['value'] = max($field['value'], $field['min']); + $field['value'] = min($field['value'], $field['max']); // atts (value="123") foreach( $keys as $k ) { if( isset($field[ $k ]) ) $atts[ $k ] = $field[ $k ]; } - // atts2 (disabled="disabled") foreach( $keys2 as $k ) { if( !empty($field[ $k ]) ) $atts[ $k ] = $k; } - // remove empty atts $atts = acf_clean_atts( $atts ); - // open $html .= '
              '; - // prepend if( $field['prepend'] !== '' ) { $html .= '
              ' . acf_esc_html($field['prepend']) . '
              '; } - // range $html .= acf_get_text_input( $atts ); - // input $len = strlen( (string) $field['max'] ); $html .= acf_get_text_input(array( @@ -108,23 +108,21 @@ class acf_field_range extends acf_field_number { 'id' => $atts['id'] . '-alt', 'value' => $atts['value'], 'step' => $atts['step'], + //'min' => $atts['min'], // removed to avoid browser validation errors + //'max' => $atts['max'], 'style' => 'width: ' . (1.8 + $len*0.7) . 'em;' )); - // append if( $field['append'] !== '' ) { $html .= '
              ' . acf_esc_html($field['append']) . '
              '; } - // close $html .= '
              '; - // return echo $html; - } diff --git a/includes/fields/class-acf-field-tab.php b/includes/fields/class-acf-field-tab.php index e6d32d0..88cbfe5 100644 --- a/includes/fields/class-acf-field-tab.php +++ b/includes/fields/class-acf-field-tab.php @@ -104,7 +104,7 @@ class acf_field_tab extends acf_field { 'name' => 'placement', 'choices' => array( 'top' => __("Top aligned", 'acf'), - 'left' => __("Left Aligned", 'acf'), + 'left' => __("Left aligned", 'acf'), ) )); diff --git a/includes/fields/class-acf-field-user.php b/includes/fields/class-acf-field-user.php index d45ea02..884079f 100644 --- a/includes/fields/class-acf-field-user.php +++ b/includes/fields/class-acf-field-user.php @@ -28,6 +28,7 @@ class acf_field_user extends acf_field { 'role' => '', 'multiple' => 0, 'allow_null' => 0, + 'return_format' => 'array', ); @@ -422,6 +423,20 @@ class acf_field_user extends acf_field { 'ui' => 1, )); + // return_format + acf_render_field_setting( $field, array( + 'label' => __('Return Format','acf'), + 'instructions' => '', + 'type' => 'radio', + 'name' => 'return_format', + 'choices' => array( + 'array' => __("User Array",'acf'), + 'object' => __("User Object",'acf'), + 'id' => __("User ID",'acf'), + ), + 'layout' => 'horizontal', + )); + } @@ -514,66 +529,62 @@ class acf_field_user extends acf_field { // bail early if no value if( empty($value) ) { - - return $value; - + return false; } - - // force value to array + // ensure array $value = acf_get_array( $value ); - - // convert values to int - $value = array_map('intval', $value); - - - // load users + // update value foreach( array_keys($value) as $i ) { - - // vars - $user_id = $value[ $i ]; - $user_data = get_userdata( $user_id ); - - - //cope with deleted users by @adampope - if( !is_object($user_data) ) { - - unset( $value[ $i ] ); - continue; - - } - - - // append to array - $value[ $i ] = array(); - $value[ $i ]['ID'] = $user_id; - $value[ $i ]['user_firstname'] = $user_data->user_firstname; - $value[ $i ]['user_lastname'] = $user_data->user_lastname; - $value[ $i ]['nickname'] = $user_data->nickname; - $value[ $i ]['user_nicename'] = $user_data->user_nicename; - $value[ $i ]['display_name'] = $user_data->display_name; - $value[ $i ]['user_email'] = $user_data->user_email; - $value[ $i ]['user_url'] = $user_data->user_url; - $value[ $i ]['user_registered'] = $user_data->user_registered; - $value[ $i ]['user_description'] = $user_data->user_description; - $value[ $i ]['user_avatar'] = get_avatar( $user_id ); - + $value[ $i ] = $this->format_value_single( $value[ $i ], $post_id, $field ); } - - // convert back from array if neccessary + // convert to single if( !$field['multiple'] ) { - $value = array_shift($value); - } - // return value return $value; } + + function format_value_single( $value, $post_id, $field ) { + + // vars + $user_id = (int) $value; + + // object + if( $field['return_format'] == 'object' ) { + $value = get_userdata( $user_id ); + + // array + } elseif( $field['return_format'] == 'array' ) { + $wp_user = get_userdata( $user_id ); + $value = array( + 'ID' => $user_id, + 'user_firstname' => $wp_user->user_firstname, + 'user_lastname' => $wp_user->user_lastname, + 'nickname' => $wp_user->nickname, + 'user_nicename' => $wp_user->user_nicename, + 'display_name' => $wp_user->display_name, + 'user_email' => $wp_user->user_email, + 'user_url' => $wp_user->user_url, + 'user_registered' => $wp_user->user_registered, + 'user_description' => $wp_user->user_description, + 'user_avatar' => get_avatar( $user_id ), + ); + + // id + } else { + $value = $user_id; + } + + // return + return $value; + + } } diff --git a/includes/forms/form-attachment.php b/includes/forms/form-attachment.php index 6de16e2..029ff0c 100644 --- a/includes/forms/form-attachment.php +++ b/includes/forms/form-attachment.php @@ -133,12 +133,11 @@ class acf_form_attachment { // render post data acf_form_data(array( - 'post_id' => 0, - 'nonce' => 'attachment', + 'screen' => 'attachment', + 'post_id' => 0, 'ajax' => 1 )); - ?> + \ No newline at end of file diff --git a/includes/forms/form-nav-menu.php b/includes/forms/form-nav-menu.php index aa680a8..3e8a179 100644 --- a/includes/forms/form-nav-menu.php +++ b/includes/forms/form-nav-menu.php @@ -28,6 +28,7 @@ class acf_form_nav_menu { // filters + add_filter('wp_get_nav_menu_items', array($this, 'wp_get_nav_menu_items'), 10, 3); add_filter('wp_edit_nav_menu_walker', array($this, 'wp_edit_nav_menu_walker'), 10, 2); } @@ -129,6 +130,26 @@ class acf_form_nav_menu { } + /** + * wp_get_nav_menu_items + * + * WordPress does not provide an easy way to find the current menu being edited. + * This function listens to when a menu's items are loaded and stores the menu. + * Needed on nav-menus.php page for new menu with no items + * + * @date 23/2/18 + * @since 5.6.9 + * + * @param type $var Description. Default. + * @return type Description. + */ + + function wp_get_nav_menu_items( $items, $menu, $args ) { + acf_set_data('nav_menu_id', $menu->term_id); + return $items; + } + + /* * wp_edit_nav_menu_walker * @@ -144,23 +165,16 @@ class acf_form_nav_menu { function wp_edit_nav_menu_walker( $class, $menu_id = 0 ) { - // global - global $acf_menu; - - - // set var - $acf_menu = (int) $menu_id; - + // update data (needed for ajax location rules to work) + acf_set_data('nav_menu_id', $menu_id); // include walker if( class_exists('Walker_Nav_Menu_Edit') ) { acf_include('includes/walkers/class-acf-walker-nav-menu-edit.php'); } - // return return 'ACF_Walker_Nav_Menu_Edit'; - } @@ -213,28 +227,25 @@ class acf_form_nav_menu { function admin_footer() { - // global - global $acf_menu; - - // vars - $post_id = acf_get_term_post_id( 'nav_menu', $acf_menu ); + $nav_menu_id = acf_get_data('nav_menu_id'); + $post_id = acf_get_term_post_id( 'nav_menu', $nav_menu_id ); // get field groups $field_groups = acf_get_field_groups(array( - 'nav_menu' => $acf_menu + 'nav_menu' => $nav_menu_id )); - ?>
                '; $fields = acf_get_fields( $field_group ); - acf_render_fields( $post_id, $fields, 'tr', 'field' ); + acf_render_fields( $fields, $post_id, 'tr', 'field' ); echo '
                '; } diff --git a/includes/forms/form-user.php b/includes/forms/form-user.php index c887ddc..8733b36 100644 --- a/includes/forms/form-user.php +++ b/includes/forms/form-user.php @@ -232,9 +232,9 @@ class acf_form_user { // form data - acf_form_data(array( - 'post_id' => $post_id, - 'nonce' => 'user' + acf_form_data(array( + 'screen' => 'user', + 'post_id' => $post_id, )); @@ -260,7 +260,7 @@ class acf_form_user { // render fields - acf_render_fields( $post_id, $fields, $el, $field_group['instruction_placement'] ); + acf_render_fields( $fields, $post_id, $el, $field_group['instruction_placement'] ); // table end diff --git a/includes/forms/form-widget.php b/includes/forms/form-widget.php index 18d4013..0e14b9b 100644 --- a/includes/forms/form-widget.php +++ b/includes/forms/form-widget.php @@ -158,8 +158,8 @@ class acf_form_widget { // render post data acf_form_data(array( - 'post_id' => $post_id, - 'nonce' => 'widget', + 'screen' => 'widget', + 'post_id' => $post_id, 'widget_id' => 'widget-' . $widget->id_base, 'widget_number' => $widget->number, 'widget_prefix' => $prefix @@ -185,7 +185,7 @@ class acf_form_widget { // render - acf_render_fields( $post_id, $fields, 'div', $field_group['instruction_placement'] ); + acf_render_fields( $fields, $post_id, 'div', $field_group['instruction_placement'] ); } @@ -363,10 +363,6 @@ class acf_form_widget { // unlock form acf.validation.toggle( $widget, 'unlock' ); - - // submit - acf.do_action('submit', $widget ); - }); })(jQuery); diff --git a/includes/input.php b/includes/input.php index 336b99f..8aa0f00 100644 --- a/includes/input.php +++ b/includes/input.php @@ -86,29 +86,30 @@ class acf_input { // defaults $data = acf_parse_args($data, array( - 'post_id' => 0, // ID of current post - 'nonce' => 'post', // nonce used for $_POST validation + 'screen' => 'post', // Current screen loaded (post, user, taxonomy, etc) + 'post_id' => 0, // ID of current post being edited + 'nonce' => '', // nonce used for $_POST validation (defaults to screen) 'validation' => 1, // runs AJAX validation - 'ajax' => 0, // fetches new field groups via AJAX - 'changed' => 0, + 'ajax' => 0, // if screen uses ajax to append new HTML (enqueue all assets) + 'changed' => 0, // used to detect change and prompt unload )); + // nonce + if( !$data['nonce'] ) { + $data['nonce'] = $data['screen']; + } + + // enqueue uploader if page allows AJAX fields to appear + // priority must be less than 10 to allow WP to enqueue + if( $data['ajax'] ) { + add_action($this->admin_footer, 'acf_enqueue_uploader', 5); + } // update $this->data = $data; - - // enqueue uploader if page allows AJAX fields to appear - if( $data['ajax'] ) { - - add_action($this->admin_footer, 'acf_enqueue_uploader', 1); - - } - - // return return $data; - } @@ -239,6 +240,7 @@ class acf_input { // options $o = array( + 'screen' => acf_get_form_data('screen'), 'post_id' => acf_get_form_data('post_id'), 'nonce' => wp_create_nonce( 'acf_nonce' ), 'admin_url' => admin_url(), diff --git a/includes/json.php b/includes/json.php index 2e865ac..4cd6219 100644 --- a/includes/json.php +++ b/includes/json.php @@ -141,6 +141,8 @@ class acf_json { // open $dir = opendir( $path ); + // bail early if not valid + if( !$dir ) return false; // loop over files while(false !== ( $file = readdir($dir)) ) { diff --git a/includes/locations/class-acf-location-nav-menu-item.php b/includes/locations/class-acf-location-nav-menu-item.php index 302db63..b37df29 100644 --- a/includes/locations/class-acf-location-nav-menu-item.php +++ b/includes/locations/class-acf-location-nav-menu-item.php @@ -54,12 +54,10 @@ class acf_location_nav_menu_item extends acf_location { if( !$nav_menu_item ) return false; - // global - global $acf_menu; - - // append nav_menu data - $screen['nav_menu'] = $acf_menu; + if( !isset($screen['nav_menu']) ) { + $screen['nav_menu'] = acf_get_data('nav_menu_id'); + } // return diff --git a/includes/locations/class-acf-location-page-type.php b/includes/locations/class-acf-location-page-type.php index e056467..0526ab3 100644 --- a/includes/locations/class-acf-location-page-type.php +++ b/includes/locations/class-acf-location-page-type.php @@ -49,14 +49,15 @@ class acf_location_page_type extends acf_location { // vars $post_id = acf_maybe_get( $screen, 'post_id' ); - // bail early if no post id if( !$post_id ) return false; - // get post $post = get_post( $post_id ); + // bail early if no post + if( !$post ) return false; + // compare if( $rule['value'] == 'front_page') { diff --git a/includes/locations/class-acf-location-post-type.php b/includes/locations/class-acf-location-post-type.php index 8c9f9a4..698b4c0 100644 --- a/includes/locations/class-acf-location-post-type.php +++ b/includes/locations/class-acf-location-post-type.php @@ -112,7 +112,7 @@ class acf_location_post_type extends acf_location { // get post types // - removed show_ui to allow 3rd party code to register a post type using a custom admin edit page $post_types = acf_get_post_types(array( - //'show_ui' => 1, + 'show_ui' => 1, 'exclude' => array('attachment') )); diff --git a/includes/locations/class-acf-location-post.php b/includes/locations/class-acf-location-post.php index d7698b8..5fcfeed 100644 --- a/includes/locations/class-acf-location-post.php +++ b/includes/locations/class-acf-location-post.php @@ -77,6 +77,7 @@ class acf_location_post extends acf_location { // get post types $post_types = acf_get_post_types(array( + 'show_ui' => 1, 'exclude' => array('page', 'attachment') )); diff --git a/includes/locations/class-acf-location-taxonomy.php b/includes/locations/class-acf-location-taxonomy.php index 8bec37f..8e3d8e7 100644 --- a/includes/locations/class-acf-location-taxonomy.php +++ b/includes/locations/class-acf-location-taxonomy.php @@ -24,7 +24,7 @@ class acf_location_taxonomy extends acf_location { // vars $this->name = 'taxonomy'; - $this->label = __("Taxonomy Term",'acf'); + $this->label = __("Taxonomy",'acf'); $this->category = 'forms'; } diff --git a/includes/loop.php b/includes/loop.php index 655ac36..9ca3e86 100644 --- a/includes/loop.php +++ b/includes/loop.php @@ -258,6 +258,10 @@ class acf_loop { // reset keys $this->loops = array_values( $this->loops ); + // PHP 7.2 no longer resets array keys for empty value + if( $this->is_empty() ) { + $this->loops = array(); + } } } diff --git a/includes/third_party.php b/includes/third-party.php similarity index 68% rename from includes/third_party.php rename to includes/third-party.php index 6fee7cb..82ac230 100644 --- a/includes/third_party.php +++ b/includes/third-party.php @@ -31,37 +31,48 @@ class acf_third_party { function __construct() { // Tabify Edit Screen - http://wordpress.org/extend/plugins/tabify-edit-screen/ - add_action('admin_head-settings_page_tabify-edit-screen', array($this, 'admin_head_tabify')); - + if( class_exists('Tabify_Edit_Screen') ) { + add_filter('tabify_posttypes', array($this, 'tabify_posttypes')); + add_action('tabify_add_meta_boxes', array($this, 'tabify_add_meta_boxes')); + } // Post Type Switcher - http://wordpress.org/extend/plugins/post-type-switcher/ - add_filter('pts_allowed_pages', array($this, 'pts_allowed_pages')); + if( class_exists('Post_Type_Switcher') ) { + add_filter('pts_allowed_pages', array($this, 'pts_allowed_pages')); + } + // Event Espresso - https://wordpress.org/plugins/event-espresso-decaf/ + if( function_exists('espresso_version') ) { + add_filter('acf/get_post_types', array($this, 'ee_get_post_types'), 10, 2); + } } - /* - * admin_head_tabify + /** + * acf_get_post_types * - * description + * EE post types do not use the native post.php edit page, but instead render their own. + * Show the EE post types in lists where 'show_ui' is used. * - * @type action (admin_head) - * @date 9/10/12 - * @since 3.5.1 + * @date 24/2/18 + * @since 5.6.9 * - * @param n/a - * @return n/a + * @param array $post_types + * @param array $args + * @return array */ - function admin_head_tabify() { + function ee_get_post_types( $post_types, $args ) { - // remove ACF from the tabs - add_filter('tabify_posttypes', array($this, 'tabify_posttypes')); - - - // add acf metaboxes to list - add_action('tabify_add_meta_boxes', array($this, 'tabify_add_meta_boxes')); + if( !empty($args['show_ui']) ) { + $ee_post_types = get_post_types(array('show_ee_ui' => 1)); + $ee_post_types = array_keys($ee_post_types); + $post_types = array_merge($post_types, $ee_post_types); + $post_types = array_unique($post_types); + } + // return + return $post_types; } diff --git a/includes/walkers/class-acf-walker-nav-menu-edit.php b/includes/walkers/class-acf-walker-nav-menu-edit.php index 15bc867..d5f76fb 100644 --- a/includes/walkers/class-acf-walker-nav-menu-edit.php +++ b/includes/walkers/class-acf-walker-nav-menu-edit.php @@ -115,7 +115,7 @@ class ACF_Walker_Nav_Menu_Edit extends Walker_Nav_Menu_Edit { // render - acf_render_fields( $post_id, $fields, 'div', $field_group['instruction_placement'] ); + acf_render_fields( $fields, $post_id, 'div', $field_group['instruction_placement'] ); } diff --git a/lang/acf-ar.mo b/lang/acf-ar.mo index 7ec8df3..50546e7 100644 Binary files a/lang/acf-ar.mo and b/lang/acf-ar.mo differ diff --git a/lang/acf-ar.po b/lang/acf-ar.po index 24d9601..8af06dc 100644 --- a/lang/acf-ar.po +++ b/lang/acf-ar.po @@ -2,7 +2,7 @@ msgid "" msgstr "" "Project-Id-Version: Advanced Custom Fields Pro\n" "POT-Creation-Date: 2017-06-27 15:37+1000\n" -"PO-Revision-Date: 2017-12-06 10:00+1000\n" +"PO-Revision-Date: 2018-02-06 10:05+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Adil el hallaoui \n" "Language: ar\n" @@ -677,7 +677,7 @@ msgstr "محاذاة إلى الأعلى" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:117 -msgid "Left Aligned" +msgid "Left aligned" msgstr "محاذاة لليسار" #: includes/admin/views/field-group-options.php:70 diff --git a/lang/acf-bg_BG.mo b/lang/acf-bg_BG.mo index df42d6a..994be7a 100644 Binary files a/lang/acf-bg_BG.mo and b/lang/acf-bg_BG.mo differ diff --git a/lang/acf-bg_BG.po b/lang/acf-bg_BG.po index b2266d7..59456c4 100644 --- a/lang/acf-bg_BG.po +++ b/lang/acf-bg_BG.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-06-27 15:36+1000\n" -"PO-Revision-Date: 2017-06-27 15:37+1000\n" +"PO-Revision-Date: 2018-02-06 10:03+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Elliot Condon \n" "Language: bg_BG\n" @@ -668,7 +668,7 @@ msgstr "Отгоре" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:117 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Отляво" #: includes/admin/views/field-group-options.php:70 diff --git a/lang/acf-cs_CZ.mo b/lang/acf-cs_CZ.mo index 9d4f1c2..82ed575 100644 Binary files a/lang/acf-cs_CZ.mo and b/lang/acf-cs_CZ.mo differ diff --git a/lang/acf-cs_CZ.po b/lang/acf-cs_CZ.po index 59891f8..ce1c356 100644 --- a/lang/acf-cs_CZ.po +++ b/lang/acf-cs_CZ.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2015-08-11 23:09+0200\n" -"PO-Revision-Date: 2016-11-03 17:08+1000\n" +"PO-Revision-Date: 2018-02-06 10:05+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: webees.cz s.r.o. \n" "Language: cs_CZ\n" @@ -12,9 +12,8 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" -"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" -"esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" -"_nx_noop:3c,1,2;__ngettext_noop:1,2\n" +"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;esc_attr_e;esc_attr_x:1,2c;" +"esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;_nx_noop:3c,1,2;__ngettext_noop:1,2\n" "X-Poedit-Basepath: ..\n" "X-Poedit-WPHeader: acf.php\n" "X-Textdomain-Support: yes\n" @@ -34,8 +33,7 @@ msgstr "Skupiny polí" msgid "Field Group" msgstr "" -#: acf.php:207 acf.php:239 admin/admin.php:62 -#: pro/fields/flexible-content.php:517 +#: acf.php:207 acf.php:239 admin/admin.php:62 pro/fields/flexible-content.php:517 msgid "Add New" msgstr "Přidat nové" @@ -67,8 +65,7 @@ msgstr "Nebyly nalezeny žádné skupiny polí" msgid "No Field Groups found in Trash" msgstr "V koši nebyly nalezeny žádné skupiny polí" -#: acf.php:237 admin/field-group.php:182 admin/field-group.php:213 -#: admin/field-groups.php:519 +#: acf.php:237 admin/field-group.php:182 admin/field-group.php:213 admin/field-groups.php:519 msgid "Fields" msgstr "Pole" @@ -84,8 +81,7 @@ msgstr "" msgid "Edit Field" msgstr "" -#: acf.php:242 admin/views/field-group-fields.php:18 -#: admin/views/settings-info.php:111 +#: acf.php:242 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111 msgid "New Field" msgstr "Nové pole" @@ -170,10 +166,8 @@ msgstr "" msgid "copy" msgstr "" -#: admin/field-group.php:181 -#: admin/views/field-group-field-conditional-logic.php:67 -#: admin/views/field-group-field-conditional-logic.php:162 -#: admin/views/field-group-locations.php:23 +#: admin/field-group.php:181 admin/views/field-group-field-conditional-logic.php:67 +#: admin/views/field-group-field-conditional-logic.php:162 admin/views/field-group-locations.php:23 #: admin/views/field-group-locations.php:131 api/api-helpers.php:3262 msgid "or" msgstr "" @@ -262,9 +256,8 @@ msgstr "" msgid "Super Admin" msgstr "" -#: admin/field-group.php:818 admin/field-group.php:826 -#: admin/field-group.php:840 admin/field-group.php:847 -#: admin/field-group.php:862 admin/field-group.php:872 fields/file.php:235 +#: admin/field-group.php:818 admin/field-group.php:826 admin/field-group.php:840 +#: admin/field-group.php:847 admin/field-group.php:862 admin/field-group.php:872 fields/file.php:235 #: fields/image.php:226 pro/fields/gallery.php:653 msgid "All" msgstr "Vše" @@ -340,8 +333,8 @@ msgstr "" msgid "Title" msgstr "Název" -#: admin/field-groups.php:517 admin/views/field-group-options.php:98 -#: admin/views/update-network.php:20 admin/views/update-network.php:28 +#: admin/field-groups.php:517 admin/views/field-group-options.php:98 admin/views/update-network.php:20 +#: admin/views/update-network.php:28 msgid "Description" msgstr "Popis" @@ -349,8 +342,7 @@ msgstr "Popis" msgid "Status" msgstr "Stav" -#: admin/field-groups.php:616 admin/settings-info.php:76 -#: pro/admin/views/settings-updates.php:111 +#: admin/field-groups.php:616 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111 msgid "Changelog" msgstr "Seznam změn" @@ -370,8 +362,7 @@ msgstr "Zdroje" msgid "Getting Started" msgstr "" -#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 -#: pro/admin/views/settings-updates.php:17 +#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 pro/admin/views/settings-updates.php:17 msgid "Updates" msgstr "" @@ -407,8 +398,8 @@ msgstr "Vytvořil" msgid "Duplicate this item" msgstr "" -#: admin/field-groups.php:673 admin/field-groups.php:685 -#: admin/views/field-group-field.php:58 pro/fields/flexible-content.php:516 +#: admin/field-groups.php:673 admin/field-groups.php:685 admin/views/field-group-field.php:58 +#: pro/fields/flexible-content.php:516 msgid "Duplicate" msgstr "Duplikovat" @@ -441,8 +432,7 @@ msgstr "" msgid "What's New" msgstr "" -#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 -#: admin/views/settings-tools.php:31 +#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 admin/views/settings-tools.php:31 msgid "Tools" msgstr "" @@ -473,9 +463,7 @@ msgstr "" #: admin/settings-tools.php:332 #, php-format -msgid "" -"Warning. Import tool detected %s field groups already exist and have " -"been ignored: %s" +msgid "Warning. Import tool detected %s field groups already exist and have been ignored: %s" msgstr "" #: admin/update.php:113 @@ -498,25 +486,20 @@ msgstr "Aktualizovat databázi" msgid "Conditional Logic" msgstr "" -#: admin/views/field-group-field-conditional-logic.php:40 -#: admin/views/field-group-field.php:137 fields/checkbox.php:246 -#: fields/message.php:117 fields/page_link.php:568 fields/page_link.php:582 -#: fields/post_object.php:434 fields/post_object.php:448 fields/select.php:411 -#: fields/select.php:425 fields/select.php:439 fields/select.php:453 -#: fields/tab.php:172 fields/taxonomy.php:770 fields/taxonomy.php:784 -#: fields/taxonomy.php:798 fields/taxonomy.php:812 fields/user.php:457 -#: fields/user.php:471 fields/wysiwyg.php:384 -#: pro/admin/views/settings-updates.php:93 +#: admin/views/field-group-field-conditional-logic.php:40 admin/views/field-group-field.php:137 +#: fields/checkbox.php:246 fields/message.php:117 fields/page_link.php:568 fields/page_link.php:582 +#: fields/post_object.php:434 fields/post_object.php:448 fields/select.php:411 fields/select.php:425 +#: fields/select.php:439 fields/select.php:453 fields/tab.php:172 fields/taxonomy.php:770 +#: fields/taxonomy.php:784 fields/taxonomy.php:798 fields/taxonomy.php:812 fields/user.php:457 +#: fields/user.php:471 fields/wysiwyg.php:384 pro/admin/views/settings-updates.php:93 msgid "Yes" msgstr "Ano" -#: admin/views/field-group-field-conditional-logic.php:41 -#: admin/views/field-group-field.php:138 fields/checkbox.php:247 -#: fields/message.php:118 fields/page_link.php:569 fields/page_link.php:583 -#: fields/post_object.php:435 fields/post_object.php:449 fields/select.php:412 -#: fields/select.php:426 fields/select.php:440 fields/select.php:454 -#: fields/tab.php:173 fields/taxonomy.php:685 fields/taxonomy.php:771 -#: fields/taxonomy.php:785 fields/taxonomy.php:799 fields/taxonomy.php:813 +#: admin/views/field-group-field-conditional-logic.php:41 admin/views/field-group-field.php:138 +#: fields/checkbox.php:247 fields/message.php:118 fields/page_link.php:569 fields/page_link.php:583 +#: fields/post_object.php:435 fields/post_object.php:449 fields/select.php:412 fields/select.php:426 +#: fields/select.php:440 fields/select.php:454 fields/tab.php:173 fields/taxonomy.php:685 +#: fields/taxonomy.php:771 fields/taxonomy.php:785 fields/taxonomy.php:799 fields/taxonomy.php:813 #: fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:385 #: pro/admin/views/settings-updates.php:103 msgid "No" @@ -526,23 +509,19 @@ msgstr "Ne" msgid "Show this field if" msgstr "" -#: admin/views/field-group-field-conditional-logic.php:111 -#: admin/views/field-group-locations.php:88 +#: admin/views/field-group-field-conditional-logic.php:111 admin/views/field-group-locations.php:88 msgid "is equal to" msgstr "je rovno" -#: admin/views/field-group-field-conditional-logic.php:112 -#: admin/views/field-group-locations.php:89 +#: admin/views/field-group-field-conditional-logic.php:112 admin/views/field-group-locations.php:89 msgid "is not equal to" msgstr "není rovno" -#: admin/views/field-group-field-conditional-logic.php:149 -#: admin/views/field-group-locations.php:118 +#: admin/views/field-group-field-conditional-logic.php:149 admin/views/field-group-locations.php:118 msgid "and" msgstr "" -#: admin/views/field-group-field-conditional-logic.php:164 -#: admin/views/field-group-locations.php:133 +#: admin/views/field-group-field-conditional-logic.php:164 admin/views/field-group-locations.php:133 msgid "Add rule group" msgstr "" @@ -574,8 +553,7 @@ msgstr "" msgid "Delete" msgstr "Smazat" -#: admin/views/field-group-field.php:68 fields/oembed.php:212 -#: fields/taxonomy.php:886 +#: admin/views/field-group-field.php:68 fields/oembed.php:212 fields/taxonomy.php:886 msgid "Error" msgstr "" @@ -656,12 +634,8 @@ msgid "Type" msgstr "" #: admin/views/field-group-fields.php:44 -msgid "" -"No fields. Click the + Add Field button to create your " -"first field." -msgstr "" -"Žádná pole. Klikněte na tlačítko+ Přidat pole pro vytvoření " -"prvního pole." +msgid "No fields. Click the + Add Field button to create your first field." +msgstr "Žádná pole. Klikněte na tlačítko+ Přidat pole pro vytvoření prvního pole." #: admin/views/field-group-fields.php:51 msgid "Drag and drop to reorder" @@ -676,19 +650,14 @@ msgid "Rules" msgstr "Pravidla" #: admin/views/field-group-locations.php:6 -msgid "" -"Create a set of rules to determine which edit screens will use these " -"advanced custom fields" -msgstr "" -"Vytváří sadu pravidel pro určení, na kterých stránkách úprav budou použita " -"tato vlastní pole" +msgid "Create a set of rules to determine which edit screens will use these advanced custom fields" +msgstr "Vytváří sadu pravidel pro určení, na kterých stránkách úprav budou použita tato vlastní pole" #: admin/views/field-group-locations.php:21 msgid "Show this field group if" msgstr "" -#: admin/views/field-group-locations.php:41 -#: admin/views/field-group-locations.php:47 +#: admin/views/field-group-locations.php:41 admin/views/field-group-locations.php:47 msgid "Post" msgstr "Příspěvek" @@ -712,8 +681,7 @@ msgstr "Rubrika příspěvku" msgid "Post Taxonomy" msgstr "Taxonomie příspěvku" -#: admin/views/field-group-locations.php:49 -#: admin/views/field-group-locations.php:53 +#: admin/views/field-group-locations.php:49 admin/views/field-group-locations.php:53 msgid "Page" msgstr "Stránka" @@ -806,7 +774,7 @@ msgid "Top aligned" msgstr "" #: admin/views/field-group-options.php:65 fields/tab.php:160 -msgid "Left Aligned" +msgid "Left aligned" msgstr "" #: admin/views/field-group-options.php:72 @@ -843,8 +811,8 @@ msgstr "" #: admin/views/field-group-options.php:110 msgid "" -"If multiple field groups appear on an edit screen, the first field group's " -"options will be used (the one with the lowest order number)" +"If multiple field groups appear on an edit screen, the first field group's options will be used (the " +"one with the lowest order number)" msgstr "" #: admin/views/field-group-options.php:117 @@ -917,9 +885,7 @@ msgstr "" #: admin/views/settings-info.php:10 #, php-format -msgid "" -"Thank you for updating! ACF %s is bigger and better than ever before. We " -"hope you like it." +msgid "Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it." msgstr "" #: admin/views/settings-info.php:23 @@ -932,9 +898,8 @@ msgstr "" #: admin/views/settings-info.php:29 msgid "" -"Including the popular Select2 library has improved both usability and speed " -"across a number of field types including post object, page link, taxonomy " -"and select." +"Including the popular Select2 library has improved both usability and speed across a number of field " +"types including post object, page link, taxonomy and select." msgstr "" #: admin/views/settings-info.php:33 @@ -943,9 +908,8 @@ msgstr "" #: admin/views/settings-info.php:34 msgid "" -"Many fields have undergone a visual refresh to make ACF look better than " -"ever! Noticeable changes are seen on the gallery, relationship and oEmbed " -"(new) fields!" +"Many fields have undergone a visual refresh to make ACF look better than ever! Noticeable changes are " +"seen on the gallery, relationship and oEmbed (new) fields!" msgstr "" #: admin/views/settings-info.php:38 @@ -954,9 +918,8 @@ msgstr "" #: admin/views/settings-info.php:39 msgid "" -"Redesigning the data architecture has allowed sub fields to live " -"independently from their parents. This allows you to drag and drop fields in " -"and out of parent fields!" +"Redesigning the data architecture has allowed sub fields to live independently from their parents. This " +"allows you to drag and drop fields in and out of parent fields!" msgstr "" #: admin/views/settings-info.php:45 @@ -968,16 +931,15 @@ msgid "Introducing ACF PRO" msgstr "" #: admin/views/settings-info.php:51 -msgid "" -"We're changing the way premium functionality is delivered in an exciting way!" +msgid "We're changing the way premium functionality is delivered in an exciting way!" msgstr "" #: admin/views/settings-info.php:52 #, php-format msgid "" -"All 4 premium add-ons have been combined into a new Pro " -"version of ACF. With both personal and developer licenses available, " -"premium functionality is more affordable and accessible than ever before!" +"All 4 premium add-ons have been combined into a new Pro version of ACF. With both " +"personal and developer licenses available, premium functionality is more affordable and accessible than " +"ever before!" msgstr "" #: admin/views/settings-info.php:56 @@ -986,9 +948,8 @@ msgstr "" #: admin/views/settings-info.php:57 msgid "" -"ACF PRO contains powerful features such as repeatable data, flexible content " -"layouts, a beautiful gallery field and the ability to create extra admin " -"options pages!" +"ACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful " +"gallery field and the ability to create extra admin options pages!" msgstr "" #: admin/views/settings-info.php:58 @@ -1003,16 +964,15 @@ msgstr "" #: admin/views/settings-info.php:63 #, php-format msgid "" -"To help make upgrading easy, login to your store account " -"and claim a free copy of ACF PRO!" +"To help make upgrading easy, login to your store account and claim a free copy of " +"ACF PRO!" msgstr "" #: admin/views/settings-info.php:64 #, php-format msgid "" -"We also wrote an upgrade guide to answer any questions, " -"but if you do have one, please contact our support team via the help desk" +"We also wrote an upgrade guide to answer any questions, but if you do have one, " +"please contact our support team via the help desk" msgstr "" #: admin/views/settings-info.php:72 @@ -1048,9 +1008,7 @@ msgid "Better version control" msgstr "" #: admin/views/settings-info.php:95 -msgid "" -"New auto export to JSON feature allows field settings to be version " -"controlled" +msgid "New auto export to JSON feature allows field settings to be version controlled" msgstr "" #: admin/views/settings-info.php:99 @@ -1086,9 +1044,7 @@ msgid "New Settings" msgstr "" #: admin/views/settings-info.php:122 -msgid "" -"Field group settings have been added for label placement and instruction " -"placement" +msgid "Field group settings have been added for label placement and instruction placement" msgstr "" #: admin/views/settings-info.php:128 @@ -1112,8 +1068,7 @@ msgid "Relationship Field" msgstr "" #: admin/views/settings-info.php:139 -msgid "" -"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" +msgid "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" msgstr "" #: admin/views/settings-info.php:145 @@ -1121,9 +1076,7 @@ msgid "Moving Fields" msgstr "" #: admin/views/settings-info.php:146 -msgid "" -"New field group functionality allows you to move a field between groups & " -"parents" +msgid "New field group functionality allows you to move a field between groups & parents" msgstr "" #: admin/views/settings-info.php:150 fields/page_link.php:36 @@ -1139,9 +1092,7 @@ msgid "Better Options Pages" msgstr "" #: admin/views/settings-info.php:156 -msgid "" -"New functions for options page allow creation of both parent and child menu " -"pages" +msgid "New functions for options page allow creation of both parent and child menu pages" msgstr "" #: admin/views/settings-info.php:165 @@ -1155,11 +1106,10 @@ msgstr "Exportujte skupiny polí do PHP" #: admin/views/settings-tools-export.php:17 msgid "" -"The following code can be used to register a local version of the selected " -"field group(s). A local field group can provide many benefits such as faster " -"load times, version control & dynamic fields/settings. Simply copy and paste " -"the following code to your theme's functions.php file or include it within " -"an external file." +"The following code can be used to register a local version of the selected field group(s). A local " +"field group can provide many benefits such as faster load times, version control & dynamic fields/" +"settings. Simply copy and paste the following code to your theme's functions.php file or include it " +"within an external file." msgstr "" #: admin/views/settings-tools.php:5 @@ -1172,10 +1122,9 @@ msgstr "" #: admin/views/settings-tools.php:38 msgid "" -"Select the field groups you would like to export and then select your export " -"method. Use the download button to export to a .json file which you can then " -"import to another ACF installation. Use the generate button to export to PHP " -"code which you can place in your theme." +"Select the field groups you would like to export and then select your export method. Use the download " +"button to export to a .json file which you can then import to another ACF installation. Use the " +"generate button to export to PHP code which you can place in your theme." msgstr "" #: admin/views/settings-tools.php:50 @@ -1192,8 +1141,8 @@ msgstr "Importovat skupiny polí" #: admin/views/settings-tools.php:67 msgid "" -"Select the Advanced Custom Fields JSON file you would like to import. When " -"you click the import button below, ACF will import the field groups." +"Select the Advanced Custom Fields JSON file you would like to import. When you click the import button " +"below, ACF will import the field groups." msgstr "" #: admin/views/settings-tools.php:77 fields/file.php:46 @@ -1210,8 +1159,8 @@ msgstr "" #: admin/views/update-network.php:10 msgid "" -"The following sites require a DB upgrade. Check the ones you want to update " -"and then click “Upgrade Database”." +"The following sites require a DB upgrade. Check the ones you want to update and then click “Upgrade " +"Database”." msgstr "" #: admin/views/update-network.php:19 admin/views/update-network.php:27 @@ -1233,8 +1182,8 @@ msgstr "" #: admin/views/update-network.php:101 admin/views/update-notice.php:35 msgid "" -"It is strongly recommended that you backup your database before proceeding. " -"Are you sure you wish to run the updater now?" +"It is strongly recommended that you backup your database before proceeding. Are you sure you wish to " +"run the updater now?" msgstr "" #: admin/views/update-network.php:157 @@ -1256,8 +1205,7 @@ msgstr "" #: admin/views/update-notice.php:25 msgid "" -"Before you start using the new awesome features, please update your database " -"to the newest version." +"Before you start using the new awesome features, please update your database to the newest version." msgstr "" #: admin/views/update.php:12 @@ -1360,8 +1308,8 @@ msgstr "" msgid "jQuery" msgstr "" -#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 -#: pro/fields/flexible-content.php:512 pro/fields/repeater.php:392 +#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 pro/fields/flexible-content.php:512 +#: pro/fields/repeater.php:392 msgid "Layout" msgstr "Typ zobrazení" @@ -1423,10 +1371,9 @@ msgstr "" msgid "red : Red" msgstr "cervena : Červená" -#: fields/checkbox.php:217 fields/color_picker.php:158 fields/email.php:124 -#: fields/number.php:150 fields/radio.php:222 fields/select.php:397 -#: fields/text.php:148 fields/textarea.php:145 fields/true_false.php:115 -#: fields/url.php:117 fields/wysiwyg.php:345 +#: fields/checkbox.php:217 fields/color_picker.php:158 fields/email.php:124 fields/number.php:150 +#: fields/radio.php:222 fields/select.php:397 fields/text.php:148 fields/textarea.php:145 +#: fields/true_false.php:115 fields/url.php:117 fields/wysiwyg.php:345 msgid "Default Value" msgstr "Výchozí hodnota" @@ -1506,39 +1453,34 @@ msgstr "" msgid "Email" msgstr "" -#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 -#: fields/text.php:149 fields/textarea.php:146 fields/url.php:118 -#: fields/wysiwyg.php:346 +#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 fields/text.php:149 +#: fields/textarea.php:146 fields/url.php:118 fields/wysiwyg.php:346 msgid "Appears when creating a new post" msgstr "" -#: fields/email.php:133 fields/number.php:159 fields/password.php:137 -#: fields/text.php:157 fields/textarea.php:154 fields/url.php:126 +#: fields/email.php:133 fields/number.php:159 fields/password.php:137 fields/text.php:157 +#: fields/textarea.php:154 fields/url.php:126 msgid "Placeholder Text" msgstr "" -#: fields/email.php:134 fields/number.php:160 fields/password.php:138 -#: fields/text.php:158 fields/textarea.php:155 fields/url.php:127 +#: fields/email.php:134 fields/number.php:160 fields/password.php:138 fields/text.php:158 +#: fields/textarea.php:155 fields/url.php:127 msgid "Appears within the input" msgstr "" -#: fields/email.php:142 fields/number.php:168 fields/password.php:146 -#: fields/text.php:166 +#: fields/email.php:142 fields/number.php:168 fields/password.php:146 fields/text.php:166 msgid "Prepend" msgstr "" -#: fields/email.php:143 fields/number.php:169 fields/password.php:147 -#: fields/text.php:167 +#: fields/email.php:143 fields/number.php:169 fields/password.php:147 fields/text.php:167 msgid "Appears before the input" msgstr "" -#: fields/email.php:151 fields/number.php:177 fields/password.php:155 -#: fields/text.php:175 +#: fields/email.php:151 fields/number.php:177 fields/password.php:155 fields/text.php:175 msgid "Append" msgstr "" -#: fields/email.php:152 fields/number.php:178 fields/password.php:156 -#: fields/text.php:176 +#: fields/email.php:152 fields/number.php:178 fields/password.php:156 fields/text.php:176 msgid "Appears after the input" msgstr "" @@ -1614,8 +1556,8 @@ msgstr "" msgid "Restrict which files can be uploaded" msgstr "" -#: fields/file.php:247 fields/file.php:258 fields/image.php:257 -#: fields/image.php:290 pro/fields/gallery.php:684 pro/fields/gallery.php:717 +#: fields/file.php:247 fields/file.php:258 fields/image.php:257 fields/image.php:290 +#: pro/fields/gallery.php:684 pro/fields/gallery.php:717 msgid "File size" msgstr "" @@ -1671,8 +1613,8 @@ msgstr "" msgid "Set the initial zoom level" msgstr "" -#: fields/google-map.php:208 fields/image.php:246 fields/image.php:279 -#: fields/oembed.php:262 pro/fields/gallery.php:673 pro/fields/gallery.php:706 +#: fields/google-map.php:208 fields/image.php:246 fields/image.php:279 fields/oembed.php:262 +#: pro/fields/gallery.php:673 pro/fields/gallery.php:706 msgid "Height" msgstr "" @@ -1732,13 +1674,12 @@ msgstr "Velikost náhledu" msgid "Shown when entering data" msgstr "" -#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:662 -#: pro/fields/gallery.php:695 +#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:662 pro/fields/gallery.php:695 msgid "Restrict which images can be uploaded" msgstr "" -#: fields/image.php:238 fields/image.php:271 fields/oembed.php:251 -#: pro/fields/gallery.php:665 pro/fields/gallery.php:698 +#: fields/image.php:238 fields/image.php:271 fields/oembed.php:251 pro/fields/gallery.php:665 +#: pro/fields/gallery.php:698 msgid "Width" msgstr "" @@ -1808,33 +1749,28 @@ msgstr "" msgid "Archives" msgstr "" -#: fields/page_link.php:535 fields/post_object.php:401 -#: fields/relationship.php:690 +#: fields/page_link.php:535 fields/post_object.php:401 fields/relationship.php:690 msgid "Filter by Post Type" msgstr "" -#: fields/page_link.php:543 fields/post_object.php:409 -#: fields/relationship.php:698 +#: fields/page_link.php:543 fields/post_object.php:409 fields/relationship.php:698 msgid "All post types" msgstr "" -#: fields/page_link.php:549 fields/post_object.php:415 -#: fields/relationship.php:704 +#: fields/page_link.php:549 fields/post_object.php:415 fields/relationship.php:704 msgid "Filter by Taxonomy" msgstr "" -#: fields/page_link.php:557 fields/post_object.php:423 -#: fields/relationship.php:712 +#: fields/page_link.php:557 fields/post_object.php:423 fields/relationship.php:712 msgid "All taxonomies" msgstr "" -#: fields/page_link.php:563 fields/post_object.php:429 fields/select.php:406 -#: fields/taxonomy.php:765 fields/user.php:452 +#: fields/page_link.php:563 fields/post_object.php:429 fields/select.php:406 fields/taxonomy.php:765 +#: fields/user.php:452 msgid "Allow Null?" msgstr "Povolit prázdné?" -#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 -#: fields/user.php:466 +#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 fields/user.php:466 msgid "Select multiple values?" msgstr "Vybrat více hodnot?" @@ -1842,8 +1778,7 @@ msgstr "Vybrat více hodnot?" msgid "Password" msgstr "" -#: fields/post_object.php:36 fields/post_object.php:462 -#: fields/relationship.php:769 +#: fields/post_object.php:36 fields/post_object.php:462 fields/relationship.php:769 msgid "Post Object" msgstr "Objekt příspěvku" @@ -1953,21 +1888,18 @@ msgstr "" #: fields/tab.php:133 msgid "" -"The tab field will display incorrectly when added to a Table style repeater " -"field or flexible content field layout" +"The tab field will display incorrectly when added to a Table style repeater field or flexible content " +"field layout" msgstr "" #: fields/tab.php:146 -msgid "" -"Use \"Tab Fields\" to better organize your edit screen by grouping fields " -"together." +msgid "Use \"Tab Fields\" to better organize your edit screen by grouping fields together." msgstr "" #: fields/tab.php:148 msgid "" -"All fields following this \"tab field\" (or until another \"tab field\" is " -"defined) will be grouped together using this field's label as the tab " -"heading." +"All fields following this \"tab field\" (or until another \"tab field\" is defined) will be grouped " +"together using this field's label as the tab heading." msgstr "" #: fields/tab.php:155 @@ -2233,8 +2165,7 @@ msgstr "" #: pro/admin/views/settings-updates.php:24 msgid "" -"To unlock updates, please enter your license key below. If you don't have a " -"licence key, please see" +"To unlock updates, please enter your license key below. If you don't have a licence key, please see" msgstr "" #: pro/admin/views/settings-updates.php:24 @@ -2284,9 +2215,8 @@ msgstr "Konfigurace" #: pro/core/updates.php:186 #, php-format msgid "" -"To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing" +"To enable updates, please enter your license key on the Updates page. If you don't " +"have a licence key, please see details & pricing" msgstr "" #: pro/fields/flexible-content.php:36 @@ -2562,11 +2492,10 @@ msgstr "" #~ msgstr "Žádný metabox" #~ msgid "" -#~ "Read documentation, learn the functions and find some tips & tricks " -#~ "for your next web project." +#~ "Read documentation, learn the functions and find some tips & tricks for your next web project." #~ msgstr "" -#~ "Přečtěte si dokumentaci, naučte se funkce a objevte zajímavé tipy & " -#~ "triky pro váš další webový projekt." +#~ "Přečtěte si dokumentaci, naučte se funkce a objevte zajímavé tipy & triky pro váš další webový " +#~ "projekt." #~ msgid "Visit the ACF website" #~ msgstr "Navštívit web ACF" @@ -2622,12 +2551,9 @@ msgstr "" #~ msgid "Activate Add-ons." #~ msgstr "Aktivovat přídavky." -#~ msgid "" -#~ "Add-ons can be unlocked by purchasing a license key. Each key can be used " -#~ "on multiple sites." +#~ msgid "Add-ons can be unlocked by purchasing a license key. Each key can be used on multiple sites." #~ msgstr "" -#~ "Přídavky mohou být odemčeny zakoupením licenčního klíče. Každý klíč může " -#~ "být použit na více webech." +#~ "Přídavky mohou být odemčeny zakoupením licenčního klíče. Každý klíč může být použit na více webech." #~ msgid "Find Add-ons" #~ msgstr "Hledat přídavky" @@ -2656,19 +2582,15 @@ msgstr "" #~ msgid "Export Field Groups to XML" #~ msgstr "Exportovat skupiny polí do XML" -#~ msgid "" -#~ "ACF will create a .xml export file which is compatible with the native WP " -#~ "import plugin." -#~ msgstr "" -#~ "ACF vytvoří soubor .xml exportu, který je kompatibilní s originálním " -#~ "importním pluginem WP." +#~ msgid "ACF will create a .xml export file which is compatible with the native WP import plugin." +#~ msgstr "ACF vytvoří soubor .xml exportu, který je kompatibilní s originálním importním pluginem WP." #~ msgid "" -#~ "Imported field groups will appear in the list of editable field " -#~ "groups. This is useful for migrating fields groups between Wp websites." +#~ "Imported field groups will appear in the list of editable field groups. This is useful for " +#~ "migrating fields groups between Wp websites." #~ msgstr "" -#~ "Importované skupiny polí budou zobrazeny v seznamu upravitelných " -#~ "skupin polí. Toto je užitečné pro přesouvání skupin polí mezi WP weby." +#~ "Importované skupiny polí budou zobrazeny v seznamu upravitelných skupin polí. Toto je " +#~ "užitečné pro přesouvání skupin polí mezi WP weby." #~ msgid "Select field group(s) from the list and click \"Export XML\"" #~ msgstr "Vyberte skupinu(y) polí ze seznamu a klikněte na \"Export XML\"" @@ -2701,23 +2623,20 @@ msgstr "" #~ msgstr "Registrovat skupiny polí" #~ msgid "" -#~ "Registered field groups will not appear in the list of editable " -#~ "field groups. This is useful for including fields in themes." +#~ "Registered field groups will not appear in the list of editable field groups. This is useful " +#~ "for including fields in themes." #~ msgstr "" -#~ "Registrované skupiny polí nebudou zobrazeny v seznamu " -#~ "upravitelných skupin polí. Toto je užitečné při používání polí v " -#~ "šablonách." +#~ "Registrované skupiny polí nebudou zobrazeny v seznamu upravitelných skupin polí. Toto je " +#~ "užitečné při používání polí v šablonách." #~ msgid "" -#~ "Please note that if you export and register field groups within the same " -#~ "WP, you will see duplicate fields on your edit screens. To fix this, " -#~ "please move the original field group to the trash or remove the code from " -#~ "your functions.php file." +#~ "Please note that if you export and register field groups within the same WP, you will see duplicate " +#~ "fields on your edit screens. To fix this, please move the original field group to the trash or " +#~ "remove the code from your functions.php file." #~ msgstr "" -#~ "Mějte prosím na paměti, že pokud exportujete a registrujete skupiny polí " -#~ "v rámci stejného WordPressu, uvidíte na obrazovkách úprav duplikovaná " -#~ "pole. Pro nápravu prosím přesuňte původní skupinu polí do koše nebo " -#~ "odstraňte kód ze souboru functions.php." +#~ "Mějte prosím na paměti, že pokud exportujete a registrujete skupiny polí v rámci stejného " +#~ "WordPressu, uvidíte na obrazovkách úprav duplikovaná pole. Pro nápravu prosím přesuňte původní " +#~ "skupinu polí do koše nebo odstraňte kód ze souboru functions.php." #~ msgid "Select field group(s) from the list and click \"Create PHP\"" #~ msgstr "Vyberte skupinu(y) polí ze seznamu a klikněte na \"Vytvořit PHP\"" @@ -2728,11 +2647,8 @@ msgstr "" #~ msgid "Paste into your functions.php file" #~ msgstr "Vložte jej do vašeho souboru functions.php" -#~ msgid "" -#~ "To activate any Add-ons, edit and use the code in the first few lines." -#~ msgstr "" -#~ "K aktivací kteréhokoli přídavku upravte a použijte kód na prvních " -#~ "několika řádcích." +#~ msgid "To activate any Add-ons, edit and use the code in the first few lines." +#~ msgstr "K aktivací kteréhokoli přídavku upravte a použijte kód na prvních několika řádcích." #~ msgid "Create PHP" #~ msgstr "Vytvořit PHP" @@ -2743,44 +2659,37 @@ msgstr "" #~ msgid "" #~ "/**\n" #~ " * Activate Add-ons\n" -#~ " * Here you can enter your activation codes to unlock Add-ons to use in " -#~ "your theme. \n" -#~ " * Since all activation codes are multi-site licenses, you are allowed to " -#~ "include your key in premium themes. \n" -#~ " * Use the commented out code to update the database with your activation " -#~ "code. \n" -#~ " * You may place this code inside an IF statement that only runs on theme " -#~ "activation.\n" +#~ " * Here you can enter your activation codes to unlock Add-ons to use in your theme. \n" +#~ " * Since all activation codes are multi-site licenses, you are allowed to include your key in " +#~ "premium themes. \n" +#~ " * Use the commented out code to update the database with your activation code. \n" +#~ " * You may place this code inside an IF statement that only runs on theme activation.\n" #~ " */" #~ msgstr "" #~ "/**\n" #~ " * Aktivovat přídavky\n" -#~ " * Zde můžete vložit váš aktivační kód pro odemčení přídavků k použití ve " -#~ "vaší šabloně. \n" -#~ " * Jelikož jsou všechny aktivační kódy licencovány pro použití na více " -#~ "webech, můžete je použít ve vaší premium šabloně. \n" -#~ " * Použijte zakomentovaný kód pro aktualizaci databáze s vaším aktivačním " -#~ "kódem. \n" -#~ " * Tento kód můžete vložit dovnitř IF konstrukce, která proběhne pouze po " -#~ "aktivaci šablony.\n" +#~ " * Zde můžete vložit váš aktivační kód pro odemčení přídavků k použití ve vaší šabloně. \n" +#~ " * Jelikož jsou všechny aktivační kódy licencovány pro použití na více webech, můžete je použít ve " +#~ "vaší premium šabloně. \n" +#~ " * Použijte zakomentovaný kód pro aktualizaci databáze s vaším aktivačním kódem. \n" +#~ " * Tento kód můžete vložit dovnitř IF konstrukce, která proběhne pouze po aktivaci šablony.\n" #~ " */" #~ msgid "" #~ "/**\n" #~ " * Register field groups\n" -#~ " * The register_field_group function accepts 1 array which holds the " -#~ "relevant data to register a field group\n" -#~ " * You may edit the array as you see fit. However, this may result in " -#~ "errors if the array is not compatible with ACF\n" +#~ " * The register_field_group function accepts 1 array which holds the relevant data to register a " +#~ "field group\n" +#~ " * You may edit the array as you see fit. However, this may result in errors if the array is not " +#~ "compatible with ACF\n" #~ " * This code must run every time the functions.php file is read\n" #~ " */" #~ msgstr "" #~ "/**\n" #~ " * Registrace skupiny polí\n" -#~ " * Funkce register_field_group akceptuje pole, které obsahuje relevatní " -#~ "data k registraci skupiny polí\n" -#~ " * Pole můžete upravit podle potřeb. Může to ovšem vyústit v pole " -#~ "nekompatibilní s ACF\n" +#~ " * Funkce register_field_group akceptuje pole, které obsahuje relevatní data k registraci skupiny " +#~ "polí\n" +#~ " * Pole můžete upravit podle potřeb. Může to ovšem vyústit v pole nekompatibilní s ACF\n" #~ " * Tento kód musí proběhnout při každém čtení souboru functions.php\n" #~ " */" @@ -2856,12 +2765,8 @@ msgstr "" #~ msgid "Field Order" #~ msgstr "Pořadí pole" -#~ msgid "" -#~ "No fields. Click the \"+ Add Sub Field button\" to create your first " -#~ "field." -#~ msgstr "" -#~ "Žádná pole. Klikněte na tlačítko \"+ Přidat podpole\" pro vytvoření " -#~ "prvního pole." +#~ msgid "No fields. Click the \"+ Add Sub Field button\" to create your first field." +#~ msgstr "Žádná pole. Klikněte na tlačítko \"+ Přidat podpole\" pro vytvoření prvního pole." #~ msgid "Edit this Field" #~ msgstr "Upravit toto pole" @@ -2993,18 +2898,17 @@ msgstr "" #~ msgstr "Odemkněte přídavek konfigurace s aktivačním kódem" #~ msgid "Field groups are created in order
                from lowest to highest." -#~ msgstr "" -#~ "Skupiny polí jsou vytvořeny v pořadí
                od nejnižšího k nejvyššímu." +#~ msgstr "Skupiny polí jsou vytvořeny v pořadí
                od nejnižšího k nejvyššímu." #~ msgid "Select items to hide them from the edit screen" #~ msgstr "Vybrat položky pro skrytí z obrazovky úprav" #~ msgid "" -#~ "If multiple field groups appear on an edit screen, the first field " -#~ "group's options will be used. (the one with the lowest order number)" +#~ "If multiple field groups appear on an edit screen, the first field group's options will be used. " +#~ "(the one with the lowest order number)" #~ msgstr "" -#~ "Pokud se na obrazovce úprav objeví několik skupin polí, bude použito " -#~ "nastavení první skupiny. (s nejžším pořadovým číslem)" +#~ "Pokud se na obrazovce úprav objeví několik skupin polí, bude použito nastavení první skupiny. (s " +#~ "nejžším pořadovým číslem)" #~ msgid "Everything Fields deactivated" #~ msgstr "Všechna pole deaktivována" @@ -3026,8 +2930,7 @@ msgstr "" #~ "\t\t\t\tTip: deselect all post types to show all post type's posts" #~ msgstr "" #~ "Filtrovat příspěvky výběrem typu příspěvku
                \n" -#~ "\t\t\t\tTip: zrušte výběr všech typů příspěvku pro zobrazení příspěvků " -#~ "všech typů příspěvků" +#~ "\t\t\t\tTip: zrušte výběr všech typů příspěvku pro zobrazení příspěvků všech typů příspěvků" #~ msgid "Set to -1 for infinite" #~ msgstr "Nastavte na -1 pro nekonečno" diff --git a/lang/acf-de_CH.mo b/lang/acf-de_CH.mo index 6414a37..4faa3ef 100644 Binary files a/lang/acf-de_CH.mo and b/lang/acf-de_CH.mo differ diff --git a/lang/acf-de_CH.po b/lang/acf-de_CH.po index 7f2f151..d837ef3 100644 --- a/lang/acf-de_CH.po +++ b/lang/acf-de_CH.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.6.6\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-10-04 14:50+1000\n" -"PO-Revision-Date: 2017-11-30 16:45+0100\n" +"PO-Revision-Date: 2018-02-06 10:05+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Raphael Hüni \n" "Language: de_CH\n" @@ -11,7 +11,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: Poedit 2.0.4\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -788,7 +788,7 @@ msgstr "Über dem Feld" # @ acf #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Links neben dem Feld" # @ acf @@ -1579,7 +1579,8 @@ msgid "jQuery" msgstr "jQuery" # @ acf -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -3085,8 +3086,8 @@ msgid "Validate Email" msgstr "E-Mail bestätigen" # @ acf -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Aktualisieren" diff --git a/lang/acf-de_DE.mo b/lang/acf-de_DE.mo index 9e30b5b..17343cd 100644 Binary files a/lang/acf-de_DE.mo and b/lang/acf-de_DE.mo differ diff --git a/lang/acf-de_DE.po b/lang/acf-de_DE.po index 265c0e7..d371499 100644 --- a/lang/acf-de_DE.po +++ b/lang/acf-de_DE.po @@ -3,15 +3,15 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.6.7\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-12-13 02:10+0100\n" -"PO-Revision-Date: 2017-12-19 02:15+0100\n" -"Last-Translator: Ralf Koller \n" +"PO-Revision-Date: 2018-02-06 10:05+1000\n" +"Last-Translator: Elliot Condon \n" "Language-Team: Ralf Koller \n" "Language: de_DE\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: Poedit 2.0.5\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -877,7 +877,7 @@ msgstr "Über dem Feld" # @ acf #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:107 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Links neben dem Feld" # @ acf @@ -1580,7 +1580,8 @@ msgid "jQuery" msgstr "jQuery" # @ acf -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -3102,8 +3103,8 @@ msgid "Validate Email" msgstr "E-Mail bestätigen" # @ acf -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Aktualisieren" diff --git a/lang/acf-de_DE_formal.mo b/lang/acf-de_DE_formal.mo index 64132ce..666cf93 100644 Binary files a/lang/acf-de_DE_formal.mo and b/lang/acf-de_DE_formal.mo differ diff --git a/lang/acf-de_DE_formal.po b/lang/acf-de_DE_formal.po index ff87182..eb9dbe0 100644 --- a/lang/acf-de_DE_formal.po +++ b/lang/acf-de_DE_formal.po @@ -3,15 +3,15 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.6.7 Formal\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-12-13 02:11+0100\n" -"PO-Revision-Date: 2017-12-19 02:15+0100\n" -"Last-Translator: Ralf Koller \n" +"PO-Revision-Date: 2018-02-06 10:05+1000\n" +"Last-Translator: Elliot Condon \n" "Language-Team: Ralf Koller \n" "Language: de_DE\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: Poedit 2.0.5\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -877,7 +877,7 @@ msgstr "Über dem Feld" # @ acf #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:107 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Links neben dem Feld" # @ acf @@ -1580,7 +1580,8 @@ msgid "jQuery" msgstr "jQuery" # @ acf -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -3103,8 +3104,8 @@ msgid "Validate Email" msgstr "E-Mail bestätigen" # @ acf -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Aktualisieren" diff --git a/lang/acf-es_ES.mo b/lang/acf-es_ES.mo index 35fc899..29ff1f7 100644 Binary files a/lang/acf-es_ES.mo and b/lang/acf-es_ES.mo differ diff --git a/lang/acf-es_ES.po b/lang/acf-es_ES.po index eb18f43..55ec866 100644 --- a/lang/acf-es_ES.po +++ b/lang/acf-es_ES.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-06-27 15:35+1000\n" -"PO-Revision-Date: 2017-06-27 15:35+1000\n" +"PO-Revision-Date: 2018-02-06 10:05+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Héctor Garrofé \n" "Language: es_ES\n" @@ -113,7 +113,7 @@ msgid "Inactive" msgstr "Inactivo" #: acf.php:440 -#, fuzzy, php-format +#, php-format msgid "Inactive (%s)" msgid_plural "Inactive (%s)" msgstr[0] "Activo (%s)" @@ -314,7 +314,7 @@ msgstr "Changelog" #: includes/admin/admin-field-groups.php:614 #, php-format msgid "See what's new in version %s." -msgstr "" +msgstr "Ver las novedades de la versión %s." #: includes/admin/admin-field-groups.php:617 msgid "Resources" @@ -322,27 +322,24 @@ msgstr "Recursos" #: includes/admin/admin-field-groups.php:619 msgid "Website" -msgstr "" +msgstr "Sitio web" #: includes/admin/admin-field-groups.php:620 -#, fuzzy msgid "Documentation" -msgstr "Ubicación" +msgstr "Documentación" #: includes/admin/admin-field-groups.php:621 -#, fuzzy msgid "Support" -msgstr "Importar" +msgstr "Soporte" #: includes/admin/admin-field-groups.php:623 -#, fuzzy msgid "Pro" -msgstr "Adiós Agregados. Hola PRO" +msgstr "Pro" #: includes/admin/admin-field-groups.php:628 -#, fuzzy, php-format +#, php-format msgid "Thank you for creating with ACF." -msgstr "Gracias por actualizar a %s v%s!" +msgstr "Gracias por crear con ACF." #: includes/admin/admin-field-groups.php:668 msgid "Duplicate this item" @@ -377,10 +374,9 @@ msgstr "Sincronizar" #: includes/admin/admin-field-groups.php:780 msgid "Apply" -msgstr "" +msgstr "Aplicar" #: includes/admin/admin-field-groups.php:798 -#, fuzzy msgid "Bulk Actions" msgstr "Acciones en lote" @@ -400,7 +396,7 @@ msgstr "Revisar sitios y actualizar" #: includes/admin/install.php:187 msgid "Error validating request" -msgstr "" +msgstr "¡Error al validar la solicitud!" #: includes/admin/install.php:210 includes/admin/views/install.php:105 msgid "No updates available." @@ -451,11 +447,11 @@ msgid "Import file empty" msgstr "Archivo de imporación vacío" #: includes/admin/settings-tools.php:331 -#, fuzzy, php-format +#, php-format msgid "Imported 1 field group" msgid_plural "Imported %s field groups" -msgstr[0] "Importar Field Group" -msgstr[1] "Importar Field Group" +msgstr[0] "Importar un grupo de campos" +msgstr[1] "Importar %s grupos de campos" #: includes/admin/views/field-group-field-conditional-logic.php:28 msgid "Conditional Logic" @@ -599,7 +595,7 @@ msgstr "Nombre" #: includes/admin/views/field-group-fields.php:7 msgid "Key" -msgstr "" +msgstr "Clave" #: includes/admin/views/field-group-fields.php:8 msgid "Type" @@ -668,7 +664,7 @@ msgstr "Alineada arriba" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:117 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Alineada a la izquierda" #: includes/admin/views/field-group-options.php:70 @@ -776,9 +772,8 @@ msgid "Show this field group if" msgstr "Mostrar este grupo de campos si" #: includes/admin/views/install-network.php:4 -#, fuzzy msgid "Upgrade Sites" -msgstr "Notificación de Actualización" +msgstr "Mejorar los sitios" #: includes/admin/views/install-network.php:9 #: includes/admin/views/install.php:3 @@ -786,13 +781,13 @@ msgid "Advanced Custom Fields Database Upgrade" msgstr "Actualización de Base de Datos de Advanced Custom Fields" #: includes/admin/views/install-network.php:11 -#, fuzzy, php-format +#, php-format msgid "" "The following sites require a DB upgrade. Check the ones you want to update " "and then click %s." msgstr "" -"Los siguientes sitios requieren una actualización de base de datos. Tilda " -"los que quieres actualizar y haz click en \"Actualizar Base de Datos\"." +"Los siguientes sitios requieren una actualización de la base de datos. Marca " +"los que desea actualizar y haga clic en %s." #: includes/admin/views/install-network.php:20 #: includes/admin/views/install-network.php:28 @@ -878,17 +873,19 @@ msgid "" "Please also ensure any premium add-ons (%s) have first been updated to the " "latest version." msgstr "" +"También asegúrate de que todas las extensiones premium (%s) se hayan " +"actualizado a la última versión." #: includes/admin/views/install.php:7 msgid "Reading upgrade tasks..." msgstr "Leyendo tareas de actualización..." #: includes/admin/views/install.php:11 -#, fuzzy, php-format +#, php-format msgid "Database Upgrade complete. See what's new" msgstr "" -"Actualización de base de datos completa. Regresar al " -"Escritorio de Red" +"Actualización de la base de datos completada. Vea las " +"novedades" #: includes/admin/views/settings-addons.php:17 msgid "Download & Install" @@ -1271,9 +1268,8 @@ msgstr "(sin título)" #: includes/fields/class-acf-field-page_link.php:284 #: includes/fields/class-acf-field-post_object.php:283 #: includes/fields/class-acf-field-taxonomy.php:992 -#, fuzzy msgid "Parent" -msgstr "Página de Nivel Superior" +msgstr "Superior" #: includes/api/api-helpers.php:3891 #, php-format @@ -1346,7 +1342,7 @@ msgstr "Tipo de campo inexistente" #: includes/fields.php:305 msgid "Unknown" -msgstr "" +msgstr "Desconocido" #: includes/fields/class-acf-field-checkbox.php:36 #: includes/fields/class-acf-field-taxonomy.php:786 @@ -1358,9 +1354,8 @@ msgid "Toggle All" msgstr "Invertir Todos" #: includes/fields/class-acf-field-checkbox.php:207 -#, fuzzy msgid "Add new choice" -msgstr "Agregar Nuevo Campo" +msgstr "Agregar nueva opción" #: includes/fields/class-acf-field-checkbox.php:246 #: includes/fields/class-acf-field-radio.php:250 @@ -1388,23 +1383,20 @@ msgid "red : Red" msgstr "rojo : Rojo" #: includes/fields/class-acf-field-checkbox.php:255 -#, fuzzy msgid "Allow Custom" -msgstr "Permitir Vacío?" +msgstr "Permitir personalización" #: includes/fields/class-acf-field-checkbox.php:260 msgid "Allow 'custom' values to be added" -msgstr "" +msgstr "Permite añadir valores personalizados" #: includes/fields/class-acf-field-checkbox.php:266 -#, fuzzy msgid "Save Custom" -msgstr "Mover Campo Personalizado" +msgstr "Guardar personalización" #: includes/fields/class-acf-field-checkbox.php:271 -#, fuzzy msgid "Save 'custom' values to the field's choices" -msgstr "Guardar 'otros' valores a las opciones del campo" +msgstr "Guardar los valores \"personalizados\" a las opciones del campo" #: includes/fields/class-acf-field-checkbox.php:277 #: includes/fields/class-acf-field-color_picker.php:146 @@ -1463,15 +1455,14 @@ msgstr "Especifica el valor retornado en el front end" #: includes/fields/class-acf-field-checkbox.php:316 #: includes/fields/class-acf-field-radio.php:320 #: includes/fields/class-acf-field-select.php:529 -#, fuzzy msgid "Value" -msgstr "El valor %s es requerido" +msgstr "Valor" #: includes/fields/class-acf-field-checkbox.php:318 #: includes/fields/class-acf-field-radio.php:322 #: includes/fields/class-acf-field-select.php:531 msgid "Both (Array)" -msgstr "" +msgstr "Ambos (Array)" #: includes/fields/class-acf-field-color_picker.php:36 msgid "Color Picker" @@ -1490,22 +1481,19 @@ msgid "Select Color" msgstr "Selecciona Color" #: includes/fields/class-acf-field-color_picker.php:86 -#, fuzzy msgid "Current Color" -msgstr "Usuario Actual" +msgstr "Color actual" #: includes/fields/class-acf-field-date_picker.php:36 msgid "Date Picker" msgstr "Selector de Fecha" #: includes/fields/class-acf-field-date_picker.php:44 -#, fuzzy msgctxt "Date Picker JS closeText" msgid "Done" msgstr "Hecho" #: includes/fields/class-acf-field-date_picker.php:45 -#, fuzzy msgctxt "Date Picker JS currentText" msgid "Today" msgstr "Hoy" @@ -1513,17 +1501,17 @@ msgstr "Hoy" #: includes/fields/class-acf-field-date_picker.php:46 msgctxt "Date Picker JS nextText" msgid "Next" -msgstr "" +msgstr "Siguiente" #: includes/fields/class-acf-field-date_picker.php:47 msgctxt "Date Picker JS prevText" msgid "Prev" -msgstr "" +msgstr "Anterior" #: includes/fields/class-acf-field-date_picker.php:48 msgctxt "Date Picker JS weekHeader" msgid "Wk" -msgstr "" +msgstr "Se" #: includes/fields/class-acf-field-date_picker.php:223 #: includes/fields/class-acf-field-date_time_picker.php:197 @@ -1543,19 +1531,16 @@ msgstr "El formato mostrado cuando se edita un post" #: includes/fields/class-acf-field-date_time_picker.php:224 #: includes/fields/class-acf-field-time_picker.php:135 #: includes/fields/class-acf-field-time_picker.php:150 -#, fuzzy msgid "Custom:" -msgstr "Advanced Custom Fields" +msgstr "Personalizado:" #: includes/fields/class-acf-field-date_picker.php:242 -#, fuzzy msgid "Save Format" -msgstr "Formato de Fecha" +msgstr "Guardar formato" #: includes/fields/class-acf-field-date_picker.php:243 -#, fuzzy msgid "The format used when saving a value" -msgstr "El formato mostrado cuando se edita un post" +msgstr "El formato utilizado cuando se guarda un valor" #: includes/fields/class-acf-field-date_picker.php:253 #: includes/fields/class-acf-field-date_time_picker.php:214 @@ -1578,88 +1563,83 @@ msgid "Week Starts On" msgstr "La semana comenza en " #: includes/fields/class-acf-field-date_time_picker.php:36 -#, fuzzy msgid "Date Time Picker" -msgstr "Selector de Fecha" +msgstr "Selector de fecha y hora" #: includes/fields/class-acf-field-date_time_picker.php:44 -#, fuzzy msgctxt "Date Time Picker JS timeOnlyTitle" msgid "Choose Time" -msgstr "Cerrar Campo" +msgstr "Elegir tiempo" #: includes/fields/class-acf-field-date_time_picker.php:45 msgctxt "Date Time Picker JS timeText" msgid "Time" -msgstr "" +msgstr "Tiempo" #: includes/fields/class-acf-field-date_time_picker.php:46 msgctxt "Date Time Picker JS hourText" msgid "Hour" -msgstr "" +msgstr "Hora" #: includes/fields/class-acf-field-date_time_picker.php:47 msgctxt "Date Time Picker JS minuteText" msgid "Minute" -msgstr "" +msgstr "minuto" #: includes/fields/class-acf-field-date_time_picker.php:48 msgctxt "Date Time Picker JS secondText" msgid "Second" -msgstr "" +msgstr "Segundo" #: includes/fields/class-acf-field-date_time_picker.php:49 msgctxt "Date Time Picker JS millisecText" msgid "Millisecond" -msgstr "" +msgstr "Milisegundo" #: includes/fields/class-acf-field-date_time_picker.php:50 msgctxt "Date Time Picker JS microsecText" msgid "Microsecond" -msgstr "" +msgstr "Microsegundo" #: includes/fields/class-acf-field-date_time_picker.php:51 msgctxt "Date Time Picker JS timezoneText" msgid "Time Zone" -msgstr "" +msgstr "Zona horaria" #: includes/fields/class-acf-field-date_time_picker.php:52 -#, fuzzy msgctxt "Date Time Picker JS currentText" msgid "Now" -msgstr "El campo %s puede ser ahora encontrado en el grupo de campos %s" +msgstr "Ahora" #: includes/fields/class-acf-field-date_time_picker.php:53 -#, fuzzy msgctxt "Date Time Picker JS closeText" msgid "Done" msgstr "Hecho" #: includes/fields/class-acf-field-date_time_picker.php:54 -#, fuzzy msgctxt "Date Time Picker JS selectText" msgid "Select" -msgstr "Selección" +msgstr "Elige" #: includes/fields/class-acf-field-date_time_picker.php:56 msgctxt "Date Time Picker JS amText" msgid "AM" -msgstr "" +msgstr "AM" #: includes/fields/class-acf-field-date_time_picker.php:57 msgctxt "Date Time Picker JS amTextShort" msgid "A" -msgstr "" +msgstr "A" #: includes/fields/class-acf-field-date_time_picker.php:60 msgctxt "Date Time Picker JS pmText" msgid "PM" -msgstr "" +msgstr "PM" #: includes/fields/class-acf-field-date_time_picker.php:61 msgctxt "Date Time Picker JS pmTextShort" msgid "P" -msgstr "" +msgstr "P" #: includes/fields/class-acf-field-email.php:36 msgid "Email" @@ -1740,9 +1720,8 @@ msgid "Uploaded to this post" msgstr "Subidos a este post" #: includes/fields/class-acf-field-file.php:145 -#, fuzzy msgid "File name" -msgstr "Nombre de Archivo" +msgstr "Nombre del archivo" #: includes/fields/class-acf-field-file.php:149 #: includes/fields/class-acf-field-file.php:252 @@ -1886,9 +1865,8 @@ msgid "Customise the map height" msgstr "Personalizar altura de mapa" #: includes/fields/class-acf-field-group.php:36 -#, fuzzy msgid "Group" -msgstr "Añadir nuevo Field Group" +msgstr "Grupo" #: includes/fields/class-acf-field-group.php:469 #: pro/fields/class-acf-field-repeater.php:453 @@ -1899,6 +1877,7 @@ msgstr "Sub Campos" #: pro/fields/class-acf-field-clone.php:890 msgid "Specify the style used to render the selected fields" msgstr "" +"Especifique el estilo utilizado para representar los campos seleccionados" #: includes/fields/class-acf-field-group.php:491 #: pro/fields/class-acf-field-clone.php:895 @@ -1994,28 +1973,24 @@ msgid "Width" msgstr "Ancho" #: includes/fields/class-acf-field-link.php:36 -#, fuzzy msgid "Link" -msgstr "Link de página" +msgstr "Enlace" #: includes/fields/class-acf-field-link.php:146 -#, fuzzy msgid "Select Link" -msgstr "Seleccionar archivo" +msgstr "Elige el enlace" #: includes/fields/class-acf-field-link.php:151 msgid "Opens in a new window/tab" -msgstr "" +msgstr "Abrir en una nueva ventana/pestaña" #: includes/fields/class-acf-field-link.php:186 -#, fuzzy msgid "Link Array" -msgstr "Array de Archivo" +msgstr "Matriz de enlace" #: includes/fields/class-acf-field-link.php:187 -#, fuzzy msgid "Link URL" -msgstr "URL de Archivo" +msgstr "URL del enlace" #: includes/fields/class-acf-field-message.php:36 #: includes/fields/class-acf-field-message.php:115 @@ -2149,7 +2124,7 @@ msgstr "Permitir Vacío?" #: includes/fields/class-acf-field-page_link.php:538 msgid "Allow Archives URLs" -msgstr "" +msgstr "Permitir las URLs de los archivos" #: includes/fields/class-acf-field-page_link.php:548 #: includes/fields/class-acf-field-post_object.php:437 @@ -2266,83 +2241,80 @@ msgstr[1] "%s requiere al menos %s selecciones" #: includes/fields/class-acf-field-select.php:36 #: includes/fields/class-acf-field-taxonomy.php:791 -#, fuzzy msgctxt "noun" msgid "Select" -msgstr "Selección" +msgstr "Elige" #: includes/fields/class-acf-field-select.php:49 msgctxt "Select2 JS matches_1" msgid "One result is available, press enter to select it." -msgstr "" +msgstr "Hay un resultado disponible, pulse Enter para seleccionarlo." #: includes/fields/class-acf-field-select.php:50 #, php-format msgctxt "Select2 JS matches_n" msgid "%d results are available, use up and down arrow keys to navigate." msgstr "" +"%d resultados disponibles, utilice las flechas arriba y abajo para navegar " +"por los resultados." #: includes/fields/class-acf-field-select.php:51 -#, fuzzy msgctxt "Select2 JS matches_0" msgid "No matches found" -msgstr "No se encontraron resultados" +msgstr "No se encontraron coincidencias" #: includes/fields/class-acf-field-select.php:52 msgctxt "Select2 JS input_too_short_1" msgid "Please enter 1 or more characters" -msgstr "" +msgstr "Por favor, introduce 1 o más caracteres" #: includes/fields/class-acf-field-select.php:53 #, php-format msgctxt "Select2 JS input_too_short_n" msgid "Please enter %d or more characters" -msgstr "" +msgstr "Por favor escribe %d o más caracteres" #: includes/fields/class-acf-field-select.php:54 msgctxt "Select2 JS input_too_long_1" msgid "Please delete 1 character" -msgstr "" +msgstr "Por favor, borra 1 carácter" #: includes/fields/class-acf-field-select.php:55 #, php-format msgctxt "Select2 JS input_too_long_n" msgid "Please delete %d characters" -msgstr "" +msgstr "Por favor, elimina %d caracteres" #: includes/fields/class-acf-field-select.php:56 msgctxt "Select2 JS selection_too_long_1" msgid "You can only select 1 item" -msgstr "" +msgstr "Sólo puede seleccionar 1 elemento" #: includes/fields/class-acf-field-select.php:57 #, php-format msgctxt "Select2 JS selection_too_long_n" msgid "You can only select %d items" -msgstr "" +msgstr "Sólo puede seleccionar %d elementos" #: includes/fields/class-acf-field-select.php:58 msgctxt "Select2 JS load_more" msgid "Loading more results…" -msgstr "" +msgstr "Cargando más resultados…" #: includes/fields/class-acf-field-select.php:59 -#, fuzzy msgctxt "Select2 JS searching" msgid "Searching…" -msgstr "Buscar Campos" +msgstr "Buscando…" #: includes/fields/class-acf-field-select.php:60 -#, fuzzy msgctxt "Select2 JS load_fail" msgid "Loading failed" -msgstr "Validación fallida" +msgstr "Error al cargar" #: includes/fields/class-acf-field-select.php:270 includes/media.php:54 -#, fuzzy msgctxt "verb" msgid "Select" -msgstr "Selección" +msgstr "Elige" #: includes/fields/class-acf-field-select.php:504 #: includes/fields/class-acf-field-true_false.php:159 @@ -2354,13 +2326,12 @@ msgid "Use AJAX to lazy load choices?" msgstr "Usar AJAX para hacer lazy load de las opciones?" #: includes/fields/class-acf-field-select.php:525 -#, fuzzy msgid "Specify the value returned" -msgstr "Especifica el valor retornado en el front end" +msgstr "Especifique el valor devuelto" #: includes/fields/class-acf-field-separator.php:36 msgid "Separator" -msgstr "" +msgstr "Separador" #: includes/fields/class-acf-field-tab.php:36 msgid "Tab" @@ -2523,9 +2494,8 @@ msgid "Sets the textarea height" msgstr "Setea el alto del área de texto" #: includes/fields/class-acf-field-time_picker.php:36 -#, fuzzy msgid "Time Picker" -msgstr "Selector de Fecha" +msgstr "Selector de hora" #: includes/fields/class-acf-field-true_false.php:36 msgid "True / False" @@ -2539,25 +2509,23 @@ msgstr "Sí" #: includes/fields/class-acf-field-true_false.php:142 msgid "Displays text alongside the checkbox" -msgstr "" +msgstr "Muestra el texto junto a la casilla de verificación" #: includes/fields/class-acf-field-true_false.php:170 -#, fuzzy msgid "On Text" -msgstr "Texto" +msgstr "Sobre texto" #: includes/fields/class-acf-field-true_false.php:171 msgid "Text shown when active" -msgstr "" +msgstr "Texto mostrado cuando está activo" #: includes/fields/class-acf-field-true_false.php:180 -#, fuzzy msgid "Off Text" -msgstr "Texto" +msgstr "Sin texto" #: includes/fields/class-acf-field-true_false.php:181 msgid "Text shown when inactive" -msgstr "" +msgstr "Texto mostrado cuando está inactivo" #: includes/fields/class-acf-field-url.php:36 msgid "Url" @@ -2594,7 +2562,7 @@ msgstr "Texto" #: includes/fields/class-acf-field-wysiwyg.php:392 msgid "Click to initialize TinyMCE" -msgstr "" +msgstr "Haz clic para iniciar TinyMCE" #: includes/fields/class-acf-field-wysiwyg.php:445 msgid "Tabs" @@ -2622,11 +2590,11 @@ msgstr "¿Mostrar el botón Media Upload?" #: includes/fields/class-acf-field-wysiwyg.php:479 msgid "Delay initialization?" -msgstr "" +msgstr "¿Inicialización retrasada?" #: includes/fields/class-acf-field-wysiwyg.php:480 msgid "TinyMCE will not be initalized until field is clicked" -msgstr "" +msgstr "TinyMCE no se iniciará hasta que se haga clic en el campo" #: includes/forms/form-comment.php:166 includes/forms/form-post.php:303 #: pro/admin/admin-options-page.php:304 @@ -2634,9 +2602,8 @@ msgid "Edit field group" msgstr "Editar grupo de campos" #: includes/forms/form-front.php:55 -#, fuzzy msgid "Validate Email" -msgstr "Validación fallida" +msgstr "Validar correo electrónico" #: includes/forms/form-front.php:103 #: pro/fields/class-acf-field-gallery.php:588 pro/options-page.php:81 @@ -2649,7 +2616,7 @@ msgstr "Post actualizado" #: includes/forms/form-front.php:229 msgid "Spam Detected" -msgstr "" +msgstr "Spam detectado" #: includes/input.php:258 msgid "Expand Details" @@ -2683,7 +2650,7 @@ msgstr "Restringido" #: includes/input.php:268 msgid "Cancel" -msgstr "" +msgstr "Cancelar" #: includes/locations.php:93 includes/locations/class-acf-location-post.php:27 msgid "Post" @@ -2704,7 +2671,7 @@ msgstr "Adjunto" #: includes/locations/class-acf-location-attachment.php:113 #, php-format msgid "All %s formats" -msgstr "" +msgstr "%s formatos" #: includes/locations/class-acf-location-comment.php:27 msgid "Comment" @@ -2736,20 +2703,19 @@ msgstr "Viendo back end" #: includes/locations/class-acf-location-nav-menu-item.php:27 msgid "Menu Item" -msgstr "" +msgstr "Elemento del menú" #: includes/locations/class-acf-location-nav-menu.php:27 msgid "Menu" -msgstr "" +msgstr "Menú" #: includes/locations/class-acf-location-nav-menu.php:113 -#, fuzzy msgid "Menu Locations" -msgstr "Ubicación" +msgstr "Localizaciones de menú" #: includes/locations/class-acf-location-nav-menu.php:123 msgid "Menus" -msgstr "" +msgstr "Menús" #: includes/locations/class-acf-location-page-parent.php:27 msgid "Page Parent" @@ -2805,9 +2771,8 @@ msgid "Post Taxonomy" msgstr "Taxonomía de Post" #: includes/locations/class-acf-location-post-template.php:29 -#, fuzzy msgid "Post Template" -msgstr "Plantilla de Página" +msgstr "Plantilla de entrada:" #: includes/locations/class-acf-location-taxonomy.php:27 msgid "Taxonomy Term" @@ -2834,13 +2799,11 @@ msgid "Widget" msgstr "Widget" #: includes/media.php:55 -#, fuzzy msgctxt "verb" msgid "Edit" msgstr "Editar" #: includes/media.php:56 -#, fuzzy msgctxt "verb" msgid "Update" msgstr "Actualizar" @@ -2887,20 +2850,19 @@ msgid "Activate License" msgstr "Activar Licencia" #: pro/admin/views/html-settings-updates.php:21 -#, fuzzy msgid "License Information" -msgstr "Información de Actualización" +msgstr "Información de la licencia" #: pro/admin/views/html-settings-updates.php:24 -#, fuzzy, php-format +#, php-format msgid "" "To unlock updates, please enter your license key below. If you don't have a " "licence key, please see details & pricing." msgstr "" -"Para habilitar actualizaciones, por favor ingresa tu clave de licencia en la " -"página de Actualizaciones. Si no tiene una clave de " -"licencia, por favor mira detalles y precios" +"Para desbloquear las actualizaciones, por favor a continuación introduce tu " +"clave de licencia. Si no tienes una clave de licencia, consulta detalles y precios." #: pro/admin/views/html-settings-updates.php:33 msgid "License Key" @@ -2941,11 +2903,11 @@ msgstr "Notificación de Actualización" #: pro/fields/class-acf-field-clone.php:36 msgctxt "noun" msgid "Clone" -msgstr "" +msgstr "Clonar" #: pro/fields/class-acf-field-clone.php:858 msgid "Select one or more fields you wish to clone" -msgstr "" +msgstr "Elige uno o más campos que quieras clonar" #: pro/fields/class-acf-field-clone.php:875 msgid "Display" @@ -2953,50 +2915,47 @@ msgstr "Mostrar" #: pro/fields/class-acf-field-clone.php:876 msgid "Specify the style used to render the clone field" -msgstr "" +msgstr "Especifique el estilo utilizado para procesar el campo de clonación" #: pro/fields/class-acf-field-clone.php:881 msgid "Group (displays selected fields in a group within this field)" msgstr "" +"Grupo (muestra los campos seleccionados en un grupo dentro de este campo)" #: pro/fields/class-acf-field-clone.php:882 msgid "Seamless (replaces this field with selected fields)" -msgstr "" +msgstr "Transparente (reemplaza este campo con los campos seleccionados)" #: pro/fields/class-acf-field-clone.php:903 -#, fuzzy, php-format +#, php-format msgid "Labels will be displayed as %s" -msgstr "Los elementos seleccionados serán mostrados en cada resultado" +msgstr "Las etiquetas se mostrarán como %s" #: pro/fields/class-acf-field-clone.php:906 -#, fuzzy msgid "Prefix Field Labels" -msgstr "Etiqueta del campo" +msgstr "Etiquetas del prefijo de campo" #: pro/fields/class-acf-field-clone.php:917 #, php-format msgid "Values will be saved as %s" -msgstr "" +msgstr "Los valores se guardarán como %s" #: pro/fields/class-acf-field-clone.php:920 -#, fuzzy msgid "Prefix Field Names" -msgstr "Nombre del campo" +msgstr "Nombres de prefijos de campos" #: pro/fields/class-acf-field-clone.php:1038 -#, fuzzy msgid "Unknown field" -msgstr "Debajo de los campos" +msgstr "Campo desconocido" #: pro/fields/class-acf-field-clone.php:1077 -#, fuzzy msgid "Unknown field group" -msgstr "Sincronizar grupo de campos" +msgstr "Grupo de campos desconocido" #: pro/fields/class-acf-field-clone.php:1081 #, php-format msgid "All fields from %s field group" -msgstr "" +msgstr "Todos los campos del grupo de campo %s" #: pro/fields/class-acf-field-flexible-content.php:42 #: pro/fields/class-acf-field-repeater.php:230 @@ -3060,7 +3019,7 @@ msgstr "Remover esquema" #: pro/fields/class-acf-field-flexible-content.php:425 #: pro/fields/class-acf-field-repeater.php:360 msgid "Click to toggle" -msgstr "" +msgstr "Clic para mostrar" #: pro/fields/class-acf-field-flexible-content.php:571 msgid "Reorder Layout" @@ -3116,14 +3075,12 @@ msgid "Length" msgstr "Longitud" #: pro/fields/class-acf-field-gallery.php:379 -#, fuzzy msgid "Caption" -msgstr "Opciones" +msgstr "Leyenda" #: pro/fields/class-acf-field-gallery.php:388 -#, fuzzy msgid "Alt Text" -msgstr "Texto" +msgstr "Texto Alt" #: pro/fields/class-acf-field-gallery.php:559 msgid "Add to gallery" @@ -3163,20 +3120,19 @@ msgstr "Selección Máxima" #: pro/fields/class-acf-field-gallery.php:657 msgid "Insert" -msgstr "" +msgstr "Insertar" #: pro/fields/class-acf-field-gallery.php:658 msgid "Specify where new attachments are added" -msgstr "" +msgstr "Especificar dónde se agregan nuevos adjuntos" #: pro/fields/class-acf-field-gallery.php:662 -#, fuzzy msgid "Append to the end" -msgstr "Aparece luego del campo" +msgstr "Añadir al final" #: pro/fields/class-acf-field-gallery.php:663 msgid "Prepend to the beginning" -msgstr "" +msgstr "Adelantar hasta el principio" #: pro/fields/class-acf-field-repeater.php:47 msgid "Minimum rows reached ({min} rows)" @@ -3195,13 +3151,12 @@ msgid "Remove row" msgstr "Remover fila" #: pro/fields/class-acf-field-repeater.php:483 -#, fuzzy msgid "Collapsed" -msgstr "Colapsar Detalles" +msgstr "Colapsado" #: pro/fields/class-acf-field-repeater.php:484 msgid "Select a sub field to show when row is collapsed" -msgstr "" +msgstr "Elige un subcampo para indicar cuándo se colapsa la fila" #: pro/fields/class-acf-field-repeater.php:494 msgid "Minimum Rows" @@ -3224,25 +3179,23 @@ msgid "Options Updated" msgstr "Opciones Actualizadas" #: pro/updates.php:97 -#, fuzzy, php-format +#, php-format msgid "" "To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing." msgstr "" -"Para habilitar actualizaciones, por favor ingresa tu clave de licencia en la " -"página de Actualizaciones. Si no tiene una clave de " -"licencia, por favor mira detalles y precios" +"Para habilitar actualizaciones, por favor, introduzca su llave de licencia " +"en la página de actualizaciones. Si no tiene una llave de " +"licencia, por favor, consulta detalles y precios." #. Plugin URI of the plugin/theme -#, fuzzy msgid "https://www.advancedcustomfields.com/" -msgstr "http://www.advancedcustomfields.com/" +msgstr "https://www.advancedcustomfields.com/" #. Author of the plugin/theme -#, fuzzy msgid "Elliot Condon" -msgstr "elliot condon" +msgstr "Elliot Condon" #. Author URI of the plugin/theme msgid "http://www.elliotcondon.com/" diff --git a/lang/acf-fa_IR.mo b/lang/acf-fa_IR.mo index 327bee7..2a29122 100644 Binary files a/lang/acf-fa_IR.mo and b/lang/acf-fa_IR.mo differ diff --git a/lang/acf-fa_IR.po b/lang/acf-fa_IR.po index bf5e945..580ebbc 100644 --- a/lang/acf-fa_IR.po +++ b/lang/acf-fa_IR.po @@ -2,8 +2,8 @@ msgid "" msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" -"POT-Creation-Date: 2017-11-23 09:16+0330\n" -"PO-Revision-Date: 2017-11-23 09:18+0330\n" +"POT-Creation-Date: 2018-01-24 14:29+0330\n" +"PO-Revision-Date: 2018-02-06 10:05+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Kamel Kimiaei Fard \n" "Language: fa\n" @@ -11,11 +11,9 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: Poedit 1.8.11\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" -"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" -"esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" -"_nx_noop:3c,1,2;__ngettext_noop:1,2\n" +"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;_nx_noop:3c,1,2;__ngettext_noop:1,2\n" "X-Poedit-Basepath: ..\n" "X-Poedit-WPHeader: acf.php\n" "X-Textdomain-Support: yes\n" @@ -35,7 +33,7 @@ msgid "Field Group" msgstr "گروه زمینه" #: acf.php:371 acf.php:403 includes/admin/admin.php:118 -#: pro/fields/class-acf-field-flexible-content.php:557 +#: pro/fields/class-acf-field-flexible-content.php:559 msgid "Add New" msgstr "افزودن" @@ -183,7 +181,7 @@ msgstr "کپی" #: includes/admin/views/field-group-field-conditional-logic.php:154 #: includes/admin/views/field-group-locations.php:29 #: includes/admin/views/html-location-group.php:3 -#: includes/api/api-helpers.php:3959 +#: includes/api/api-helpers.php:4001 msgid "or" msgstr "یا" @@ -343,7 +341,7 @@ msgstr "تکثیر این زمینه" #: includes/admin/admin-field-groups.php:667 #: includes/admin/admin-field-groups.php:683 #: includes/admin/views/field-group-field.php:49 -#: pro/fields/class-acf-field-flexible-content.php:556 +#: pro/fields/class-acf-field-flexible-content.php:558 msgid "Duplicate" msgstr "تکثیر" @@ -446,33 +444,16 @@ msgid "Select Field Groups" msgstr "انتخاب گروه های زمینه" #: includes/admin/tools/class-acf-admin-tool-export.php:336 -msgid "" -"Select the field groups you would like to export and then select your export " -"method. Use the download button to export to a .json file which you can then " -"import to another ACF installation. Use the generate button to export to PHP " -"code which you can place in your theme." -msgstr "" -"گروه زمینه هایی که مایل به تهیه خروجی آنها هستید را انتخاب کنید و در ادامه " -"روش خروجی را نیز مشخص کنید. از دکمه دانلود برای خروجی فایل .json برای وارد " -"کردن در یک سایت دیگر که این افزونه نصب شده است استفاده کنید. از دکمه تولید " -"می توانید برای ساخت کد PHP برای قراردادن در قالب خود استفاده کنید." +msgid "Select the field groups you would like to export and then select your export method. Use the download button to export to a .json file which you can then import to another ACF installation. Use the generate button to export to PHP code which you can place in your theme." +msgstr "گروه زمینه هایی که مایل به تهیه خروجی آنها هستید را انتخاب کنید و در ادامه روش خروجی را نیز مشخص کنید. از دکمه دانلود برای خروجی فایل .json برای وارد کردن در یک سایت دیگر که این افزونه نصب شده است استفاده کنید. از دکمه تولید می توانید برای ساخت کد PHP برای قراردادن در قالب خود استفاده کنید." #: includes/admin/tools/class-acf-admin-tool-export.php:341 msgid "Export File" msgstr "خروجی فایل" #: includes/admin/tools/class-acf-admin-tool-export.php:414 -msgid "" -"The following code can be used to register a local version of the selected " -"field group(s). A local field group can provide many benefits such as faster " -"load times, version control & dynamic fields/settings. Simply copy and paste " -"the following code to your theme's functions.php file or include it within " -"an external file." -msgstr "" -"این کد می تواند برای ثبت یک نسخه محلی (لوکال)از گروه زمینه های انتخاب شده " -"استفاده شود. یک نسخه محلی فواید زیادی دارد، مثلا سرعت لود بالاتر، کنترل نسخه " -"و پویاسازی زمینه ها و تنظیماتشان. به راحتی می توانید کد زیر را در فایل " -"function.php خود کپی کنید و یا از یک فایل دیگر انرا فراخوانی نمایید." +msgid "The following code can be used to register a local version of the selected field group(s). A local field group can provide many benefits such as faster load times, version control & dynamic fields/settings. Simply copy and paste the following code to your theme's functions.php file or include it within an external file." +msgstr "این کد می تواند برای ثبت یک نسخه محلی (لوکال)از گروه زمینه های انتخاب شده استفاده شود. یک نسخه محلی فواید زیادی دارد، مثلا سرعت لود بالاتر، کنترل نسخه و پویاسازی زمینه ها و تنظیماتشان. به راحتی می توانید کد زیر را در فایل function.php خود کپی کنید و یا از یک فایل دیگر انرا فراخوانی نمایید." #: includes/admin/tools/class-acf-admin-tool-export.php:446 msgid "Copy to clipboard" @@ -483,13 +464,8 @@ msgid "Import Field Groups" msgstr "وارد کردن گروه های زمینه" #: includes/admin/tools/class-acf-admin-tool-import.php:61 -msgid "" -"Select the Advanced Custom Fields JSON file you would like to import. When " -"you click the import button below, ACF will import the field groups." -msgstr "" -"فایل JSON ای که قبلا از این افزونه خروجی گرفته اید را انتخاب کنید تا وارد " -"شود. زمانی که دکمه وارد کردن را در زیر کلیک کنید، سیستم اقدام به ساخت گروه " -"های زمینه خواهد نمود" +msgid "Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will import the field groups." +msgstr "فایل JSON ای که قبلا از این افزونه خروجی گرفته اید را انتخاب کنید تا وارد شود. زمانی که دکمه وارد کردن را در زیر کلیک کنید، سیستم اقدام به ساخت گروه های زمینه خواهد نمود" #: includes/admin/tools/class-acf-admin-tool-import.php:66 #: includes/fields/class-acf-field-file.php:35 @@ -587,7 +563,7 @@ msgid "Delete field" msgstr "حذف زمینه" #: includes/admin/views/field-group-field.php:51 -#: pro/fields/class-acf-field-flexible-content.php:555 +#: pro/fields/class-acf-field-flexible-content.php:557 msgid "Delete" msgstr "حذف" @@ -652,13 +628,13 @@ msgstr "شماره ترتیب" #: includes/fields/class-acf-field-checkbox.php:415 #: includes/fields/class-acf-field-radio.php:306 #: includes/fields/class-acf-field-select.php:432 -#: pro/fields/class-acf-field-flexible-content.php:582 +#: pro/fields/class-acf-field-flexible-content.php:584 msgid "Label" msgstr "برچسب زمینه" #: includes/admin/views/field-group-fields.php:6 #: includes/fields/class-acf-field-taxonomy.php:964 -#: pro/fields/class-acf-field-flexible-content.php:595 +#: pro/fields/class-acf-field-flexible-content.php:597 msgid "Name" msgstr "نام" @@ -671,12 +647,8 @@ msgid "Type" msgstr "نوع زمینه" #: includes/admin/views/field-group-fields.php:14 -msgid "" -"No fields. Click the + Add Field button to create your " -"first field." -msgstr "" -"هیچ زمینه ای وجود ندارد. روی دکمه+ افزودن زمینه کلیک کنید " -"تا اولین زمینه خود را بسازید." +msgid "No fields. Click the + Add Field button to create your first field." +msgstr "هیچ زمینه ای وجود ندارد. روی دکمه+ افزودن زمینه کلیک کنید تا اولین زمینه خود را بسازید." #: includes/admin/views/field-group-fields.php:31 msgid "+ Add Field" @@ -687,12 +659,8 @@ msgid "Rules" msgstr "قوانین" #: includes/admin/views/field-group-locations.php:10 -msgid "" -"Create a set of rules to determine which edit screens will use these " -"advanced custom fields" -msgstr "" -"مجموعه ای از قوانین را بسازید تا مشخص کنید در کدام صفحه ویرایش ، این زمینه " -"های دلخواه سفارشی نمایش داده شوند." +msgid "Create a set of rules to determine which edit screens will use these advanced custom fields" +msgstr "مجموعه ای از قوانین را بسازید تا مشخص کنید در کدام صفحه ویرایش ، این زمینه های دلخواه سفارشی نمایش داده شوند." #: includes/admin/views/field-group-options.php:23 msgid "Style" @@ -731,11 +699,6 @@ msgstr "مکان برچسب" msgid "Top aligned" msgstr "سمت بالا" -#: includes/admin/views/field-group-options.php:63 -#: includes/fields/class-acf-field-tab.php:107 -msgid "Left Aligned" -msgstr "سمت چپ" - #: includes/admin/views/field-group-options.php:70 msgid "Instruction placement" msgstr "مکان دستورالعمل ها" @@ -769,12 +732,8 @@ msgid "Select items to hide them from the edit screen." msgstr "انتخاب آیتم ها برای پنهان کردن آن ها از صفحه ویرایش." #: includes/admin/views/field-group-options.php:108 -msgid "" -"If multiple field groups appear on an edit screen, the first field group's " -"options will be used (the one with the lowest order number)" -msgstr "" -"اگر چندین گروه زمینه در یک صفحه ویرایش نمایش داده شود،اولین تنظیمات گروه " -"زمینه استفاده خواهد شد. (یکی با کمترین شماره)" +msgid "If multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)" +msgstr "اگر چندین گروه زمینه در یک صفحه ویرایش نمایش داده شود،اولین تنظیمات گروه زمینه استفاده خواهد شد. (یکی با کمترین شماره)" #: includes/admin/views/field-group-options.php:115 msgid "Permalink" @@ -848,9 +807,7 @@ msgstr "به‌روزرسانی پایگاه داده زمینه های دلخو #: includes/admin/views/install-network.php:11 #, php-format -msgid "" -"The following sites require a DB upgrade. Check the ones you want to update " -"and then click %s." +msgid "The following sites require a DB upgrade. Check the ones you want to update and then click %s." msgstr "این سایت ها نیاز به به روز رسانی دارند برای انجام %s کلیک کنید." #: includes/admin/views/install-network.php:20 @@ -869,19 +826,13 @@ msgstr "سایت به روز است" #: includes/admin/views/install-network.php:63 #, php-format -msgid "" -"Database Upgrade complete. Return to network dashboard" -msgstr "" -"به روزرسانی دیتابیس انجام شد. بازگشت به پیشخوان شبکه" +msgid "Database Upgrade complete. Return to network dashboard" +msgstr "به روزرسانی دیتابیس انجام شد. بازگشت به پیشخوان شبکه" #: includes/admin/views/install-network.php:102 #: includes/admin/views/install-notice.php:42 -msgid "" -"It is strongly recommended that you backup your database before proceeding. " -"Are you sure you wish to run the updater now?" -msgstr "" -"قویا توصیه می شود از بانک اطلاعاتی خود قبل از هر کاری پشتیبان تهیه کنید. آیا " -"مایلید به روز رسانی انجام شود؟" +msgid "It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?" +msgstr "قویا توصیه می شود از بانک اطلاعاتی خود قبل از هر کاری پشتیبان تهیه کنید. آیا مایلید به روز رسانی انجام شود؟" #: includes/admin/views/install-network.php:158 msgid "Upgrade complete" @@ -923,19 +874,13 @@ msgid "Thank you for updating to %s v%s!" msgstr "از شما برای بروزرسانی به آخرین نسخه %s v%s ممنون هستیم!" #: includes/admin/views/install-notice.php:28 -msgid "" -"Before you start using the new awesome features, please update your database " -"to the newest version." -msgstr "" -"قبل از اینکه از تمام امکانات شگفت انگیز جدید استفاده کنید لازم است بانک " -"اطلاعاتی را به روز کنید" +msgid "Before you start using the new awesome features, please update your database to the newest version." +msgstr "قبل از اینکه از تمام امکانات شگفت انگیز جدید استفاده کنید لازم است بانک اطلاعاتی را به روز کنید" #: includes/admin/views/install-notice.php:31 #, php-format -msgid "" -"Please also ensure any premium add-ons (%s) have first been updated to the " -"latest version." -msgstr "" +msgid "Please also ensure any premium add-ons (%s) have first been updated to the latest version." +msgstr "لطفا اطمینان حاصل کنید که افزودنی های تجاري (%s) ابتدا به آخرین نسخه بروز شده‌اند." #: includes/admin/views/install.php:7 msgid "Reading upgrade tasks..." @@ -944,7 +889,7 @@ msgstr "در حال خواندن مراحل به روزرسانی..." #: includes/admin/views/install.php:11 #, php-format msgid "Database Upgrade complete. See what's new" -msgstr "" +msgstr "ارتقاء پایگاه داده کامل شد. تغییرات جدید را ببینید" #: includes/admin/views/settings-addons.php:17 msgid "Download & Install" @@ -960,12 +905,8 @@ msgstr "به افزونه زمینه های دلخواه پیشرفته خوش #: includes/admin/views/settings-info.php:4 #, php-format -msgid "" -"Thank you for updating! ACF %s is bigger and better than ever before. We " -"hope you like it." -msgstr "" -"از اینکه به روزرسانی کردید متشکریم! افزونه زمینه دلخواه پیشرفته %s بزرگتر و " -"بهتر از قبل شده است. امیدواریم لذت ببرید." +msgid "Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it." +msgstr "از اینکه به روزرسانی کردید متشکریم! افزونه زمینه دلخواه پیشرفته %s بزرگتر و بهتر از قبل شده است. امیدواریم لذت ببرید." #: includes/admin/views/settings-info.php:17 msgid "A smoother custom field experience" @@ -976,42 +917,24 @@ msgid "Improved Usability" msgstr "کاربری بهینه شده" #: includes/admin/views/settings-info.php:23 -msgid "" -"Including the popular Select2 library has improved both usability and speed " -"across a number of field types including post object, page link, taxonomy " -"and select." -msgstr "" -"استفاده از کتابخانه محبوب Select2 باعث سرعت در عملکرد و کاربری بهتر در انواع " -"زمینه هاشامل آبجکت نوشته، پیوند(لینک) صفحه ، طبقه بندی و زمینه های " -"انتخاب(Select) شده است" +msgid "Including the popular Select2 library has improved both usability and speed across a number of field types including post object, page link, taxonomy and select." +msgstr "استفاده از کتابخانه محبوب Select2 باعث سرعت در عملکرد و کاربری بهتر در انواع زمینه هاشامل آبجکت نوشته، پیوند(لینک) صفحه ، طبقه بندی و زمینه های انتخاب(Select) شده است" #: includes/admin/views/settings-info.php:27 msgid "Improved Design" msgstr "طراحی بهینه شده" #: includes/admin/views/settings-info.php:28 -msgid "" -"Many fields have undergone a visual refresh to make ACF look better than " -"ever! Noticeable changes are seen on the gallery, relationship and oEmbed " -"(new) fields!" -msgstr "" -"بسیاری از زمینه ها از نظر ظاهری باز طراحی شدند تا این افزونه از قبل بهتر شده " -"باشد. تغییرات چشم گیر در گالری و ارتباط و زمینه جدید به نام oEmbed صورت " -"گرفته است." +msgid "Many fields have undergone a visual refresh to make ACF look better than ever! Noticeable changes are seen on the gallery, relationship and oEmbed (new) fields!" +msgstr "بسیاری از زمینه ها از نظر ظاهری باز طراحی شدند تا این افزونه از قبل بهتر شده باشد. تغییرات چشم گیر در گالری و ارتباط و زمینه جدید به نام oEmbed صورت گرفته است." #: includes/admin/views/settings-info.php:32 msgid "Improved Data" msgstr "داده ها بهینه شده اند" #: includes/admin/views/settings-info.php:33 -msgid "" -"Redesigning the data architecture has allowed sub fields to live " -"independently from their parents. This allows you to drag and drop fields in " -"and out of parent fields!" -msgstr "" -"بازطراحی معماری داده ها این اجازه را به زمینه های زیرمجموعه داده است که بدون " -"زمینه های والد باقی بمانند. این به شما کمک می کند که زمینه ها را از یک فیلد " -"اصلی خارج یا به آن وارد نمایید !" +msgid "Redesigning the data architecture has allowed sub fields to live independently from their parents. This allows you to drag and drop fields in and out of parent fields!" +msgstr "بازطراحی معماری داده ها این اجازه را به زمینه های زیرمجموعه داده است که بدون زمینه های والد باقی بمانند. این به شما کمک می کند که زمینه ها را از یک فیلد اصلی خارج یا به آن وارد نمایید !" #: includes/admin/views/settings-info.php:39 msgid "Goodbye Add-ons. Hello PRO" @@ -1022,34 +945,21 @@ msgid "Introducing ACF PRO" msgstr "معرفی نسخه حرفه ای" #: includes/admin/views/settings-info.php:45 -msgid "" -"We're changing the way premium functionality is delivered in an exciting way!" -msgstr "" -"ما در حال تغییر راه عملکردهای پولی افزونه به شیوه ای هیجان انگیز هستیم!" +msgid "We're changing the way premium functionality is delivered in an exciting way!" +msgstr "ما در حال تغییر راه عملکردهای پولی افزونه به شیوه ای هیجان انگیز هستیم!" #: includes/admin/views/settings-info.php:46 #, php-format -msgid "" -"All 4 premium add-ons have been combined into a new Pro " -"version of ACF. With both personal and developer licenses available, " -"premium functionality is more affordable and accessible than ever before!" -msgstr "" -"هر چهار افزدونی پولی یکی شده و تحت عنوان نسخه حرفه ای (Pro) از افزونه زمینه های دلخواه معرفی شده اند. دو نسخه شخصی و توسعه دهنده " -"موجود است که در هر دو این امکانات بهتر و دسترس تر از قبل موجود است!" +msgid "All 4 premium add-ons have been combined into a new Pro version of ACF. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!" +msgstr "هر چهار افزدونی پولی یکی شده و تحت عنوان نسخه حرفه ای (Pro) از افزونه زمینه های دلخواه معرفی شده اند. دو نسخه شخصی و توسعه دهنده موجود است که در هر دو این امکانات بهتر و دسترس تر از قبل موجود است!" #: includes/admin/views/settings-info.php:50 msgid "Powerful Features" msgstr "امکانات قدرتمند" #: includes/admin/views/settings-info.php:51 -msgid "" -"ACF PRO contains powerful features such as repeatable data, flexible content " -"layouts, a beautiful gallery field and the ability to create extra admin " -"options pages!" -msgstr "" -"نسخه حرفه دارای امکانات قدرتمندی نظیر داده های تکرارپذیر، محتوای منعطف، یک " -"زمینه گالری زیبا و امکان ساخت صفحات تنظیمات می باشد !" +msgid "ACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!" +msgstr "نسخه حرفه دارای امکانات قدرتمندی نظیر داده های تکرارپذیر، محتوای منعطف، یک زمینه گالری زیبا و امکان ساخت صفحات تنظیمات می باشد !" #: includes/admin/views/settings-info.php:52 #, php-format @@ -1062,22 +972,13 @@ msgstr "به روزرسانی آسان" #: includes/admin/views/settings-info.php:57 #, php-format -msgid "" -"To help make upgrading easy, login to your store account " -"and claim a free copy of ACF PRO!" -msgstr "" -"برای به روزرسانی ساده به بخش کاربری خود در فروشگاه وارد شوید " -" و یک نسخه از ویرایش حرفه ای را دانلود کنید!" +msgid "To help make upgrading easy, login to your store account and claim a free copy of ACF PRO!" +msgstr "برای به روزرسانی ساده به بخش کاربری خود در فروشگاه وارد شوید و یک نسخه از ویرایش حرفه ای را دانلود کنید!" #: includes/admin/views/settings-info.php:58 #, php-format -msgid "" -"We also wrote an upgrade guide to answer any questions, " -"but if you do have one, please contact our support team via the help desk" -msgstr "" -"همچنین یک راهنمای به روزرسانی برای پاسخ به سوالات نوشته " -"ایم ولی اگر هنوز سوالی دارید از تیم پشتیبانی بپرسید " +msgid "We also wrote an upgrade guide to answer any questions, but if you do have one, please contact our support team via the help desk" +msgstr "همچنین یک راهنمای به روزرسانی برای پاسخ به سوالات نوشته ایم ولی اگر هنوز سوالی دارید از تیم پشتیبانی بپرسید " #: includes/admin/views/settings-info.php:66 msgid "Under the Hood" @@ -1089,8 +990,7 @@ msgstr "تنظیمات زمینه ها هوشمندتر شدند" #: includes/admin/views/settings-info.php:72 msgid "ACF now saves its field settings as individual post objects" -msgstr "" -"افزونه اکنون تنظیمات زمینه ها را به عنوان آبجکت ها مختلف نوشته ذخیره می کند" +msgstr "افزونه اکنون تنظیمات زمینه ها را به عنوان آبجکت ها مختلف نوشته ذخیره می کند" #: includes/admin/views/settings-info.php:76 msgid "More AJAX" @@ -1113,9 +1013,7 @@ msgid "Better version control" msgstr "کنترل نسخه بهتر" #: includes/admin/views/settings-info.php:89 -msgid "" -"New auto export to JSON feature allows field settings to be version " -"controlled" +msgid "New auto export to JSON feature allows field settings to be version controlled" msgstr "اکنون با خروجی جدید JSON امکان کنترل نسخه بهتر را فراهم کردیم" #: includes/admin/views/settings-info.php:93 @@ -1132,9 +1030,7 @@ msgstr "فرم های جدید" #: includes/admin/views/settings-info.php:99 msgid "Fields can now be mapped to comments, widgets and all user forms!" -msgstr "" -"گزینه ها اکنون می توانند به نظرات، ابزارک ها و حتی فرم های مربوط به کاربران " -"متصل شوند !" +msgstr "گزینه ها اکنون می توانند به نظرات، ابزارک ها و حتی فرم های مربوط به کاربران متصل شوند !" #: includes/admin/views/settings-info.php:106 msgid "A new field for embedding content has been added" @@ -1153,9 +1049,7 @@ msgid "New Settings" msgstr "تنظیمات جدید" #: includes/admin/views/settings-info.php:116 -msgid "" -"Field group settings have been added for label placement and instruction " -"placement" +msgid "Field group settings have been added for label placement and instruction placement" msgstr "تنظیماتی به گروه زمینه برای مکان برچسب ها و توضیحات اضافه شده است" #: includes/admin/views/settings-info.php:122 @@ -1172,16 +1066,14 @@ msgstr "خطایابی بهتر" #: includes/admin/views/settings-info.php:128 msgid "Form validation is now done via PHP + AJAX in favour of only JS" -msgstr "" -"خطایابی فرم (validation) اکنون از طریق PHP + AJAX به جای JS انجام می شود" +msgstr "خطایابی فرم (validation) اکنون از طریق PHP + AJAX به جای JS انجام می شود" #: includes/admin/views/settings-info.php:132 msgid "Relationship Field" msgstr "زمینه ارتباط" #: includes/admin/views/settings-info.php:133 -msgid "" -"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" +msgid "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" msgstr "تنظیمات جدید برای زمینه ارتباط و فیلتر کردن اضافه شده است" #: includes/admin/views/settings-info.php:139 @@ -1189,12 +1081,8 @@ msgid "Moving Fields" msgstr "جابجایی زمینه ها" #: includes/admin/views/settings-info.php:140 -msgid "" -"New field group functionality allows you to move a field between groups & " -"parents" -msgstr "" -"عملکرد جدید گروه زمینه ها به شما امکان جابجایی زمینه ها بین گروه ها و بین " -"گروه های والد را می دهد" +msgid "New field group functionality allows you to move a field between groups & parents" +msgstr "عملکرد جدید گروه زمینه ها به شما امکان جابجایی زمینه ها بین گروه ها و بین گروه های والد را می دهد" #: includes/admin/views/settings-info.php:144 #: includes/fields/class-acf-field-page_link.php:25 @@ -1210,70 +1098,66 @@ msgid "Better Options Pages" msgstr "صفحه تنظیمات بهتر" #: includes/admin/views/settings-info.php:150 -msgid "" -"New functions for options page allow creation of both parent and child menu " -"pages" -msgstr "" -"تنظیمات جدید برای صفحه تنظیمات اجازه ساخت هر دو صفحه منوی والد و زیرمجموعه " -"را می دهد" +msgid "New functions for options page allow creation of both parent and child menu pages" +msgstr "تنظیمات جدید برای صفحه تنظیمات اجازه ساخت هر دو صفحه منوی والد و زیرمجموعه را می دهد" #: includes/admin/views/settings-info.php:159 #, php-format msgid "We think you'll love the changes in %s." msgstr "فکر می کنیم شما تغییرات در %s را دوست خواهید داشت" -#: includes/api/api-helpers.php:858 +#: includes/api/api-helpers.php:900 msgid "Thumbnail" msgstr "تصویر بندانگشتی" -#: includes/api/api-helpers.php:859 +#: includes/api/api-helpers.php:901 msgid "Medium" msgstr "متوسط" -#: includes/api/api-helpers.php:860 +#: includes/api/api-helpers.php:902 msgid "Large" msgstr "بزرگ" -#: includes/api/api-helpers.php:909 +#: includes/api/api-helpers.php:951 msgid "Full Size" msgstr "اندازه کامل" -#: includes/api/api-helpers.php:1250 includes/api/api-helpers.php:1823 +#: includes/api/api-helpers.php:1292 includes/api/api-helpers.php:1865 #: pro/fields/class-acf-field-clone.php:992 msgid "(no title)" msgstr "(بدون عنوان)" -#: includes/api/api-helpers.php:3880 +#: includes/api/api-helpers.php:3922 #, php-format msgid "Image width must be at least %dpx." msgstr "عرض تصویر باید حداقل %d پیکسل باشد." -#: includes/api/api-helpers.php:3885 +#: includes/api/api-helpers.php:3927 #, php-format msgid "Image width must not exceed %dpx." msgstr "عرض تصویر نباید از %d پیکسل بیشتر باشد." -#: includes/api/api-helpers.php:3901 +#: includes/api/api-helpers.php:3943 #, php-format msgid "Image height must be at least %dpx." msgstr "ارتفاع فایل باید حداقل %d پیکسل باشد." -#: includes/api/api-helpers.php:3906 +#: includes/api/api-helpers.php:3948 #, php-format msgid "Image height must not exceed %dpx." msgstr "ارتفاع تصویر نباید از %d پیکسل بیشتر باشد." -#: includes/api/api-helpers.php:3924 +#: includes/api/api-helpers.php:3966 #, php-format msgid "File size must be at least %s." msgstr "حجم فایل باید حداقل %s باشد." -#: includes/api/api-helpers.php:3929 +#: includes/api/api-helpers.php:3971 #, php-format msgid "File size must must not exceed %s." msgstr "حجم فایل ها نباید از %s بیشتر باشد." -#: includes/api/api-helpers.php:3963 +#: includes/api/api-helpers.php:4005 #, php-format msgid "File type must be %s." msgstr "نوع فایل باید %s باشد" @@ -1298,13 +1182,14 @@ msgstr "رابطه" msgid "jQuery" msgstr "جی کوئری" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 #: pro/fields/class-acf-field-clone.php:839 -#: pro/fields/class-acf-field-flexible-content.php:552 -#: pro/fields/class-acf-field-flexible-content.php:601 +#: pro/fields/class-acf-field-flexible-content.php:554 +#: pro/fields/class-acf-field-flexible-content.php:603 #: pro/fields/class-acf-field-repeater.php:450 msgid "Layout" msgstr "چیدمان" @@ -1334,8 +1219,8 @@ msgid "Multi-expand" msgstr "چند گسترش" #: includes/fields/class-acf-field-accordion.php:110 -msgid "Allow this accordion to open without closing others. " -msgstr "اجاره به آکاردئون برای باز شدن بدون بستن دیگران" +msgid "Allow this accordion to open without closing others." +msgstr "اجازه دهید این آکوردئون بدون بستن دیگر آکاردئون‌ها باز شود." #: includes/fields/class-acf-field-accordion.php:119 #: includes/fields/class-acf-field-tab.php:114 @@ -1343,10 +1228,8 @@ msgid "Endpoint" msgstr "نقطه پایانی" #: includes/fields/class-acf-field-accordion.php:120 -msgid "" -"Define an endpoint for the previous accordion to stop. This accordion will " -"not be visible." -msgstr "" +msgid "Define an endpoint for the previous accordion to stop. This accordion will not be visible." +msgstr "یک نقطه پایانی برای توقف آکاردئون قبلی تعریف کنید. این آکاردئون مخفی خواهد بود." #: includes/fields/class-acf-field-button-group.php:24 msgid "Button Group" @@ -1507,7 +1390,7 @@ msgstr "اضافه کردن چک باکس اضافی برای انتخاب هم #: includes/fields/class-acf-field-color_picker.php:25 msgid "Color Picker" -msgstr "انتخاب رنگ" +msgstr "انتخاب کننده رنگ" #: includes/fields/class-acf-field-color_picker.php:68 msgid "Clear" @@ -1519,7 +1402,7 @@ msgstr "پیش فرض" #: includes/fields/class-acf-field-color_picker.php:70 msgid "Select Color" -msgstr "انتخاب رنگ" +msgstr "رنگ را انتخاب کنید" #: includes/fields/class-acf-field-color_picker.php:71 msgid "Current Color" @@ -1605,7 +1488,7 @@ msgstr "اولین روز هفته" #: includes/fields/class-acf-field-date_time_picker.php:25 msgid "Date Time Picker" -msgstr "انتخاب زمان" +msgstr "انتخاب کننده زمان و تاریخ" #: includes/fields/class-acf-field-date_time_picker.php:33 msgctxt "Date Time Picker JS timeOnlyTitle" @@ -1923,21 +1806,21 @@ msgstr "استایل جهت نمایش فیلد انتخابی" #: includes/fields/class-acf-field-group.php:480 #: pro/fields/class-acf-field-clone.php:845 -#: pro/fields/class-acf-field-flexible-content.php:612 +#: pro/fields/class-acf-field-flexible-content.php:614 #: pro/fields/class-acf-field-repeater.php:458 msgid "Block" msgstr "بلوک" #: includes/fields/class-acf-field-group.php:481 #: pro/fields/class-acf-field-clone.php:846 -#: pro/fields/class-acf-field-flexible-content.php:611 +#: pro/fields/class-acf-field-flexible-content.php:613 #: pro/fields/class-acf-field-repeater.php:457 msgid "Table" msgstr "جدول" #: includes/fields/class-acf-field-group.php:482 #: pro/fields/class-acf-field-clone.php:847 -#: pro/fields/class-acf-field-flexible-content.php:613 +#: pro/fields/class-acf-field-flexible-content.php:615 #: pro/fields/class-acf-field-repeater.php:459 msgid "Row" msgstr "سطر" @@ -2290,7 +2173,7 @@ msgstr "یک نتیجه موجود است برای انتخاب اینتر کن #, php-format msgctxt "Select2 JS matches_n" msgid "%d results are available, use up and down arrow keys to navigate." -msgstr "" +msgstr "نتایج %d در دسترس است با استفاده از کلید بالا و پایین روی آنها حرکت کنید." #: includes/fields/class-acf-field-select.php:40 msgctxt "Select2 JS matches_0" @@ -2306,7 +2189,7 @@ msgstr "یک یا چند حرف وارد کنید" #, php-format msgctxt "Select2 JS input_too_short_n" msgid "Please enter %d or more characters" -msgstr "" +msgstr "لطفا %d یا چند کاراکتر دیگر وارد کنید" #: includes/fields/class-acf-field-select.php:43 msgctxt "Select2 JS input_too_long_1" @@ -2317,7 +2200,7 @@ msgstr "یک حرف را حذف کنید" #, php-format msgctxt "Select2 JS input_too_long_n" msgid "Please delete %d characters" -msgstr "" +msgstr "لطفا %d کاراکتر را حذف کنید" #: includes/fields/class-acf-field-select.php:45 msgctxt "Select2 JS selection_too_long_1" @@ -2328,7 +2211,7 @@ msgstr "فقط می توانید یک آیتم را انتخاب کنید" #, php-format msgctxt "Select2 JS selection_too_long_n" msgid "You can only select %d items" -msgstr "" +msgstr "شما فقط می توانید %d مورد را انتخاب کنید" #: includes/fields/class-acf-field-select.php:47 msgctxt "Select2 JS load_more" @@ -2375,17 +2258,19 @@ msgstr "تب" msgid "Placement" msgstr "جانمایی" +#: includes/fields/class-acf-field-tab.php:107 +msgid "Left aligned" +msgstr "سمت چپ" + #: includes/fields/class-acf-field-tab.php:115 -msgid "" -"Define an endpoint for the previous tabs to stop. This will start a new " -"group of tabs." -msgstr "" +msgid "Define an endpoint for the previous tabs to stop. This will start a new group of tabs." +msgstr "یک نقطه پایانی برای توقف زبانه قبلی تعریف کنید. این کار باعث می‌شود گروه جدیدی از زبانه‌ها ایجاد شود." #: includes/fields/class-acf-field-taxonomy.php:713 #, php-format msgctxt "No terms" msgid "No %s" -msgstr "" +msgstr "بدون %s" #: includes/fields/class-acf-field-taxonomy.php:732 msgid "None" @@ -2571,7 +2456,7 @@ msgstr "متن" #: includes/fields/class-acf-field-wysiwyg.php:366 msgid "Click to initialize TinyMCE" -msgstr "" +msgstr "برای اجرای TinyMCE کلیک کنید" #: includes/fields/class-acf-field-wysiwyg.php:419 msgid "Tabs" @@ -2603,7 +2488,7 @@ msgstr "نمایش با تاخیر؟" #: includes/fields/class-acf-field-wysiwyg.php:454 msgid "TinyMCE will not be initalized until field is clicked" -msgstr "" +msgstr "تا زمانی که روی فیلد کلیک نشود TinyMCE اجرا نخواهد شد" #: includes/forms/form-comment.php:166 includes/forms/form-post.php:303 #: pro/admin/admin-options-page.php:308 @@ -2614,8 +2499,8 @@ msgstr "ویرایش گروه زمینه" msgid "Validate Email" msgstr "اعتبار سنجی ایمیل" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "بروزرسانی" @@ -2684,7 +2569,7 @@ msgstr "پیوست" #: includes/locations/class-acf-location-attachment.php:109 #, php-format msgid "All %s formats" -msgstr "" +msgstr "همه‌ی فرمت‌های %s" #: includes/locations/class-acf-location-comment.php:27 msgid "Comment" @@ -2837,12 +2722,8 @@ msgstr "انتشار" #: pro/admin/admin-options-page.php:206 #, php-format -msgid "" -"No Custom Field Groups found for this options page. Create a " -"Custom Field Group" -msgstr "" -"هیچ گروه زمینه دلخواهی برای این صفحه تنظیمات یافت نشد. ساخت " -"گروه زمینه دلخواه" +msgid "No Custom Field Groups found for this options page. Create a Custom Field Group" +msgstr "هیچ گروه زمینه دلخواهی برای این صفحه تنظیمات یافت نشد. ساخت گروه زمینه دلخواه" #: pro/admin/admin-settings-updates.php:78 msgid "Error. Could not connect to update server" @@ -2867,13 +2748,8 @@ msgstr "اطلاعات لایسنس" #: pro/admin/views/html-settings-updates.php:20 #, php-format -msgid "" -"To unlock updates, please enter your license key below. If you don't have a " -"licence key, please see details & pricing." -msgstr "" -"برای به روزرسانی لطفا کد لایسنس را وارد کنید. قیمت ها." +msgid "To unlock updates, please enter your license key below. If you don't have a licence key, please see details & pricing." +msgstr "برای به روزرسانی لطفا کد لایسنس را وارد کنید. قیمت ها." #: pro/admin/views/html-settings-updates.php:29 msgid "License Key" @@ -3031,44 +2907,44 @@ msgstr "حذف طرح" msgid "Click to toggle" msgstr "کلیک برای انتخاب" -#: pro/fields/class-acf-field-flexible-content.php:554 +#: pro/fields/class-acf-field-flexible-content.php:556 msgid "Reorder Layout" msgstr "ترتیب بندی طرح ها" -#: pro/fields/class-acf-field-flexible-content.php:554 +#: pro/fields/class-acf-field-flexible-content.php:556 msgid "Reorder" msgstr "مرتب سازی" -#: pro/fields/class-acf-field-flexible-content.php:555 +#: pro/fields/class-acf-field-flexible-content.php:557 msgid "Delete Layout" msgstr "حذف طرح" -#: pro/fields/class-acf-field-flexible-content.php:556 +#: pro/fields/class-acf-field-flexible-content.php:558 msgid "Duplicate Layout" msgstr "تکثیر طرح" -#: pro/fields/class-acf-field-flexible-content.php:557 +#: pro/fields/class-acf-field-flexible-content.php:559 msgid "Add New Layout" msgstr "افزودن طرح جدید" -#: pro/fields/class-acf-field-flexible-content.php:628 +#: pro/fields/class-acf-field-flexible-content.php:630 msgid "Min" msgstr "حداقل" -#: pro/fields/class-acf-field-flexible-content.php:641 +#: pro/fields/class-acf-field-flexible-content.php:643 msgid "Max" msgstr "حداکثر" -#: pro/fields/class-acf-field-flexible-content.php:668 +#: pro/fields/class-acf-field-flexible-content.php:670 #: pro/fields/class-acf-field-repeater.php:466 msgid "Button Label" msgstr "متن دکمه" -#: pro/fields/class-acf-field-flexible-content.php:677 +#: pro/fields/class-acf-field-flexible-content.php:679 msgid "Minimum Layouts" msgstr "حداقل تعداد طرح ها" -#: pro/fields/class-acf-field-flexible-content.php:686 +#: pro/fields/class-acf-field-flexible-content.php:688 msgid "Maximum Layouts" msgstr "حداکثر تعداد طرح ها" @@ -3190,13 +3066,8 @@ msgstr "تنظیمات به روز شدند" #: pro/updates.php:97 #, php-format -msgid "" -"To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing." -msgstr "" -"برای به روزرسانی لطفا کد لایسنس را وارد کنید. بروزرسانی. " -"قیمت ها" +msgid "To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing." +msgstr "برای به روزرسانی لطفا کد لایسنس را وارد کنید. بروزرسانی. قیمت ها" #. Plugin URI of the plugin/theme msgid "https://www.advancedcustomfields.com/" @@ -3210,34 +3081,23 @@ msgstr "Elliot Condon" msgid "http://www.elliotcondon.com/" msgstr "http://www.elliotcondon.com/" -#~ msgid "" -#~ "The tab field will display incorrectly when added to a Table style " -#~ "repeater field or flexible content field layout" -#~ msgstr "" -#~ "زمینه تب در زمانی که در آن زمینه تکرارشونده و یا زمینه محتوای انعطاف پذیر " -#~ "به کار ببرید درست نمایش داده نخواهد شد" +#~ msgid "Allow this accordion to open without closing others. " +#~ msgstr "اجاره به آکاردئون برای باز شدن بدون بستن دیگران" -#~ msgid "" -#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields " -#~ "together." -#~ msgstr "" -#~ "از (زمینه تب) برای سازماندهی بهتر صفحه ویرایش با گروه بندی زمینه ها زیر " -#~ "تب ها استفاده کنید. " +#~ msgid "The tab field will display incorrectly when added to a Table style repeater field or flexible content field layout" +#~ msgstr "زمینه تب در زمانی که در آن زمینه تکرارشونده و یا زمینه محتوای انعطاف پذیر به کار ببرید درست نمایش داده نخواهد شد" -#~ msgid "" -#~ "All fields following this \"tab field\" (or until another \"tab field\" " -#~ "is defined) will be grouped together using this field's label as the tab " -#~ "heading." -#~ msgstr "" -#~ "همه زمینه های زیر این \" زمینه تب \" (یا تا زمینه تب بعدی) با هم گروه " -#~ "بندی می شوند و برچسب زمینه در تب به نمایش در خواهد آمد" +#~ msgid "Use \"Tab Fields\" to better organize your edit screen by grouping fields together." +#~ msgstr "از (زمینه تب) برای سازماندهی بهتر صفحه ویرایش با گروه بندی زمینه ها زیر تب ها استفاده کنید. " + +#~ msgid "All fields following this \"tab field\" (or until another \"tab field\" is defined) will be grouped together using this field's label as the tab heading." +#~ msgstr "همه زمینه های زیر این \" زمینه تب \" (یا تا زمینه تب بعدی) با هم گروه بندی می شوند و برچسب زمینه در تب به نمایش در خواهد آمد" #~ msgid "End-point" #~ msgstr "نقطه پایانی" #~ msgid "Use this field as an end-point and start a new group of tabs" -#~ msgstr "" -#~ "استفاده از این زمینه به عنوان نقطه پایانی و شروع یک گروه جدید از تب ها" +#~ msgstr "استفاده از این زمینه به عنوان نقطه پایانی و شروع یک گروه جدید از تب ها" #~ msgid "Disabled" #~ msgstr "غیرفعال" @@ -3306,12 +3166,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Success. Import tool added %s field groups: %s" #~ msgstr "انجام شد ابزار وارد سازی %s زمینه را وارد کرد: %s" -#~ msgid "" -#~ "Warning. Import tool detected %s field groups already exist and " -#~ "have been ignored: %s" -#~ msgstr "" -#~ "اخطار ابزار وارد سازی تشخصی داد که گروه زمینه %s اکنون موجود می " -#~ "باشد و %s نادیده گرفته شد" +#~ msgid "Warning. Import tool detected %s field groups already exist and have been ignored: %s" +#~ msgstr "اخطار ابزار وارد سازی تشخصی داد که گروه زمینه %s اکنون موجود می باشد و %s نادیده گرفته شد" #~ msgid "Upgrade ACF" #~ msgstr "بروزرسانی " @@ -3322,12 +3178,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Drag and drop to reorder" #~ msgstr "با گرفتن و کشیدن مرتب سازی کنید" -#~ msgid "" -#~ "The following sites require a DB upgrade. Check the ones you want to " -#~ "update and then click “Upgrade Database”." -#~ msgstr "" -#~ "سایت‌های زیر نیاز به به‌روزرسانی دیتابیس دارند. آن‌هایی که تمایل دارید را " -#~ "انتخاب کنید و دکمه به روزرسانی را کلیک کنید." +#~ msgid "The following sites require a DB upgrade. Check the ones you want to update and then click “Upgrade Database”." +#~ msgstr "سایت‌های زیر نیاز به به‌روزرسانی دیتابیس دارند. آن‌هایی که تمایل دارید را انتخاب کنید و دکمه به روزرسانی را کلیک کنید." #~ msgid "Upgrading data to" #~ msgstr "به روزرسانی داده ها به" @@ -3371,27 +3223,16 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "License" #~ msgstr "لایسنس" -#~ msgid "" -#~ "To unlock updates, please enter your license key below. If you don't have " -#~ "a licence key, please see" -#~ msgstr "" -#~ "برای به روزرسانی لطفا لایسنس خود را وارد کنید. اگر لایسنس ندارید اینجا را " -#~ "ببنید:" +#~ msgid "To unlock updates, please enter your license key below. If you don't have a licence key, please see" +#~ msgstr "برای به روزرسانی لطفا لایسنس خود را وارد کنید. اگر لایسنس ندارید اینجا را ببنید:" #~ msgid "details & pricing" #~ msgstr "جزئیات و قیمت" -#~ msgid "" -#~ "To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing" -#~ msgstr "" -#~ "برای به روز رسانی لایسنس خود را در قسمت به روزرسانی ها وارد کنید. اگر لایسنس ندارید اینجا را ببینید: جزئیات ئ " -#~ "قیمت" +#~ msgid "To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing" +#~ msgstr "برای به روز رسانی لایسنس خود را در قسمت به روزرسانی ها وارد کنید. اگر لایسنس ندارید اینجا را ببینید: جزئیات ئ قیمت" -#~ msgid "" -#~ "Please note that all text will first be passed through the wp function " +#~ msgid "Please note that all text will first be passed through the wp function " #~ msgstr "دقت کنید که نکاک متن ها اول از تابع وردپرس عبور خواهند کرد" #~ msgid "Warning" @@ -3407,9 +3248,7 @@ msgstr "http://www.elliotcondon.com/" #~ msgstr "درون ریزی/برون بری" #~ msgid "Field groups are created in order from lowest to highest" -#~ msgstr "" -#~ "گروه های زمینه به ترتیب از کوچکترین شماره تا بزرگترین شماره نمایش داده می " -#~ "شوند" +#~ msgstr "گروه های زمینه به ترتیب از کوچکترین شماره تا بزرگترین شماره نمایش داده می شوند" #~ msgid "Upgrading data to " #~ msgstr "به روز رسانی داده ها به %s" @@ -3438,16 +3277,10 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "ACF PRO Required" #~ msgstr "نسخه حرفه ای لازم است" -#~ msgid "" -#~ "We have detected an issue which requires your attention: This website " -#~ "makes use of premium add-ons (%s) which are no longer compatible with ACF." -#~ msgstr "" -#~ "مشکلی مشاهده شده است که نیاز به توجه شما دارد. این وب سایت مجاز به " -#~ "استفاده از افزودنی های پولی (%s) می باشد که دیگر سازگار نیستند" +#~ msgid "We have detected an issue which requires your attention: This website makes use of premium add-ons (%s) which are no longer compatible with ACF." +#~ msgstr "مشکلی مشاهده شده است که نیاز به توجه شما دارد. این وب سایت مجاز به استفاده از افزودنی های پولی (%s) می باشد که دیگر سازگار نیستند" -#~ msgid "" -#~ "Don't panic, you can simply roll back the plugin and continue using ACF " -#~ "as you know it!" +#~ msgid "Don't panic, you can simply roll back the plugin and continue using ACF as you know it!" #~ msgstr "مشکلی نیست. شما می توانید به نسخه ای که به آن عادت دارید برگردید!" #~ msgid "Roll back to ACF v%s" @@ -3473,11 +3306,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Load & Save Terms to Post" #~ msgstr "خواندن و ذخیره دسته(ترم)ها برای نوشته" -#~ msgid "" -#~ "Load value based on the post's terms and update the post's terms on save" -#~ msgstr "" -#~ "مقدار بر اساس دسته(ترم) نوشته خوانده شود و دسته های نوشته را در هنگام " -#~ "ذخیره به روز رسانی کند" +#~ msgid "Load value based on the post's terms and update the post's terms on save" +#~ msgstr "مقدار بر اساس دسته(ترم) نوشته خوانده شود و دسته های نوشته را در هنگام ذخیره به روز رسانی کند" #~ msgid "Controls how HTML tags are rendered" #~ msgstr "کنترل چگونگی نمایش تگ های HTML" @@ -3546,10 +3376,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "No ACF groups selected" #~ msgstr "هیچ گروه زمینه دلخواه پیشرفته ای انتخاب نشده است." -#~ msgid "" -#~ "Create infinite rows of repeatable data with this versatile interface!" -#~ msgstr "" -#~ "ایجاد بی نهایت سطر از داده های تکرار شونده به وسیله این زمینه چند منظوره!" +#~ msgid "Create infinite rows of repeatable data with this versatile interface!" +#~ msgstr "ایجاد بی نهایت سطر از داده های تکرار شونده به وسیله این زمینه چند منظوره!" #~ msgid "Create image galleries in a simple and intuitive interface!" #~ msgstr "ایجاد گالری های تصاویر در یک رابط کاربری ساده و دیداری!" @@ -3564,9 +3392,7 @@ msgstr "http://www.elliotcondon.com/" #~ msgstr "زمینه افزونه GravityForms" #~ msgid "Creates a select field populated with Gravity Forms!" -#~ msgstr "" -#~ "زمینه جدید از نوع انتخاب می سازد که می توانید یکی از فرم های GravityForms " -#~ "که ساخته اید را از آن انتخاب کنید" +#~ msgstr "زمینه جدید از نوع انتخاب می سازد که می توانید یکی از فرم های GravityForms که ساخته اید را از آن انتخاب کنید" #~ msgid "Date & Time Picker" #~ msgstr "تاریخ و زمان" @@ -3586,19 +3412,11 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Advanced Custom Fields Add-Ons" #~ msgstr "افزودنی های افزونه زمینه های دلخواه پیشرفته" -#~ msgid "" -#~ "The following Add-ons are available to increase the functionality of the " -#~ "Advanced Custom Fields plugin." -#~ msgstr "" -#~ "افزودنی های زیر برای افزایش قابلیت های افزونه زمینه های دلخواه پیشرفته " -#~ "قابل استفاده هستند." +#~ msgid "The following Add-ons are available to increase the functionality of the Advanced Custom Fields plugin." +#~ msgstr "افزودنی های زیر برای افزایش قابلیت های افزونه زمینه های دلخواه پیشرفته قابل استفاده هستند." -#~ msgid "" -#~ "Each Add-on can be installed as a separate plugin (receives updates) or " -#~ "included in your theme (does not receive updates)." -#~ msgstr "" -#~ "هر افزودنی می تواند به عنوان یک افزونه جدا ( قابل بروزرسانی) نصب شود و یا " -#~ "در پوسته شما (غیرقابل بروزرسانی) قرار گیرد." +#~ msgid "Each Add-on can be installed as a separate plugin (receives updates) or included in your theme (does not receive updates)." +#~ msgstr "هر افزودنی می تواند به عنوان یک افزونه جدا ( قابل بروزرسانی) نصب شود و یا در پوسته شما (غیرقابل بروزرسانی) قرار گیرد." #~ msgid "Purchase & Install" #~ msgstr "خرید و نصب" @@ -3612,25 +3430,14 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Export to PHP" #~ msgstr "برون بری به فرمت PHP" -#~ msgid "" -#~ "ACF will create a .xml export file which is compatible with the native WP " -#~ "import plugin." -#~ msgstr "" -#~ "افزونه زمینه های دلخواه پیشرفته یک پرونده خروجی (.xml) را ایجاد خواهد کرد " -#~ "که با افزونه Wordpress Importer سازگار است." +#~ msgid "ACF will create a .xml export file which is compatible with the native WP import plugin." +#~ msgstr "افزونه زمینه های دلخواه پیشرفته یک پرونده خروجی (.xml) را ایجاد خواهد کرد که با افزونه Wordpress Importer سازگار است." -#~ msgid "" -#~ "Imported field groups will appear in the list of editable field " -#~ "groups. This is useful for migrating fields groups between Wp websites." -#~ msgstr "" -#~ "گروه های زمینه درون ریزی شده در لیست گروه های زمینه قابل ویرایش نمایش " -#~ "داده خواهند شد. این روش برای انتقال گروه های زمینه در بین سایت های " -#~ "وردپرسی مفید است." +#~ msgid "Imported field groups will appear in the list of editable field groups. This is useful for migrating fields groups between Wp websites." +#~ msgstr "گروه های زمینه درون ریزی شده در لیست گروه های زمینه قابل ویرایش نمایش داده خواهند شد. این روش برای انتقال گروه های زمینه در بین سایت های وردپرسی مفید است." #~ msgid "Select field group(s) from the list and click \"Export XML\"" -#~ msgstr "" -#~ "گروه زمینه را از لیست انتخاب کنید و سپس روی دکمه ((برون بری به فرمت XML)) " -#~ "کلیک کنید" +#~ msgstr "گروه زمینه را از لیست انتخاب کنید و سپس روی دکمه ((برون بری به فرمت XML)) کلیک کنید" #~ msgid "Save the .xml file when prompted" #~ msgstr "فایل .xml را وقتی آماده شد، ذخیره کنید" @@ -3651,33 +3458,16 @@ msgstr "http://www.elliotcondon.com/" #~ msgstr "همین ! از وردپرس لذت ببرید" #~ msgid "ACF will create the PHP code to include in your theme." -#~ msgstr "" -#~ "افزونه زمینه های دلخواه پیشرفته کد های PHP برای اضافه کردن در پوسته در " -#~ "اختیاران قرار می دهد" +#~ msgstr "افزونه زمینه های دلخواه پیشرفته کد های PHP برای اضافه کردن در پوسته در اختیاران قرار می دهد" -#~ msgid "" -#~ "Registered field groups will not appear in the list of editable " -#~ "field groups. This is useful for including fields in themes." -#~ msgstr "" -#~ "گروه های زمینه ساخته خواهند شد ولی قابل ویرایش نخواهند بود.یعنی در " -#~ "لیست افزونه برای ویرایش دیده نمی شوند. این روش برای قرار دادن زمینه ها در " -#~ "پوسته ها (برای مشتری) مفید است." +#~ msgid "Registered field groups will not appear in the list of editable field groups. This is useful for including fields in themes." +#~ msgstr "گروه های زمینه ساخته خواهند شد ولی قابل ویرایش نخواهند بود.یعنی در لیست افزونه برای ویرایش دیده نمی شوند. این روش برای قرار دادن زمینه ها در پوسته ها (برای مشتری) مفید است." -#~ msgid "" -#~ "Please note that if you export and register field groups within the same " -#~ "WP, you will see duplicate fields on your edit screens. To fix this, " -#~ "please move the original field group to the trash or remove the code from " -#~ "your functions.php file." -#~ msgstr "" -#~ "لطفا توجه کنید که اگر از هر دو روش ذکر شما در یک وردپرس به صورت هم زمان " -#~ "استفاده کنید، در صفحه ویرایش مطالب، دو بار زمینه ها را خواهید دید. واضح " -#~ "است که برای حل این مشکل یا باید زمینه ها را از افزونه حذف کنید یا کدهای " -#~ "php را از پوسته و احتمالا functions.php حذف کنید." +#~ msgid "Please note that if you export and register field groups within the same WP, you will see duplicate fields on your edit screens. To fix this, please move the original field group to the trash or remove the code from your functions.php file." +#~ msgstr "لطفا توجه کنید که اگر از هر دو روش ذکر شما در یک وردپرس به صورت هم زمان استفاده کنید، در صفحه ویرایش مطالب، دو بار زمینه ها را خواهید دید. واضح است که برای حل این مشکل یا باید زمینه ها را از افزونه حذف کنید یا کدهای php را از پوسته و احتمالا functions.php حذف کنید." #~ msgid "Select field group(s) from the list and click \"Create PHP\"" -#~ msgstr "" -#~ "گروه های زمینه را از لیست انتخاب کنید و سپس روی دکمه ((برون بری به فرمت " -#~ "PHP)) کلیک کنید" +#~ msgstr "گروه های زمینه را از لیست انتخاب کنید و سپس روی دکمه ((برون بری به فرمت PHP)) کلیک کنید" #~ msgid "Copy the PHP code generated" #~ msgstr "کدهای PHP تولید شده را کپی کنید" @@ -3685,8 +3475,7 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Paste into your functions.php file" #~ msgstr "در فایل functions.php پوسته خود قرار دهید" -#~ msgid "" -#~ "To activate any Add-ons, edit and use the code in the first few lines." +#~ msgid "To activate any Add-ons, edit and use the code in the first few lines." #~ msgstr "برای فعالسازی افزودنی ها،چند سطر اول کدها را ویرایش و استفاده کنید" #~ msgid "Notes" @@ -3695,24 +3484,11 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Include in theme" #~ msgstr "قرار دادن در پوسته" -#~ msgid "" -#~ "The Advanced Custom Fields plugin can be included within a theme. To do " -#~ "so, move the ACF plugin inside your theme and add the following code to " -#~ "your functions.php file:" -#~ msgstr "" -#~ "افزونه زمینه های دلخواه پیشرفته وردپرس می تواند در داخل یک پوسته قرار " -#~ "بگیرد. برای انجام این کار، افزونه را به کنار پوسته تان انتقال دهید و " -#~ "کدهای زیر را به پرونده functions.php اضافه کنید:" +#~ msgid "The Advanced Custom Fields plugin can be included within a theme. To do so, move the ACF plugin inside your theme and add the following code to your functions.php file:" +#~ msgstr "افزونه زمینه های دلخواه پیشرفته وردپرس می تواند در داخل یک پوسته قرار بگیرد. برای انجام این کار، افزونه را به کنار پوسته تان انتقال دهید و کدهای زیر را به پرونده functions.php اضافه کنید:" -#~ msgid "" -#~ "To remove all visual interfaces from the ACF plugin, you can use a " -#~ "constant to enable lite mode. Add the following code to your functions." -#~ "php file before the include_once code:" -#~ msgstr "" -#~ "برای حذف همه رابط های بصری از افزونه زمینه های دلخواه پیشرفته (دیده نشدن " -#~ "افزونه)، می توانید از یک ثابت (کانستنت) برای فعال سازی حالت سبک (lite) " -#~ "استفاده کنید. کد زیر را به پرونده functions.php خود قبل از تابع " -#~ "include_once اضافه کنید:" +#~ msgid "To remove all visual interfaces from the ACF plugin, you can use a constant to enable lite mode. Add the following code to your functions.php file before the include_once code:" +#~ msgstr "برای حذف همه رابط های بصری از افزونه زمینه های دلخواه پیشرفته (دیده نشدن افزونه)، می توانید از یک ثابت (کانستنت) برای فعال سازی حالت سبک (lite) استفاده کنید. کد زیر را به پرونده functions.php خود قبل از تابع include_once اضافه کنید:" #~ msgid "Back to export" #~ msgstr "بازگشت به برون بری" @@ -3723,14 +3499,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Activation codes have grown into plugins!" #~ msgstr "کدهای فعالسازی در افزونه ها افزایش یافته اند!" -#~ msgid "" -#~ "Add-ons are now activated by downloading and installing individual " -#~ "plugins. Although these plugins will not be hosted on the wordpress.org " -#~ "repository, each Add-on will continue to receive updates in the usual way." -#~ msgstr "" -#~ "افزودنی ها الان با دریافت و نصب افزونه های جداگانه فعال می شوند. با اینکه " -#~ "این افزونه ها در مخزن وردپرس پشتیبانی نخواهند شد، هر افزودنی به صورت " -#~ "معمول به روز رسانی را دریافت خواهد کرد." +#~ msgid "Add-ons are now activated by downloading and installing individual plugins. Although these plugins will not be hosted on the wordpress.org repository, each Add-on will continue to receive updates in the usual way." +#~ msgstr "افزودنی ها الان با دریافت و نصب افزونه های جداگانه فعال می شوند. با اینکه این افزونه ها در مخزن وردپرس پشتیبانی نخواهند شد، هر افزودنی به صورت معمول به روز رسانی را دریافت خواهد کرد." #~ msgid "All previous Add-ons have been successfully installed" #~ msgstr "تمام افزونه های قبلی با موفقیت نصب شده اند" @@ -3741,12 +3511,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Download your activated Add-ons" #~ msgstr "افزودنی های فعال شده ی خود را دانلود کنید" -#~ msgid "" -#~ "This website does not use premium Add-ons and will not be affected by " -#~ "this change." -#~ msgstr "" -#~ "این سایت از افزودنی های ویژه استفاده نمی کند و تحت تأثیر این تغییر قرار " -#~ "نخواهد گرفت" +#~ msgid "This website does not use premium Add-ons and will not be affected by this change." +#~ msgstr "این سایت از افزودنی های ویژه استفاده نمی کند و تحت تأثیر این تغییر قرار نخواهد گرفت" #~ msgid "Easier Development" #~ msgstr "توسعه آسانتر" @@ -3763,16 +3529,11 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Password Field" #~ msgstr "زمینه رمزعبور" -#~ msgid "" -#~ "Creating your own field type has never been easier! Unfortunately, " -#~ "version 3 field types are not compatible with version 4." -#~ msgstr "" -#~ "ساخت نوع زمینه دلخواه برای خودتان هرگز به این آسانی نبوده! متأسفانه، " -#~ "انواع زمینه های نسخه 3 با نسخه 4 سازگار نیستند." +#~ msgid "Creating your own field type has never been easier! Unfortunately, version 3 field types are not compatible with version 4." +#~ msgstr "ساخت نوع زمینه دلخواه برای خودتان هرگز به این آسانی نبوده! متأسفانه، انواع زمینه های نسخه 3 با نسخه 4 سازگار نیستند." #~ msgid "Migrating your field types is easy, please" -#~ msgstr "" -#~ "انتقال انواع زمینه ها آسان است. پس لطفا افزونه خود را بروزرسانی کنید." +#~ msgstr "انتقال انواع زمینه ها آسان است. پس لطفا افزونه خود را بروزرسانی کنید." #~ msgid "follow this tutorial" #~ msgstr "این آموزش را دنبال کنید" @@ -3783,12 +3544,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Actions & Filters" #~ msgstr "اکشن ها و فیلترها" -#~ msgid "" -#~ "All actions & filters have received a major facelift to make customizing " -#~ "ACF even easier! Please" -#~ msgstr "" -#~ "همه اکشن ها و فیلترها دارای تغییرات عمده ای شدند تا دلخواه سازی ACF از " -#~ "قبل آسانتر شود" +#~ msgid "All actions & filters have received a major facelift to make customizing ACF even easier! Please" +#~ msgstr "همه اکشن ها و فیلترها دارای تغییرات عمده ای شدند تا دلخواه سازی ACF از قبل آسانتر شود" #~ msgid "read this guide" #~ msgstr "لطفا راهنما را مطالعه فرمایید" @@ -3808,25 +3565,14 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Database Changes" #~ msgstr "تغییرات پایگاه داده" -#~ msgid "" -#~ "Absolutely no changes have been made to the database " -#~ "between versions 3 and 4. This means you can roll back to version 3 " -#~ "without any issues." -#~ msgstr "" -#~ "هیچ تغییری در پایگاه داده بین نسخه 3 و 4 ایجاد نشده است. " -#~ "این بدین معنی است که شما می توانید بدون هیچ گونه مسئله ای به نسخه 3 " -#~ "برگردید." +#~ msgid "Absolutely no changes have been made to the database between versions 3 and 4. This means you can roll back to version 3 without any issues." +#~ msgstr "هیچ تغییری در پایگاه داده بین نسخه 3 و 4 ایجاد نشده است. این بدین معنی است که شما می توانید بدون هیچ گونه مسئله ای به نسخه 3 برگردید." #~ msgid "Potential Issues" #~ msgstr "مسائل بالقوه" -#~ msgid "" -#~ "Do to the sizable changes surounding Add-ons, field types and action/" -#~ "filters, your website may not operate correctly. It is important that you " -#~ "read the full" -#~ msgstr "" -#~ "با توجه به تغییرات افزودنی ها، انواع زمینه ها و اکشن ها/فیلترها، ممکن است " -#~ "سایت شما به درستی عمل نکند. پس لازم است راهنمای کامل " +#~ msgid "Do to the sizable changes surounding Add-ons, field types and action/filters, your website may not operate correctly. It is important that you read the full" +#~ msgstr "با توجه به تغییرات افزودنی ها، انواع زمینه ها و اکشن ها/فیلترها، ممکن است سایت شما به درستی عمل نکند. پس لازم است راهنمای کامل " #~ msgid "Migrating from v3 to v4" #~ msgstr "مهاجرت از نسخه 3 به نسخه 4 را مطالعه کنید" @@ -3837,12 +3583,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Really Important!" #~ msgstr "واقعا مهم!" -#~ msgid "" -#~ "If you updated the ACF plugin without prior knowledge of such changes, " -#~ "please roll back to the latest" -#~ msgstr "" -#~ "اگر شما افزونه زمینه های دلخواه پیشرفته وردپرس را بدون آگاهی از آخرین " -#~ "تغییرات بروزرسانی کردید، لطفا به نسخه قبل برگردید " +#~ msgid "If you updated the ACF plugin without prior knowledge of such changes, please roll back to the latest" +#~ msgstr "اگر شما افزونه زمینه های دلخواه پیشرفته وردپرس را بدون آگاهی از آخرین تغییرات بروزرسانی کردید، لطفا به نسخه قبل برگردید " #~ msgid "version 3" #~ msgstr "نسخه 3" @@ -3853,13 +3595,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Thank You" #~ msgstr "از شما متشکرم" -#~ msgid "" -#~ "A BIG thank you to everyone who has helped test the " -#~ "version 4 beta and for all the support I have received." -#~ msgstr "" -#~ "یک تشکر بزرگ از شما و همه کسانی که در تست نسخه 4 بتا به " -#~ "من کمک کردند میکنم. برای تمام کمک ها و پشتیبانی هایی که دریافت کردم نیز " -#~ "از همه شما متشکرم." +#~ msgid "A BIG thank you to everyone who has helped test the version 4 beta and for all the support I have received." +#~ msgstr "یک تشکر بزرگ از شما و همه کسانی که در تست نسخه 4 بتا به من کمک کردند میکنم. برای تمام کمک ها و پشتیبانی هایی که دریافت کردم نیز از همه شما متشکرم." #~ msgid "Without you all, this release would not have been possible!" #~ msgstr "بدون همه شما انتشار این نسخه امکان پذیر نبود!" @@ -3873,25 +3610,16 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Overview" #~ msgstr "بازنگری" -#~ msgid "" -#~ "Previously, all Add-ons were unlocked via an activation code (purchased " -#~ "from the ACF Add-ons store). New to v4, all Add-ons act as separate " -#~ "plugins which need to be individually downloaded, installed and updated." -#~ msgstr "" -#~ "پیش از این، قفل همه افزودنی ها از طریق یک کد فعالسازی (خریداری شده از " -#~ "فروشگاه افزودنی ها) باز می شدند.اما در نسخه 4 همه آنها به صورت افزودنی " -#~ "های جداگانه هستند و باید به صورت جدا دریافت، نصب و بروزرسانی شوند." +#~ msgid "Previously, all Add-ons were unlocked via an activation code (purchased from the ACF Add-ons store). New to v4, all Add-ons act as separate plugins which need to be individually downloaded, installed and updated." +#~ msgstr "پیش از این، قفل همه افزودنی ها از طریق یک کد فعالسازی (خریداری شده از فروشگاه افزودنی ها) باز می شدند.اما در نسخه 4 همه آنها به صورت افزودنی های جداگانه هستند و باید به صورت جدا دریافت، نصب و بروزرسانی شوند." -#~ msgid "" -#~ "This page will assist you in downloading and installing each available " -#~ "Add-on." +#~ msgid "This page will assist you in downloading and installing each available Add-on." #~ msgstr "این برگه به شما در دریافت و نصب هر افزودنی موجود کمک خواهد کرد." #~ msgid "Available Add-ons" #~ msgstr "افزودنی های موجود" -#~ msgid "" -#~ "The following Add-ons have been detected as activated on this website." +#~ msgid "The following Add-ons have been detected as activated on this website." #~ msgstr "افزودنی های زیر به صورت فعال در این سایت شناسایی شده اند" #~ msgid "Installation" @@ -3909,18 +3637,11 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Plugins > Add New > Upload" #~ msgstr "افزونه ها > افزودن > بارگذاری" -#~ msgid "" -#~ "Use the uploader to browse, select and install your Add-on (.zip file)" -#~ msgstr "" -#~ "از بارگذار برای انتخاب فایل استفاده کنید. افزودنی خود را (پرونده ZIP) " -#~ "انتخاب و نصب نمایید" +#~ msgid "Use the uploader to browse, select and install your Add-on (.zip file)" +#~ msgstr "از بارگذار برای انتخاب فایل استفاده کنید. افزودنی خود را (پرونده ZIP) انتخاب و نصب نمایید" -#~ msgid "" -#~ "Once the plugin has been uploaded and installed, click the 'Activate " -#~ "Plugin' link" -#~ msgstr "" -#~ "هنگامی که یک افزونه دریافت و نصب شده است، روی لینک (( فعال کردن افزونه)) " -#~ "کلیک کنید" +#~ msgid "Once the plugin has been uploaded and installed, click the 'Activate Plugin' link" +#~ msgstr "هنگامی که یک افزونه دریافت و نصب شده است، روی لینک (( فعال کردن افزونه)) کلیک کنید" #~ msgid "The Add-on is now installed and activated!" #~ msgstr "افزودنی در حال حاضر نصب و فعال سازی شده است!" @@ -3956,8 +3677,7 @@ msgstr "http://www.elliotcondon.com/" #~ msgstr "آبجکت تصویر" #~ msgid "Text & HTML entered here will appear inline with the fields" -#~ msgstr "" -#~ "متن و کد HTML وارد شده در اینجا در خط همراه با زمینه نمایش داده خواهد شد" +#~ msgstr "متن و کد HTML وارد شده در اینجا در خط همراه با زمینه نمایش داده خواهد شد" #~ msgid "Enter your choices one per line" #~ msgstr "انتخاب ها را در هر خط وارد کنید" @@ -3992,12 +3712,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "Save format" #~ msgstr "فرمت ذخیره" -#~ msgid "" -#~ "This format will determin the value saved to the database and returned " -#~ "via the API" -#~ msgstr "" -#~ "این فرمت مقدار ذخیره شده در پایگاه داده را مشخص خواهد کرد و از طریق API " -#~ "قابل خواندن است" +#~ msgid "This format will determin the value saved to the database and returned via the API" +#~ msgstr "این فرمت مقدار ذخیره شده در پایگاه داده را مشخص خواهد کرد و از طریق API قابل خواندن است" #~ msgid "\"yymmdd\" is the most versatile save format. Read more about" #~ msgstr "\"yymmdd\" بهترین و پر استفاده ترین فرمت ذخیره است. اطلاعات بیشتر" @@ -4008,12 +3724,8 @@ msgstr "http://www.elliotcondon.com/" #~ msgid "This format will be seen by the user when entering a value" #~ msgstr "این فرمت توسط کاربر در هنگام وارد کردن یک مقدار دیده خواهد شد" -#~ msgid "" -#~ "\"dd/mm/yy\" or \"mm/dd/yy\" are the most used Display Formats. Read more " -#~ "about" -#~ msgstr "" -#~ "\"dd/mm/yy\" یا \"mm/dd/yy\" پر استفاده ترین قالب های نمایش تاریخ می " -#~ "باشند. اطلاعات بیشتر" +#~ msgid "\"dd/mm/yy\" or \"mm/dd/yy\" are the most used Display Formats. Read more about" +#~ msgstr "\"dd/mm/yy\" یا \"mm/dd/yy\" پر استفاده ترین قالب های نمایش تاریخ می باشند. اطلاعات بیشتر" #~ msgid "Field Order" #~ msgstr "ترتیب زمینه" diff --git a/lang/acf-fi.mo b/lang/acf-fi.mo index 3725a9d..06e3eae 100644 Binary files a/lang/acf-fi.mo and b/lang/acf-fi.mo differ diff --git a/lang/acf-fi.po b/lang/acf-fi.po index 6fc57ca..3566e94 100644 --- a/lang/acf-fi.po +++ b/lang/acf-fi.po @@ -3,14 +3,14 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-09-22 14:17+0300\n" -"PO-Revision-Date: 2017-09-22 14:44+0300\n" -"Last-Translator: Sauli Rajala \n" +"PO-Revision-Date: 2018-02-06 10:05+1000\n" +"Last-Translator: Elliot Condon \n" "Language-Team: \n" "Language: fi\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.8.2\n" +"X-Generator: Poedit 1.8.1\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" @@ -662,7 +662,7 @@ msgstr "Tasaa ylös" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Tasaa vasemmalle" #: includes/admin/views/field-group-options.php:70 diff --git a/lang/acf-fr_FR.mo b/lang/acf-fr_FR.mo index b230fd9..9bc79ac 100644 Binary files a/lang/acf-fr_FR.mo and b/lang/acf-fr_FR.mo differ diff --git a/lang/acf-fr_FR.po b/lang/acf-fr_FR.po index 2d10aab..53cfe6b 100644 --- a/lang/acf-fr_FR.po +++ b/lang/acf-fr_FR.po @@ -2,8 +2,8 @@ msgid "" msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" -"POT-Creation-Date: 2017-09-30 10:02+0200\n" -"PO-Revision-Date: 2017-09-30 15:25+0200\n" +"POT-Creation-Date: 2018-02-06 10:08+1000\n" +"PO-Revision-Date: 2018-02-22 18:04+0100\n" "Last-Translator: Maxime BERNARD-JACQUET \n" "Language-Team: Dysign \n" "Language: fr_FR\n" @@ -11,7 +11,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: Poedit 2.0.1\n" +"X-Generator: Poedit 2.0.4\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -23,116 +23,116 @@ msgstr "" "X-Poedit-SearchPathExcluded-0: *.js\n" # @ acf -#: acf.php:63 +#: acf.php:67 msgid "Advanced Custom Fields" msgstr "Advanced Custom Fields" # @ acf -#: acf.php:359 includes/admin/admin.php:117 +#: acf.php:369 includes/admin/admin.php:117 msgid "Field Groups" msgstr "Groupes de champs" # @ acf -#: acf.php:360 +#: acf.php:370 msgid "Field Group" msgstr "Groupe de champs" # @ acf -#: acf.php:361 acf.php:393 includes/admin/admin.php:118 -#: pro/fields/class-acf-field-flexible-content.php:557 +#: acf.php:371 acf.php:403 includes/admin/admin.php:118 +#: pro/fields/class-acf-field-flexible-content.php:559 msgid "Add New" msgstr "Ajouter" # @ acf -#: acf.php:362 +#: acf.php:372 msgid "Add New Field Group" msgstr "Nouveau groupe de champs" # @ acf -#: acf.php:363 +#: acf.php:373 msgid "Edit Field Group" msgstr "Modifier le groupe de champs" # @ acf -#: acf.php:364 +#: acf.php:374 msgid "New Field Group" msgstr "Nouveau groupe de champs" # @ default -#: acf.php:365 +#: acf.php:375 msgid "View Field Group" msgstr "Voir le groupe de champs" # @ default -#: acf.php:366 +#: acf.php:376 msgid "Search Field Groups" msgstr "Rechercher un groupe de champs" # @ default -#: acf.php:367 +#: acf.php:377 msgid "No Field Groups found" msgstr "Aucun groupe de champs trouvé" # @ default -#: acf.php:368 +#: acf.php:378 msgid "No Field Groups found in Trash" msgstr "Aucun groupe de champs trouvé dans la corbeille" # @ acf -#: acf.php:391 includes/admin/admin-field-group.php:182 +#: acf.php:401 includes/admin/admin-field-group.php:182 #: includes/admin/admin-field-group.php:275 #: includes/admin/admin-field-groups.php:510 -#: pro/fields/class-acf-field-clone.php:806 +#: pro/fields/class-acf-field-clone.php:811 msgid "Fields" msgstr "Champs" # @ acf -#: acf.php:392 +#: acf.php:402 msgid "Field" msgstr "Champ" # @ acf -#: acf.php:394 +#: acf.php:404 msgid "Add New Field" msgstr "Ajouter un champ" # @ acf -#: acf.php:395 +#: acf.php:405 msgid "Edit Field" msgstr "Modifier le champ" # @ acf -#: acf.php:396 includes/admin/views/field-group-fields.php:41 +#: acf.php:406 includes/admin/views/field-group-fields.php:41 #: includes/admin/views/settings-info.php:105 msgid "New Field" msgstr "Nouveau champ" # @ acf -#: acf.php:397 +#: acf.php:407 msgid "View Field" msgstr "Voir le champ" # @ default -#: acf.php:398 +#: acf.php:408 msgid "Search Fields" msgstr "Rechercher des champs" # @ default -#: acf.php:399 +#: acf.php:409 msgid "No Fields found" msgstr "Aucun champ trouvé" # @ default -#: acf.php:400 +#: acf.php:410 msgid "No Fields found in Trash" msgstr "Aucun champ trouvé dans la corbeille" -#: acf.php:439 includes/admin/admin-field-group.php:390 +#: acf.php:449 includes/admin/admin-field-group.php:390 #: includes/admin/admin-field-groups.php:567 msgid "Inactive" msgstr "Inactif" -#: acf.php:444 +#: acf.php:454 #, php-format msgid "Inactive (%s)" msgid_plural "Inactive (%s)" @@ -144,7 +144,7 @@ msgstr[1] "Inactif (%s)" #: includes/admin/admin-field-group.php:69 #: includes/admin/admin-field-group.php:71 msgid "Field group updated." -msgstr "Groupe de champs mis à jour" +msgstr "Groupe de champs mis à jour." # @ default #: includes/admin/admin-field-group.php:70 @@ -154,12 +154,12 @@ msgstr "Groupe de champs supprimé." # @ default #: includes/admin/admin-field-group.php:73 msgid "Field group published." -msgstr "Groupe de champ publié" +msgstr "Groupe de champ publié." # @ default #: includes/admin/admin-field-group.php:74 msgid "Field group saved." -msgstr "Groupe de champ enregistré" +msgstr "Groupe de champ enregistré." # @ default #: includes/admin/admin-field-group.php:75 @@ -180,6 +180,7 @@ msgid "Location" msgstr "Assigner ce groupe de champs" #: includes/admin/admin-field-group.php:184 +#: includes/admin/tools/class-acf-admin-tool-export.php:295 msgid "Settings" msgstr "Réglages" @@ -211,7 +212,7 @@ msgstr "copie" #: includes/admin/views/field-group-field-conditional-logic.php:154 #: includes/admin/views/field-group-locations.php:29 #: includes/admin/views/html-location-group.php:3 -#: includes/api/api-helpers.php:3964 +#: includes/api/api-helpers.php:4048 msgid "or" msgstr "ou" @@ -244,7 +245,7 @@ msgstr "Les modifications seront perdues si vous quittez cette page" #: includes/admin/admin-field-group.php:282 msgid "The string \"field_\" may not be used at the start of a field name" -msgstr "Un champ ne peut pas commencer par \"field_\" " +msgstr "Un champ ne peut pas commencer par \"field_\"" #: includes/admin/admin-field-group.php:360 msgid "Field Keys" @@ -257,7 +258,7 @@ msgstr "Actif" #: includes/admin/admin-field-group.php:801 msgid "Move Complete." -msgstr "Déplacement effectué" +msgstr "Déplacement effectué." #: includes/admin/admin-field-group.php:802 #, php-format @@ -297,8 +298,8 @@ msgstr "Groupe de champs dupliqué. %s" #, php-format msgid "%s field group duplicated." msgid_plural "%s field groups duplicated." -msgstr[0] "%s groupe dupliqué" -msgstr[1] "%s groupes de champs dupliqués" +msgstr[0] "%s groupe dupliqué." +msgstr[1] "%s groupes de champs dupliqués." # @ default #: includes/admin/admin-field-groups.php:227 @@ -311,8 +312,8 @@ msgstr "Groupe de champs synchronisé. %s" #, php-format msgid "%s field group synchronised." msgid_plural "%s field groups synchronised." -msgstr[0] "%s groupe de champs synchronisé" -msgstr[1] "%s groupes de champs synchronisés" +msgstr[0] "%s groupe de champs synchronisé." +msgstr[1] "%s groupes de champs synchronisés." # @ acf #: includes/admin/admin-field-groups.php:394 @@ -384,47 +385,52 @@ msgid "Thank you for creating with ACF." msgstr "Merci d’utiliser ACF." # @ acf -#: includes/admin/admin-field-groups.php:668 +#: includes/admin/admin-field-groups.php:667 msgid "Duplicate this item" msgstr "Dupliquer cet élément" -#: includes/admin/admin-field-groups.php:668 -#: includes/admin/admin-field-groups.php:684 +#: includes/admin/admin-field-groups.php:667 +#: includes/admin/admin-field-groups.php:683 #: includes/admin/views/field-group-field.php:49 -#: pro/fields/class-acf-field-flexible-content.php:556 +#: pro/fields/class-acf-field-flexible-content.php:558 msgid "Duplicate" msgstr "Dupliquer" -#: includes/admin/admin-field-groups.php:701 +#: includes/admin/admin-field-groups.php:700 #: includes/fields/class-acf-field-google-map.php:112 #: includes/fields/class-acf-field-relationship.php:656 msgid "Search" msgstr "Rechercher" # @ acf -#: includes/admin/admin-field-groups.php:760 +#: includes/admin/admin-field-groups.php:759 #, php-format msgid "Select %s" msgstr "Choisir %s" -#: includes/admin/admin-field-groups.php:768 +#: includes/admin/admin-field-groups.php:767 msgid "Synchronise field group" msgstr "Synchroniser le groupe de champs" -#: includes/admin/admin-field-groups.php:768 -#: includes/admin/admin-field-groups.php:798 +#: includes/admin/admin-field-groups.php:767 +#: includes/admin/admin-field-groups.php:797 msgid "Sync" -msgstr "Synchronisation " +msgstr "Synchronisation" -#: includes/admin/admin-field-groups.php:780 +#: includes/admin/admin-field-groups.php:779 msgid "Apply" msgstr "Appliquer" # @ acf -#: includes/admin/admin-field-groups.php:798 +#: includes/admin/admin-field-groups.php:797 msgid "Bulk Actions" msgstr "Actions en vrac" +#: includes/admin/admin-tools.php:116 +#: includes/admin/views/html-admin-tools.php:21 +msgid "Tools" +msgstr "Outils" + # @ acf #: includes/admin/admin.php:113 #: includes/admin/views/field-group-options.php:118 @@ -468,36 +474,114 @@ msgstr "Information" msgid "What's New" msgstr "Nouveautés" -#: includes/admin/settings-tools.php:50 -#: includes/admin/views/settings-tools-export.php:19 -#: includes/admin/views/settings-tools.php:31 -msgid "Tools" -msgstr "Outils" +# @ acf +#: includes/admin/tools/class-acf-admin-tool-export.php:33 +msgid "Export Field Groups" +msgstr "Exporter les groupes de champs" + +#: includes/admin/tools/class-acf-admin-tool-export.php:38 +#: includes/admin/tools/class-acf-admin-tool-export.php:342 +#: includes/admin/tools/class-acf-admin-tool-export.php:371 +msgid "Generate PHP" +msgstr "Générer le PHP" # @ acf -#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380 +#: includes/admin/tools/class-acf-admin-tool-export.php:97 +#: includes/admin/tools/class-acf-admin-tool-export.php:135 msgid "No field groups selected" msgstr "Aucun groupe de champs n'est sélectionné" +#: includes/admin/tools/class-acf-admin-tool-export.php:174 +#, php-format +msgid "Exported 1 field group." +msgid_plural "Exported %s field groups." +msgstr[0] "1 groupe de champ a été exporté." +msgstr[1] "%s groupes de champs ont été exportés." + +# @ default +#: includes/admin/tools/class-acf-admin-tool-export.php:241 +#: includes/admin/tools/class-acf-admin-tool-export.php:269 +msgid "Select Field Groups" +msgstr "Sélectionnez le groupe de champs" + +#: includes/admin/tools/class-acf-admin-tool-export.php:336 +msgid "" +"Select the field groups you would like to export and then select your export " +"method. Use the download button to export to a .json file which you can then " +"import to another ACF installation. Use the generate button to export to PHP " +"code which you can place in your theme." +msgstr "" +"Sélectionnez le groupe de champs que vous souhaitez exporter et choisissez " +"ensuite la méthode d'export : le bouton télécharger vous permettra " +"d'exporter un fichier JSON que vous pourrez importer dans une autre " +"installation ACF. Le bouton générer exportera le code PHP que vous pourrez " +"placer dans votre thème." + +#: includes/admin/tools/class-acf-admin-tool-export.php:341 +msgid "Export File" +msgstr "Exporter le fichier" + +#: includes/admin/tools/class-acf-admin-tool-export.php:414 +msgid "" +"The following code can be used to register a local version of the selected " +"field group(s). A local field group can provide many benefits such as faster " +"load times, version control & dynamic fields/settings. Simply copy and paste " +"the following code to your theme's functions.php file or include it within " +"an external file." +msgstr "" +"Le code suivant peut être utilisé pour enregistrer une version locale du " +"groupe de champs sélectionné. Un groupe de champ local apporte pas mal de " +"bénéfices tels qu'un temps de chargement plus rapide, le contrôle de version " +"et les champs/paramètres dynamiques. Copiez/collez simplement le code " +"suivant dans le functions.php de votre thème ou incluez-le depuis un autre " +"fichier." + +#: includes/admin/tools/class-acf-admin-tool-export.php:446 +msgid "Copy to clipboard" +msgstr "Copier dans le presse-papiers" + # @ acf -#: includes/admin/settings-tools.php:184 -#: includes/fields/class-acf-field-file.php:155 +#: includes/admin/tools/class-acf-admin-tool-import.php:26 +msgid "Import Field Groups" +msgstr "Importer les groupes de champs" + +#: includes/admin/tools/class-acf-admin-tool-import.php:61 +msgid "" +"Select the Advanced Custom Fields JSON file you would like to import. When " +"you click the import button below, ACF will import the field groups." +msgstr "" +"Sélectionnez le fichier JSON que vous souhaitez importer et cliquez sur " +"Importer. ACF s'occupe du reste." + +# @ acf +#: includes/admin/tools/class-acf-admin-tool-import.php:66 +#: includes/fields/class-acf-field-file.php:35 +msgid "Select File" +msgstr "Sélectionner un fichier" + +#: includes/admin/tools/class-acf-admin-tool-import.php:76 +msgid "Import File" +msgstr "Importer le fichier" + +# @ acf +#: includes/admin/tools/class-acf-admin-tool-import.php:100 +#: includes/fields/class-acf-field-file.php:159 msgid "No file selected" msgstr "Aucun fichier sélectionné" -#: includes/admin/settings-tools.php:197 +#: includes/admin/tools/class-acf-admin-tool-import.php:113 msgid "Error uploading file. Please try again" -msgstr "Echec de l'import du fichier. Merci de réessayer." +msgstr "Echec de l'import du fichier. Merci de réessayer" -#: includes/admin/settings-tools.php:206 +#: includes/admin/tools/class-acf-admin-tool-import.php:122 msgid "Incorrect file type" msgstr "Type de fichier incorrect" -#: includes/admin/settings-tools.php:223 +#: includes/admin/tools/class-acf-admin-tool-import.php:139 msgid "Import file empty" msgstr "Aucun fichier à importer" -#: includes/admin/settings-tools.php:331 +#: includes/admin/tools/class-acf-admin-tool-import.php:247 #, php-format msgid "Imported 1 field group" msgid_plural "Imported %s field groups" @@ -547,7 +631,7 @@ msgstr "Modifier ce champ" # @ acf #: includes/admin/views/field-group-field.php:48 -#: includes/fields/class-acf-field-file.php:137 +#: includes/fields/class-acf-field-file.php:141 #: includes/fields/class-acf-field-image.php:122 #: includes/fields/class-acf-field-link.php:139 #: pro/fields/class-acf-field-gallery.php:342 @@ -574,17 +658,17 @@ msgstr "Supprimer ce champ" # @ acf #: includes/admin/views/field-group-field.php:51 -#: pro/fields/class-acf-field-flexible-content.php:555 +#: pro/fields/class-acf-field-flexible-content.php:557 msgid "Delete" msgstr "Supprimer" # @ acf -#: includes/admin/views/field-group-field.php:67 +#: includes/admin/views/field-group-field.php:68 msgid "Field Label" msgstr "Titre du champ" # @ acf -#: includes/admin/views/field-group-field.php:68 +#: includes/admin/views/field-group-field.php:69 msgid "This is the name which will appear on the EDIT page" msgstr "Ce nom apparaîtra sur la page d‘édition" @@ -599,44 +683,43 @@ msgid "Single word, no spaces. Underscores and dashes allowed" msgstr "Un seul mot sans espace.
                Les '_' et '-' sont autorisés" # @ acf -#: includes/admin/views/field-group-field.php:89 +#: includes/admin/views/field-group-field.php:88 msgid "Field Type" msgstr "Type de champ" # @ acf -#: includes/admin/views/field-group-field.php:101 -#: includes/fields/class-acf-field-tab.php:88 +#: includes/admin/views/field-group-field.php:99 msgid "Instructions" msgstr "Instructions" # @ acf -#: includes/admin/views/field-group-field.php:102 +#: includes/admin/views/field-group-field.php:100 msgid "Instructions for authors. Shown when submitting data" msgstr "Instructions pour les auteurs. Affichées lors de la saisie du contenu" # @ acf -#: includes/admin/views/field-group-field.php:111 +#: includes/admin/views/field-group-field.php:109 msgid "Required?" msgstr "Requis ?" -#: includes/admin/views/field-group-field.php:134 +#: includes/admin/views/field-group-field.php:132 msgid "Wrapper Attributes" msgstr "Attributs" -#: includes/admin/views/field-group-field.php:140 +#: includes/admin/views/field-group-field.php:138 msgid "width" -msgstr "Largeur" +msgstr "largeur" -#: includes/admin/views/field-group-field.php:155 +#: includes/admin/views/field-group-field.php:153 msgid "class" msgstr "classe" -#: includes/admin/views/field-group-field.php:168 +#: includes/admin/views/field-group-field.php:166 msgid "id" -msgstr "ID" +msgstr "id" # @ acf -#: includes/admin/views/field-group-field.php:180 +#: includes/admin/views/field-group-field.php:178 msgid "Close Field" msgstr "Fermer le champ" @@ -647,17 +730,18 @@ msgstr "Ordre" # @ acf #: includes/admin/views/field-group-fields.php:5 +#: includes/fields/class-acf-field-button-group.php:198 #: includes/fields/class-acf-field-checkbox.php:415 #: includes/fields/class-acf-field-radio.php:306 #: includes/fields/class-acf-field-select.php:432 -#: pro/fields/class-acf-field-flexible-content.php:582 +#: pro/fields/class-acf-field-flexible-content.php:584 msgid "Label" msgstr "Intitulé" # @ acf #: includes/admin/views/field-group-fields.php:6 -#: includes/fields/class-acf-field-taxonomy.php:959 -#: pro/fields/class-acf-field-flexible-content.php:595 +#: includes/fields/class-acf-field-taxonomy.php:964 +#: pro/fields/class-acf-field-flexible-content.php:597 msgid "Name" msgstr "Nom" @@ -733,13 +817,13 @@ msgid "Label placement" msgstr "Emplacement de l'intitulé" #: includes/admin/views/field-group-options.php:62 -#: includes/fields/class-acf-field-tab.php:102 +#: includes/fields/class-acf-field-tab.php:106 msgid "Top aligned" msgstr "Aligné en haut" #: includes/admin/views/field-group-options.php:63 -#: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +#: includes/fields/class-acf-field-tab.php:107 +msgid "Left aligned" msgstr "Aligné à gauche" # @ acf @@ -780,7 +864,7 @@ msgstr "Masquer" msgid "Select items to hide them from the edit screen." msgstr "" "Cochez les champs que vous souhaitez masquer sur la page " -"d‘édition" +"d‘édition." # @ acf #: includes/admin/views/field-group-options.php:108 @@ -1028,7 +1112,7 @@ msgid "" msgstr "" "La plupart des champs se sont faits une beauté afin qu'ACF apparaisse sous " "son plus beau jour ! Vous apercevrez des améliorations sur la galerie, le " -"champ relationnel et le petit nouveau : oembed" +"champ relationnel et le petit nouveau : oembed !" #: includes/admin/views/settings-info.php:32 msgid "Improved Data" @@ -1041,12 +1125,12 @@ msgid "" "and out of parent fields!" msgstr "" "L'architecture des données a été complètement revue et permet dorénavant aux " -"sous champs de vivre indépendamment de leurs parents. Cela permet de " -"déplacer les champs en dehors de leurs parents." +"sous champs de vivre indépendamment de leurs parents. Cela permet de " +"déplacer les champs en dehors de leurs parents !" #: includes/admin/views/settings-info.php:39 msgid "Goodbye Add-ons. Hello PRO" -msgstr "Au revoir Add-ons. Bonjour ACF Pro !" +msgstr "Au revoir Add-ons. Bonjour ACF Pro" #: includes/admin/views/settings-info.php:44 msgid "Introducing ACF PRO" @@ -1068,7 +1152,7 @@ msgstr "" "Les 4 add-ons premiums (Répéteur, galerie, contenu flexible et pages " "d'options) ont été combinés en une toute nouvelle version PRO " "d'ACF. Avec les licences personnelles et développeur disponibles, les " -"fonctionnalités premium sont encore plus accessibles que jamais auparavant." +"fonctionnalités premium sont encore plus accessibles que jamais auparavant !" #: includes/admin/views/settings-info.php:50 msgid "Powerful Features" @@ -1082,7 +1166,7 @@ msgid "" msgstr "" "ACF PRO contient de nouvelles super fonctionnalités telles que les champs " "répéteurs, les dispositions flexibles, une superbe galerie et la possibilité " -"de créer des pages d'options. " +"de créer des pages d'options !" #: includes/admin/views/settings-info.php:52 #, php-format @@ -1113,7 +1197,7 @@ msgid "" msgstr "" "Nous avons également rédigé un guide de mise à jour pour " "répondre aux questions fréquentes. Si vous avez une question spécifique, " -"merci de contacter notre équipe le support." +"merci de contacter notre équipe le support" #: includes/admin/views/settings-info.php:66 msgid "Under the Hood" @@ -1183,7 +1267,7 @@ msgstr "Un nouveau champ pour embarquer du contenu a été ajouté" #: includes/admin/views/settings-info.php:110 msgid "New Gallery" -msgstr "Nouvelle galerie " +msgstr "Nouvelle galerie" #: includes/admin/views/settings-info.php:111 msgid "The gallery field has undergone a much needed facelift" @@ -1279,141 +1363,60 @@ msgstr "" "Nous pensons que vous allez adorer les nouveautés présentées dans la version " "%s." -# @ acf -#: includes/admin/views/settings-tools-export.php:23 -msgid "Export Field Groups to PHP" -msgstr "Exportez des groupes de champs en PHP" - -#: includes/admin/views/settings-tools-export.php:27 -msgid "" -"The following code can be used to register a local version of the selected " -"field group(s). A local field group can provide many benefits such as faster " -"load times, version control & dynamic fields/settings. Simply copy and paste " -"the following code to your theme's functions.php file or include it within " -"an external file." -msgstr "" -"Le code suivant peut être utilisé pour enregistrer une version locale du " -"groupe de champs sélectionné. Un groupe de champ local apporte pas mal de " -"bénéfices tels qu'un temps de chargement plus rapide, le contrôle de version " -"et les champs/paramètres dynamiques. Copiez/collez simplement le code " -"suivant dans le functions.php de votre thème ou incluez-le depuis un autre " -"fichier." - -# @ default -#: includes/admin/views/settings-tools.php:5 -msgid "Select Field Groups" -msgstr "Sélectionnez le groupe de champs" - -# @ acf -#: includes/admin/views/settings-tools.php:35 -msgid "Export Field Groups" -msgstr "Exporter les groupes de champs" - -#: includes/admin/views/settings-tools.php:38 -msgid "" -"Select the field groups you would like to export and then select your export " -"method. Use the download button to export to a .json file which you can then " -"import to another ACF installation. Use the generate button to export to PHP " -"code which you can place in your theme." -msgstr "" -"Sélectionnez le groupe de champs que vous souhaitez exporter et choisissez " -"ensuite la méthode d'export : le bouton télécharger vous permettra " -"d'exporter un fichier JSON que vous pourrez importer dans une autre " -"installation ACF. Le bouton générer exportera le code PHP que vous pourrez " -"placer dans votre thème." - -#: includes/admin/views/settings-tools.php:50 -msgid "Download export file" -msgstr "Télécharger le fichier d'export" - -#: includes/admin/views/settings-tools.php:51 -msgid "Generate export code" -msgstr "Générer le code d'export" - -# @ acf -#: includes/admin/views/settings-tools.php:64 -msgid "Import Field Groups" -msgstr "Importer les groupes de champs" - -#: includes/admin/views/settings-tools.php:67 -msgid "" -"Select the Advanced Custom Fields JSON file you would like to import. When " -"you click the import button below, ACF will import the field groups." -msgstr "" -"Sélectionnez le fichier JSON que vous souhaitez importer et cliquez sur " -"Importer. ACF s'occupe du reste." - -# @ acf -#: includes/admin/views/settings-tools.php:77 -#: includes/fields/class-acf-field-file.php:35 -msgid "Select File" -msgstr "Sélectionner un fichier" - -#: includes/admin/views/settings-tools.php:86 -msgid "Import" -msgstr "Importer" - -#: includes/api/api-helpers.php:856 +#: includes/api/api-helpers.php:947 msgid "Thumbnail" msgstr "Miniature" -#: includes/api/api-helpers.php:857 +#: includes/api/api-helpers.php:948 msgid "Medium" msgstr "Moyen" -#: includes/api/api-helpers.php:858 +#: includes/api/api-helpers.php:949 msgid "Large" msgstr "Grande" -#: includes/api/api-helpers.php:907 +#: includes/api/api-helpers.php:998 msgid "Full Size" msgstr "Taille originale" # @ acf -#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1831 -#: pro/fields/class-acf-field-clone.php:991 +#: includes/api/api-helpers.php:1339 includes/api/api-helpers.php:1912 +#: pro/fields/class-acf-field-clone.php:996 msgid "(no title)" msgstr "(aucun titre)" -#: includes/api/api-helpers.php:1868 -#: includes/fields/class-acf-field-page_link.php:269 -#: includes/fields/class-acf-field-post_object.php:268 -#: includes/fields/class-acf-field-taxonomy.php:981 -msgid "Parent" -msgstr "Parent" - -#: includes/api/api-helpers.php:3885 +#: includes/api/api-helpers.php:3969 #, php-format msgid "Image width must be at least %dpx." -msgstr "L'image doit mesurer au moins %dpx de largeur" +msgstr "L'image doit mesurer au moins %dpx de largeur." -#: includes/api/api-helpers.php:3890 +#: includes/api/api-helpers.php:3974 #, php-format msgid "Image width must not exceed %dpx." -msgstr "L'image ne doit pas dépasser %dpx de largeur" +msgstr "L'image ne doit pas dépasser %dpx de largeur." -#: includes/api/api-helpers.php:3906 +#: includes/api/api-helpers.php:3990 #, php-format msgid "Image height must be at least %dpx." -msgstr "L'image doit mesurer au moins %dpx de hauteur" +msgstr "L'image doit mesurer au moins %dpx de hauteur." -#: includes/api/api-helpers.php:3911 +#: includes/api/api-helpers.php:3995 #, php-format msgid "Image height must not exceed %dpx." -msgstr "L'image ne doit pas dépasser %dpx de hauteur" +msgstr "L'image ne doit pas dépasser %dpx de hauteur." -#: includes/api/api-helpers.php:3929 +#: includes/api/api-helpers.php:4013 #, php-format msgid "File size must be at least %s." msgstr "Le poids de l'image doit être d'au moins %s." -#: includes/api/api-helpers.php:3934 +#: includes/api/api-helpers.php:4018 #, php-format msgid "File size must must not exceed %s." msgstr "Le poids de l'image ne peut pas dépasser %s." # @ acf -#: includes/api/api-helpers.php:3968 +#: includes/api/api-helpers.php:4052 #, php-format msgid "File type must be %s." msgstr "Le type de fichier doit être %s." @@ -1441,12 +1444,13 @@ msgid "jQuery" msgstr "jQuery" # @ acf -#: includes/fields.php:149 includes/fields/class-acf-field-checkbox.php:384 -#: includes/fields/class-acf-field-group.php:477 +#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields/class-acf-field-checkbox.php:384 +#: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 -#: pro/fields/class-acf-field-clone.php:838 -#: pro/fields/class-acf-field-flexible-content.php:552 -#: pro/fields/class-acf-field-flexible-content.php:601 +#: pro/fields/class-acf-field-clone.php:843 +#: pro/fields/class-acf-field-flexible-content.php:554 +#: pro/fields/class-acf-field-flexible-content.php:603 #: pro/fields/class-acf-field-repeater.php:450 msgid "Layout" msgstr "Disposition" @@ -1454,15 +1458,169 @@ msgstr "Disposition" # @ acf #: includes/fields.php:326 msgid "Field type does not exist" -msgstr "Ce type de champ n‘existe pas !" +msgstr "Ce type de champ n‘existe pas" #: includes/fields.php:326 msgid "Unknown" -msgstr "inconnu" +msgstr "Inconnu" + +#: includes/fields/class-acf-field-accordion.php:24 +msgid "Accordion" +msgstr "Accordéon" + +#: includes/fields/class-acf-field-accordion.php:99 +msgid "Open" +msgstr "Ouvert" + +#: includes/fields/class-acf-field-accordion.php:100 +msgid "Display this accordion as open on page load." +msgstr "Ouvrir l'accordéon au chargement de la page." + +#: includes/fields/class-acf-field-accordion.php:109 +msgid "Multi-expand" +msgstr "Ouverture multiple" + +#: includes/fields/class-acf-field-accordion.php:110 +msgid "Allow this accordion to open without closing others." +msgstr "Permettre à cet accordéon de s'ouvrir sans refermer les autres." + +#: includes/fields/class-acf-field-accordion.php:119 +#: includes/fields/class-acf-field-tab.php:114 +msgid "Endpoint" +msgstr "Point de terminaison" + +#: includes/fields/class-acf-field-accordion.php:120 +msgid "" +"Define an endpoint for the previous accordion to stop. This accordion will " +"not be visible." +msgstr "" +"Définir un point de terminaison pour arrêter l'accordéon. Cet accordéon ne " +"sera pas visible." + +#: includes/fields/class-acf-field-button-group.php:24 +msgid "Button Group" +msgstr "Groupe de boutons" + +# @ acf +#: includes/fields/class-acf-field-button-group.php:149 +#: includes/fields/class-acf-field-checkbox.php:344 +#: includes/fields/class-acf-field-radio.php:235 +#: includes/fields/class-acf-field-select.php:368 +msgid "Choices" +msgstr "Choix" + +#: includes/fields/class-acf-field-button-group.php:150 +#: includes/fields/class-acf-field-checkbox.php:345 +#: includes/fields/class-acf-field-radio.php:236 +#: includes/fields/class-acf-field-select.php:369 +msgid "Enter each choice on a new line." +msgstr "Indiquez une valeur par ligne." + +#: includes/fields/class-acf-field-button-group.php:150 +#: includes/fields/class-acf-field-checkbox.php:345 +#: includes/fields/class-acf-field-radio.php:236 +#: includes/fields/class-acf-field-select.php:369 +msgid "For more control, you may specify both a value and label like this:" +msgstr "" +"Pour un contrôle plus poussé, vous pouvez spécifier la valeur et le libellé " +"de cette manière :" + +#: includes/fields/class-acf-field-button-group.php:150 +#: includes/fields/class-acf-field-checkbox.php:345 +#: includes/fields/class-acf-field-radio.php:236 +#: includes/fields/class-acf-field-select.php:369 +msgid "red : Red" +msgstr "rouge : Rouge" + +# @ acf +#: includes/fields/class-acf-field-button-group.php:158 +#: includes/fields/class-acf-field-page_link.php:513 +#: includes/fields/class-acf-field-post_object.php:412 +#: includes/fields/class-acf-field-radio.php:244 +#: includes/fields/class-acf-field-select.php:386 +#: includes/fields/class-acf-field-taxonomy.php:793 +#: includes/fields/class-acf-field-user.php:408 +msgid "Allow Null?" +msgstr "Autoriser une valeur vide ?" + +# @ acf +#: includes/fields/class-acf-field-button-group.php:168 +#: includes/fields/class-acf-field-checkbox.php:375 +#: includes/fields/class-acf-field-color_picker.php:131 +#: includes/fields/class-acf-field-email.php:118 +#: includes/fields/class-acf-field-number.php:127 +#: includes/fields/class-acf-field-radio.php:276 +#: includes/fields/class-acf-field-range.php:148 +#: includes/fields/class-acf-field-select.php:377 +#: includes/fields/class-acf-field-text.php:119 +#: includes/fields/class-acf-field-textarea.php:102 +#: includes/fields/class-acf-field-true_false.php:135 +#: includes/fields/class-acf-field-url.php:100 +#: includes/fields/class-acf-field-wysiwyg.php:410 +msgid "Default Value" +msgstr "Valeur par défaut" + +#: includes/fields/class-acf-field-button-group.php:169 +#: includes/fields/class-acf-field-email.php:119 +#: includes/fields/class-acf-field-number.php:128 +#: includes/fields/class-acf-field-radio.php:277 +#: includes/fields/class-acf-field-range.php:149 +#: includes/fields/class-acf-field-text.php:120 +#: includes/fields/class-acf-field-textarea.php:103 +#: includes/fields/class-acf-field-url.php:101 +#: includes/fields/class-acf-field-wysiwyg.php:411 +msgid "Appears when creating a new post" +msgstr "Valeur affichée à la création d'un article" + +#: includes/fields/class-acf-field-button-group.php:183 +#: includes/fields/class-acf-field-checkbox.php:391 +#: includes/fields/class-acf-field-radio.php:292 +msgid "Horizontal" +msgstr "Horizontal" + +#: includes/fields/class-acf-field-button-group.php:184 +#: includes/fields/class-acf-field-checkbox.php:390 +#: includes/fields/class-acf-field-radio.php:291 +msgid "Vertical" +msgstr "Vertical" + +# @ acf +#: includes/fields/class-acf-field-button-group.php:191 +#: includes/fields/class-acf-field-checkbox.php:408 +#: includes/fields/class-acf-field-file.php:204 +#: includes/fields/class-acf-field-image.php:188 +#: includes/fields/class-acf-field-link.php:166 +#: includes/fields/class-acf-field-radio.php:299 +#: includes/fields/class-acf-field-taxonomy.php:833 +msgid "Return Value" +msgstr "Valeur affichée dans le template" + +#: includes/fields/class-acf-field-button-group.php:192 +#: includes/fields/class-acf-field-checkbox.php:409 +#: includes/fields/class-acf-field-file.php:205 +#: includes/fields/class-acf-field-image.php:189 +#: includes/fields/class-acf-field-link.php:167 +#: includes/fields/class-acf-field-radio.php:300 +msgid "Specify the returned value on front end" +msgstr "Spécifier la valeur retournée sur le site" + +#: includes/fields/class-acf-field-button-group.php:197 +#: includes/fields/class-acf-field-checkbox.php:414 +#: includes/fields/class-acf-field-radio.php:305 +#: includes/fields/class-acf-field-select.php:431 +msgid "Value" +msgstr "Valeur" + +#: includes/fields/class-acf-field-button-group.php:199 +#: includes/fields/class-acf-field-checkbox.php:416 +#: includes/fields/class-acf-field-radio.php:307 +#: includes/fields/class-acf-field-select.php:433 +msgid "Both (Array)" +msgstr "Les deux (tableau)" # @ acf #: includes/fields/class-acf-field-checkbox.php:25 -#: includes/fields/class-acf-field-taxonomy.php:775 +#: includes/fields/class-acf-field-taxonomy.php:780 msgid "Checkbox" msgstr "Case à cocher" @@ -1474,33 +1632,6 @@ msgstr "Tout masquer/afficher" msgid "Add new choice" msgstr "Ajouter un choix" -# @ acf -#: includes/fields/class-acf-field-checkbox.php:344 -#: includes/fields/class-acf-field-radio.php:235 -#: includes/fields/class-acf-field-select.php:368 -msgid "Choices" -msgstr "Choix" - -#: includes/fields/class-acf-field-checkbox.php:345 -#: includes/fields/class-acf-field-radio.php:236 -#: includes/fields/class-acf-field-select.php:369 -msgid "Enter each choice on a new line." -msgstr "Indiquez une valeur par ligne" - -#: includes/fields/class-acf-field-checkbox.php:345 -#: includes/fields/class-acf-field-radio.php:236 -#: includes/fields/class-acf-field-select.php:369 -msgid "For more control, you may specify both a value and label like this:" -msgstr "" -"Pour un contrôle plus poussé, vous pouvez spécifier la valeur et le libellé " -"de cette manière :" - -#: includes/fields/class-acf-field-checkbox.php:345 -#: includes/fields/class-acf-field-radio.php:236 -#: includes/fields/class-acf-field-select.php:369 -msgid "red : Red" -msgstr "rouge : Rouge" - #: includes/fields/class-acf-field-checkbox.php:353 msgid "Allow Custom" msgstr "Permettra une valeur personnalisée" @@ -1517,75 +1648,19 @@ msgstr "Enregistrer la valeur personnalisée" msgid "Save 'custom' values to the field's choices" msgstr "Enregistre la valeur personnalisée dans les choix du champs" -# @ acf -#: includes/fields/class-acf-field-checkbox.php:375 -#: includes/fields/class-acf-field-color_picker.php:131 -#: includes/fields/class-acf-field-email.php:114 -#: includes/fields/class-acf-field-number.php:123 -#: includes/fields/class-acf-field-radio.php:276 -#: includes/fields/class-acf-field-range.php:141 -#: includes/fields/class-acf-field-select.php:377 -#: includes/fields/class-acf-field-text.php:115 -#: includes/fields/class-acf-field-textarea.php:98 -#: includes/fields/class-acf-field-true_false.php:135 -#: includes/fields/class-acf-field-url.php:96 -#: includes/fields/class-acf-field-wysiwyg.php:421 -msgid "Default Value" -msgstr "Valeur par défaut" - #: includes/fields/class-acf-field-checkbox.php:376 #: includes/fields/class-acf-field-select.php:378 msgid "Enter each default value on a new line" msgstr "Entrez chaque valeur par défaut sur une nouvelle ligne" -#: includes/fields/class-acf-field-checkbox.php:390 -#: includes/fields/class-acf-field-radio.php:291 -msgid "Vertical" -msgstr "Vertical" - -#: includes/fields/class-acf-field-checkbox.php:391 -#: includes/fields/class-acf-field-radio.php:292 -msgid "Horizontal" -msgstr "Horizontal" - #: includes/fields/class-acf-field-checkbox.php:398 msgid "Toggle" -msgstr "Intervertir" +msgstr "Masquer/afficher" #: includes/fields/class-acf-field-checkbox.php:399 msgid "Prepend an extra checkbox to toggle all choices" msgstr "Ajouter une case à cocher au début pour intervertir tous les choix" -# @ acf -#: includes/fields/class-acf-field-checkbox.php:408 -#: includes/fields/class-acf-field-file.php:200 -#: includes/fields/class-acf-field-image.php:188 -#: includes/fields/class-acf-field-link.php:166 -#: includes/fields/class-acf-field-radio.php:299 -#: includes/fields/class-acf-field-taxonomy.php:828 -msgid "Return Value" -msgstr "Valeur affichée dans le template" - -#: includes/fields/class-acf-field-checkbox.php:409 -#: includes/fields/class-acf-field-file.php:201 -#: includes/fields/class-acf-field-image.php:189 -#: includes/fields/class-acf-field-link.php:167 -#: includes/fields/class-acf-field-radio.php:300 -msgid "Specify the returned value on front end" -msgstr "Spécifier la valeur retournée sur le site" - -#: includes/fields/class-acf-field-checkbox.php:414 -#: includes/fields/class-acf-field-radio.php:305 -#: includes/fields/class-acf-field-select.php:431 -msgid "Value" -msgstr "Valeur" - -#: includes/fields/class-acf-field-checkbox.php:416 -#: includes/fields/class-acf-field-radio.php:307 -#: includes/fields/class-acf-field-select.php:433 -msgid "Both (Array)" -msgstr "Les deux (tableau)" - # @ acf #: includes/fields/class-acf-field-color_picker.php:25 msgid "Color Picker" @@ -1685,7 +1760,7 @@ msgstr "Format dans le modèle" #: includes/fields/class-acf-field-date_time_picker.php:199 #: includes/fields/class-acf-field-time_picker.php:125 msgid "The format returned via template functions" -msgstr "Valeur retournée dans le modèle sur le site." +msgstr "Valeur retournée dans le modèle sur le site" #: includes/fields/class-acf-field-date_picker.php:256 #: includes/fields/class-acf-field-date_time_picker.php:215 @@ -1775,64 +1850,53 @@ msgstr "P" msgid "Email" msgstr "Mail" -#: includes/fields/class-acf-field-email.php:115 -#: includes/fields/class-acf-field-number.php:124 -#: includes/fields/class-acf-field-radio.php:277 -#: includes/fields/class-acf-field-range.php:142 -#: includes/fields/class-acf-field-text.php:116 -#: includes/fields/class-acf-field-textarea.php:99 -#: includes/fields/class-acf-field-url.php:97 -#: includes/fields/class-acf-field-wysiwyg.php:422 -msgid "Appears when creating a new post" -msgstr "Valeur affichée à la création d'un article" - -#: includes/fields/class-acf-field-email.php:123 -#: includes/fields/class-acf-field-number.php:132 +#: includes/fields/class-acf-field-email.php:127 +#: includes/fields/class-acf-field-number.php:136 #: includes/fields/class-acf-field-password.php:71 -#: includes/fields/class-acf-field-text.php:124 -#: includes/fields/class-acf-field-textarea.php:107 -#: includes/fields/class-acf-field-url.php:105 +#: includes/fields/class-acf-field-text.php:128 +#: includes/fields/class-acf-field-textarea.php:111 +#: includes/fields/class-acf-field-url.php:109 msgid "Placeholder Text" msgstr "Texte de substitution" -#: includes/fields/class-acf-field-email.php:124 -#: includes/fields/class-acf-field-number.php:133 +#: includes/fields/class-acf-field-email.php:128 +#: includes/fields/class-acf-field-number.php:137 #: includes/fields/class-acf-field-password.php:72 -#: includes/fields/class-acf-field-text.php:125 -#: includes/fields/class-acf-field-textarea.php:108 -#: includes/fields/class-acf-field-url.php:106 +#: includes/fields/class-acf-field-text.php:129 +#: includes/fields/class-acf-field-textarea.php:112 +#: includes/fields/class-acf-field-url.php:110 msgid "Appears within the input" msgstr "Apparait dans le champ (placeholder)" -#: includes/fields/class-acf-field-email.php:132 -#: includes/fields/class-acf-field-number.php:141 +#: includes/fields/class-acf-field-email.php:136 +#: includes/fields/class-acf-field-number.php:145 #: includes/fields/class-acf-field-password.php:80 -#: includes/fields/class-acf-field-range.php:180 -#: includes/fields/class-acf-field-text.php:133 +#: includes/fields/class-acf-field-range.php:187 +#: includes/fields/class-acf-field-text.php:137 msgid "Prepend" msgstr "Préfixe" -#: includes/fields/class-acf-field-email.php:133 -#: includes/fields/class-acf-field-number.php:142 +#: includes/fields/class-acf-field-email.php:137 +#: includes/fields/class-acf-field-number.php:146 #: includes/fields/class-acf-field-password.php:81 -#: includes/fields/class-acf-field-range.php:181 -#: includes/fields/class-acf-field-text.php:134 +#: includes/fields/class-acf-field-range.php:188 +#: includes/fields/class-acf-field-text.php:138 msgid "Appears before the input" msgstr "Apparait avant le champ" -#: includes/fields/class-acf-field-email.php:141 -#: includes/fields/class-acf-field-number.php:150 +#: includes/fields/class-acf-field-email.php:145 +#: includes/fields/class-acf-field-number.php:154 #: includes/fields/class-acf-field-password.php:89 -#: includes/fields/class-acf-field-range.php:189 -#: includes/fields/class-acf-field-text.php:142 +#: includes/fields/class-acf-field-range.php:196 +#: includes/fields/class-acf-field-text.php:146 msgid "Append" msgstr "Suffixe" -#: includes/fields/class-acf-field-email.php:142 -#: includes/fields/class-acf-field-number.php:151 +#: includes/fields/class-acf-field-email.php:146 +#: includes/fields/class-acf-field-number.php:155 #: includes/fields/class-acf-field-password.php:90 -#: includes/fields/class-acf-field-range.php:190 -#: includes/fields/class-acf-field-text.php:143 +#: includes/fields/class-acf-field-range.php:197 +#: includes/fields/class-acf-field-text.php:147 msgid "Appears after the input" msgstr "Apparait après le champ" @@ -1858,14 +1922,14 @@ msgid "Uploaded to this post" msgstr "Liés à cette publication" # @ acf -#: includes/fields/class-acf-field-file.php:126 +#: includes/fields/class-acf-field-file.php:130 msgid "File name" msgstr "Nom du fichier" # @ acf -#: includes/fields/class-acf-field-file.php:130 -#: includes/fields/class-acf-field-file.php:233 -#: includes/fields/class-acf-field-file.php:244 +#: includes/fields/class-acf-field-file.php:134 +#: includes/fields/class-acf-field-file.php:237 +#: includes/fields/class-acf-field-file.php:248 #: includes/fields/class-acf-field-image.php:248 #: includes/fields/class-acf-field-image.php:277 #: pro/fields/class-acf-field-gallery.php:690 @@ -1874,7 +1938,7 @@ msgid "File size" msgstr "Taille du fichier" # @ acf -#: includes/fields/class-acf-field-file.php:139 +#: includes/fields/class-acf-field-file.php:143 #: includes/fields/class-acf-field-image.php:124 #: includes/fields/class-acf-field-link.php:140 includes/input.php:269 #: pro/fields/class-acf-field-gallery.php:343 @@ -1883,37 +1947,37 @@ msgid "Remove" msgstr "Enlever" # @ acf -#: includes/fields/class-acf-field-file.php:155 +#: includes/fields/class-acf-field-file.php:159 msgid "Add File" msgstr "Ajouter un fichier" -#: includes/fields/class-acf-field-file.php:206 +#: includes/fields/class-acf-field-file.php:210 msgid "File Array" msgstr "Données du fichier (array)" # @ acf -#: includes/fields/class-acf-field-file.php:207 +#: includes/fields/class-acf-field-file.php:211 msgid "File URL" msgstr "URL du fichier" # @ acf -#: includes/fields/class-acf-field-file.php:208 +#: includes/fields/class-acf-field-file.php:212 msgid "File ID" msgstr "ID du Fichier" -#: includes/fields/class-acf-field-file.php:215 +#: includes/fields/class-acf-field-file.php:219 #: includes/fields/class-acf-field-image.php:213 #: pro/fields/class-acf-field-gallery.php:655 msgid "Library" msgstr "Médias" -#: includes/fields/class-acf-field-file.php:216 +#: includes/fields/class-acf-field-file.php:220 #: includes/fields/class-acf-field-image.php:214 #: pro/fields/class-acf-field-gallery.php:656 msgid "Limit the media library choice" msgstr "Limiter le choix de la médiathèque" -#: includes/fields/class-acf-field-file.php:221 +#: includes/fields/class-acf-field-file.php:225 #: includes/fields/class-acf-field-image.php:219 #: includes/locations/class-acf-location-attachment.php:101 #: includes/locations/class-acf-location-comment.php:79 @@ -1926,38 +1990,38 @@ msgstr "Limiter le choix de la médiathèque" msgid "All" msgstr "Tous" -#: includes/fields/class-acf-field-file.php:222 +#: includes/fields/class-acf-field-file.php:226 #: includes/fields/class-acf-field-image.php:220 #: pro/fields/class-acf-field-gallery.php:662 msgid "Uploaded to post" msgstr "Liés à cet article" # @ acf -#: includes/fields/class-acf-field-file.php:229 +#: includes/fields/class-acf-field-file.php:233 #: includes/fields/class-acf-field-image.php:227 #: pro/fields/class-acf-field-gallery.php:669 msgid "Minimum" msgstr "Minimum" -#: includes/fields/class-acf-field-file.php:230 -#: includes/fields/class-acf-field-file.php:241 +#: includes/fields/class-acf-field-file.php:234 +#: includes/fields/class-acf-field-file.php:245 msgid "Restrict which files can be uploaded" msgstr "Restreindre l'import de fichiers" # @ acf -#: includes/fields/class-acf-field-file.php:240 +#: includes/fields/class-acf-field-file.php:244 #: includes/fields/class-acf-field-image.php:256 #: pro/fields/class-acf-field-gallery.php:698 msgid "Maximum" msgstr "Maximum" -#: includes/fields/class-acf-field-file.php:251 +#: includes/fields/class-acf-field-file.php:255 #: includes/fields/class-acf-field-image.php:285 #: pro/fields/class-acf-field-gallery.php:727 msgid "Allowed file types" msgstr "Types de fichiers autorisés" -#: includes/fields/class-acf-field-file.php:252 +#: includes/fields/class-acf-field-file.php:256 #: includes/fields/class-acf-field-image.php:286 #: pro/fields/class-acf-field-gallery.php:728 msgid "Comma separated list. Leave blank for all types" @@ -1989,7 +2053,7 @@ msgstr "Trouver l'emplacement actuel" #: includes/fields/class-acf-field-google-map.php:117 msgid "Search for address..." -msgstr "Rechercher une adresse" +msgstr "Rechercher une adresse..." #: includes/fields/class-acf-field-google-map.php:147 #: includes/fields/class-acf-field-google-map.php:158 @@ -2028,33 +2092,33 @@ msgid "Group" msgstr "Groupe" # @ acf -#: includes/fields/class-acf-field-group.php:461 +#: includes/fields/class-acf-field-group.php:459 #: pro/fields/class-acf-field-repeater.php:389 msgid "Sub Fields" msgstr "Sous champs" -#: includes/fields/class-acf-field-group.php:478 -#: pro/fields/class-acf-field-clone.php:839 +#: includes/fields/class-acf-field-group.php:475 +#: pro/fields/class-acf-field-clone.php:844 msgid "Specify the style used to render the selected fields" msgstr "Définit le style utilisé pour générer les champs sélectionnés" -#: includes/fields/class-acf-field-group.php:483 -#: pro/fields/class-acf-field-clone.php:844 -#: pro/fields/class-acf-field-flexible-content.php:612 +#: includes/fields/class-acf-field-group.php:480 +#: pro/fields/class-acf-field-clone.php:849 +#: pro/fields/class-acf-field-flexible-content.php:614 #: pro/fields/class-acf-field-repeater.php:458 msgid "Block" msgstr "Bloc" -#: includes/fields/class-acf-field-group.php:484 -#: pro/fields/class-acf-field-clone.php:845 -#: pro/fields/class-acf-field-flexible-content.php:611 +#: includes/fields/class-acf-field-group.php:481 +#: pro/fields/class-acf-field-clone.php:850 +#: pro/fields/class-acf-field-flexible-content.php:613 #: pro/fields/class-acf-field-repeater.php:457 msgid "Table" msgstr "Tableau" -#: includes/fields/class-acf-field-group.php:485 -#: pro/fields/class-acf-field-clone.php:846 -#: pro/fields/class-acf-field-flexible-content.php:613 +#: includes/fields/class-acf-field-group.php:482 +#: pro/fields/class-acf-field-clone.php:851 +#: pro/fields/class-acf-field-flexible-content.php:615 #: pro/fields/class-acf-field-repeater.php:459 msgid "Row" msgstr "Rangée" @@ -2167,28 +2231,28 @@ msgstr "Message" # @ acf #: includes/fields/class-acf-field-message.php:110 -#: includes/fields/class-acf-field-textarea.php:135 +#: includes/fields/class-acf-field-textarea.php:139 msgid "New Lines" msgstr "Nouvelles lignes" #: includes/fields/class-acf-field-message.php:111 -#: includes/fields/class-acf-field-textarea.php:136 +#: includes/fields/class-acf-field-textarea.php:140 msgid "Controls how new lines are rendered" msgstr "Comment sont interprétés les sauts de lignes" #: includes/fields/class-acf-field-message.php:115 -#: includes/fields/class-acf-field-textarea.php:140 +#: includes/fields/class-acf-field-textarea.php:144 msgid "Automatically add paragraphs" msgstr "Ajouter des paragraphes automatiquement" #: includes/fields/class-acf-field-message.php:116 -#: includes/fields/class-acf-field-textarea.php:141 +#: includes/fields/class-acf-field-textarea.php:145 msgid "Automatically add <br>" msgstr "Ajouter <br> automatiquement" # @ acf #: includes/fields/class-acf-field-message.php:117 -#: includes/fields/class-acf-field-textarea.php:142 +#: includes/fields/class-acf-field-textarea.php:146 msgid "No Formatting" msgstr "Pas de formatage" @@ -2204,32 +2268,32 @@ msgstr "Permettre l'affichage du code HTML à l'écran au lieu de l'interpréter msgid "Number" msgstr "Nombre" -#: includes/fields/class-acf-field-number.php:159 -#: includes/fields/class-acf-field-range.php:150 +#: includes/fields/class-acf-field-number.php:163 +#: includes/fields/class-acf-field-range.php:157 msgid "Minimum Value" msgstr "Valeur minimale" # @ acf -#: includes/fields/class-acf-field-number.php:168 -#: includes/fields/class-acf-field-range.php:160 +#: includes/fields/class-acf-field-number.php:172 +#: includes/fields/class-acf-field-range.php:167 msgid "Maximum Value" msgstr "Valeur maximale" -#: includes/fields/class-acf-field-number.php:177 -#: includes/fields/class-acf-field-range.php:170 +#: includes/fields/class-acf-field-number.php:181 +#: includes/fields/class-acf-field-range.php:177 msgid "Step Size" msgstr "Pas" -#: includes/fields/class-acf-field-number.php:215 +#: includes/fields/class-acf-field-number.php:219 msgid "Value must be a number" msgstr "La valeur doit être un nombre" -#: includes/fields/class-acf-field-number.php:233 +#: includes/fields/class-acf-field-number.php:237 #, php-format msgid "Value must be equal to or higher than %d" msgstr "La valeur doit être être supérieure ou égale à %d" -#: includes/fields/class-acf-field-number.php:241 +#: includes/fields/class-acf-field-number.php:245 #, php-format msgid "Value must be equal to or lower than %d" msgstr "La valeur doit être inférieure ou égale à %d" @@ -2243,7 +2307,7 @@ msgid "Enter URL" msgstr "Entrez l'URL" #: includes/fields/class-acf-field-oembed.php:234 -#: includes/fields/class-acf-field-taxonomy.php:893 +#: includes/fields/class-acf-field-taxonomy.php:898 msgid "Error." msgstr "Erreur." @@ -2260,6 +2324,12 @@ msgstr "Dimensions" msgid "Archives" msgstr "Archives" +#: includes/fields/class-acf-field-page_link.php:269 +#: includes/fields/class-acf-field-post_object.php:268 +#: includes/fields/class-acf-field-taxonomy.php:986 +msgid "Parent" +msgstr "Parent" + #: includes/fields/class-acf-field-page_link.php:485 #: includes/fields/class-acf-field-post_object.php:384 #: includes/fields/class-acf-field-relationship.php:623 @@ -2285,16 +2355,6 @@ msgstr "Filtrer par taxonomie" msgid "All taxonomies" msgstr "Toutes les taxonomies" -# @ acf -#: includes/fields/class-acf-field-page_link.php:513 -#: includes/fields/class-acf-field-post_object.php:412 -#: includes/fields/class-acf-field-radio.php:244 -#: includes/fields/class-acf-field-select.php:386 -#: includes/fields/class-acf-field-taxonomy.php:788 -#: includes/fields/class-acf-field-user.php:408 -msgid "Allow Null?" -msgstr "Autoriser une valeur vide ?" - #: includes/fields/class-acf-field-page_link.php:523 msgid "Allow Archives URLs" msgstr "Afficher les pages d’archives" @@ -2316,7 +2376,7 @@ msgstr "Mot de passe" #: includes/fields/class-acf-field-post_object.php:437 #: includes/fields/class-acf-field-relationship.php:702 msgid "Post Object" -msgstr "Objet 'article'" +msgstr "Objet Article" # @ acf #: includes/fields/class-acf-field-post_object.php:438 @@ -2331,7 +2391,7 @@ msgstr "Bouton radio" #: includes/fields/class-acf-field-radio.php:254 msgid "Other" -msgstr "Champ \"Autre\"" +msgstr "Autre" #: includes/fields/class-acf-field-radio.php:259 msgid "Add 'other' choice to allow for custom values" @@ -2339,7 +2399,7 @@ msgstr "Ajouter 'autre' pour autoriser une valeur personnalisée" #: includes/fields/class-acf-field-radio.php:265 msgid "Save Other" -msgstr "Enregistrer " +msgstr "Enregistrer" #: includes/fields/class-acf-field-radio.php:270 msgid "Save 'other' values to the field's choices" @@ -2381,7 +2441,7 @@ msgstr "Choisissez la taxonomie" #: includes/fields/class-acf-field-relationship.php:539 msgid "Search..." -msgstr "Rechercher" +msgstr "Rechercher..." #: includes/fields/class-acf-field-relationship.php:651 msgid "Filters" @@ -2396,7 +2456,7 @@ msgstr "Type de publication" # @ acf #: includes/fields/class-acf-field-relationship.php:658 #: includes/fields/class-acf-field-taxonomy.php:28 -#: includes/fields/class-acf-field-taxonomy.php:758 +#: includes/fields/class-acf-field-taxonomy.php:763 msgid "Taxonomy" msgstr "Taxonomie" @@ -2427,7 +2487,7 @@ msgstr[0] "%s requiert au moins %s sélection" msgstr[1] "%s requiert au moins %s sélections" #: includes/fields/class-acf-field-select.php:25 -#: includes/fields/class-acf-field-taxonomy.php:780 +#: includes/fields/class-acf-field-taxonomy.php:785 msgctxt "noun" msgid "Select" msgstr "Sélection" @@ -2525,138 +2585,112 @@ msgstr "Séparateur" msgid "Tab" msgstr "Onglet" -#: includes/fields/class-acf-field-tab.php:82 -msgid "" -"The tab field will display incorrectly when added to a Table style repeater " -"field or flexible content field layout" -msgstr "" -"Le champ onglet ne s'affichera pas correctement quand il est ajouté à un " -"champ répéteur en disposition table ou dans un champ à disposition flexible" - -#: includes/fields/class-acf-field-tab.php:83 -msgid "" -"Use \"Tab Fields\" to better organize your edit screen by grouping fields " -"together." -msgstr "" -"Utilisez les \"Onglets\" pour mieux organiser votre écran d'édition de " -"contenu en groupant ensemble les champs." - -#: includes/fields/class-acf-field-tab.php:84 -msgid "" -"All fields following this \"tab field\" (or until another \"tab field\" is " -"defined) will be grouped together using this field's label as the tab " -"heading." -msgstr "" -"Tous les champs listés sous cet \"onglet\" (ou jusqu'au prochain \"onglet" -"\") apparaitront regroupés sur la page d'édition." - -#: includes/fields/class-acf-field-tab.php:98 +#: includes/fields/class-acf-field-tab.php:102 msgid "Placement" msgstr "Emplacement" -#: includes/fields/class-acf-field-tab.php:110 -msgid "End-point" -msgstr "Fin de série" +#: includes/fields/class-acf-field-tab.php:115 +msgid "" +"Define an endpoint for the previous tabs to stop. This will start a new " +"group of tabs." +msgstr "" +"Définir un point de terminaison pour arrêter les précédents onglets. Cela va " +"commencer un nouveau groupe d'onglets." -#: includes/fields/class-acf-field-tab.php:111 -msgid "Use this field as an end-point and start a new group of tabs" -msgstr "Le prochain onglet sera disposé à la ligne" +#: includes/fields/class-acf-field-taxonomy.php:713 +#, php-format +msgctxt "No terms" +msgid "No %s" +msgstr "Pas de %s" -#: includes/fields/class-acf-field-taxonomy.php:708 -#: includes/fields/class-acf-field-true_false.php:80 -#: includes/fields/class-acf-field-true_false.php:169 includes/input.php:268 -#: pro/admin/views/html-settings-updates.php:99 -msgid "No" -msgstr "Non" - -#: includes/fields/class-acf-field-taxonomy.php:727 +#: includes/fields/class-acf-field-taxonomy.php:732 msgid "None" msgstr "Aucun" # @ acf -#: includes/fields/class-acf-field-taxonomy.php:759 +#: includes/fields/class-acf-field-taxonomy.php:764 msgid "Select the taxonomy to be displayed" msgstr "Choisissez la taxonomie à afficher" -#: includes/fields/class-acf-field-taxonomy.php:768 +#: includes/fields/class-acf-field-taxonomy.php:773 msgid "Appearance" msgstr "Apparence" # @ acf -#: includes/fields/class-acf-field-taxonomy.php:769 +#: includes/fields/class-acf-field-taxonomy.php:774 msgid "Select the appearance of this field" msgstr "Personnaliser l'apparence de champ" # @ acf -#: includes/fields/class-acf-field-taxonomy.php:774 +#: includes/fields/class-acf-field-taxonomy.php:779 msgid "Multiple Values" msgstr "Valeurs multiples" # @ acf -#: includes/fields/class-acf-field-taxonomy.php:776 +#: includes/fields/class-acf-field-taxonomy.php:781 msgid "Multi Select" msgstr "Sélecteur multiple" -#: includes/fields/class-acf-field-taxonomy.php:778 +#: includes/fields/class-acf-field-taxonomy.php:783 msgid "Single Value" msgstr "Valeur seule" # @ acf -#: includes/fields/class-acf-field-taxonomy.php:779 +#: includes/fields/class-acf-field-taxonomy.php:784 msgid "Radio Buttons" msgstr "Boutons radio" # @ acf -#: includes/fields/class-acf-field-taxonomy.php:798 +#: includes/fields/class-acf-field-taxonomy.php:803 msgid "Create Terms" msgstr "Créer des termes" -#: includes/fields/class-acf-field-taxonomy.php:799 +#: includes/fields/class-acf-field-taxonomy.php:804 msgid "Allow new terms to be created whilst editing" msgstr "Autoriser la création de nouveaux termes pendant l'édition" -#: includes/fields/class-acf-field-taxonomy.php:808 +#: includes/fields/class-acf-field-taxonomy.php:813 msgid "Save Terms" msgstr "Enregistrer les termes" -#: includes/fields/class-acf-field-taxonomy.php:809 +#: includes/fields/class-acf-field-taxonomy.php:814 msgid "Connect selected terms to the post" msgstr "Lier les termes sélectionnés à l'article" -#: includes/fields/class-acf-field-taxonomy.php:818 +#: includes/fields/class-acf-field-taxonomy.php:823 msgid "Load Terms" msgstr "Charger les termes" -#: includes/fields/class-acf-field-taxonomy.php:819 +#: includes/fields/class-acf-field-taxonomy.php:824 msgid "Load value from posts terms" msgstr "Charger une valeur depuis les termes" # @ acf -#: includes/fields/class-acf-field-taxonomy.php:833 +#: includes/fields/class-acf-field-taxonomy.php:838 msgid "Term Object" msgstr "Objet Terme" -#: includes/fields/class-acf-field-taxonomy.php:834 +#: includes/fields/class-acf-field-taxonomy.php:839 msgid "Term ID" msgstr "ID du terme" -#: includes/fields/class-acf-field-taxonomy.php:893 +#: includes/fields/class-acf-field-taxonomy.php:898 #, php-format msgid "User unable to add new %s" msgstr "Utilisateur incapable d'ajouter un nouveau %s" -#: includes/fields/class-acf-field-taxonomy.php:906 +#: includes/fields/class-acf-field-taxonomy.php:911 #, php-format msgid "%s already exists" msgstr "%s existe déjà" -#: includes/fields/class-acf-field-taxonomy.php:947 +#: includes/fields/class-acf-field-taxonomy.php:952 #, php-format msgid "%s added" msgstr "%s Ajouté" # @ acf -#: includes/fields/class-acf-field-taxonomy.php:992 +#: includes/fields/class-acf-field-taxonomy.php:997 msgid "Add" msgstr "Ajouter" @@ -2665,13 +2699,13 @@ msgstr "Ajouter" msgid "Text" msgstr "Texte" -#: includes/fields/class-acf-field-text.php:151 -#: includes/fields/class-acf-field-textarea.php:116 +#: includes/fields/class-acf-field-text.php:155 +#: includes/fields/class-acf-field-textarea.php:120 msgid "Character Limit" msgstr "Limite de caractères" -#: includes/fields/class-acf-field-text.php:152 -#: includes/fields/class-acf-field-textarea.php:117 +#: includes/fields/class-acf-field-text.php:156 +#: includes/fields/class-acf-field-textarea.php:121 msgid "Leave blank for no limit" msgstr "Laisser vide pour illimité" @@ -2680,11 +2714,11 @@ msgstr "Laisser vide pour illimité" msgid "Text Area" msgstr "Zone de texte" -#: includes/fields/class-acf-field-textarea.php:125 +#: includes/fields/class-acf-field-textarea.php:129 msgid "Rows" msgstr "Lignes" -#: includes/fields/class-acf-field-textarea.php:126 +#: includes/fields/class-acf-field-textarea.php:130 msgid "Sets the textarea height" msgstr "Hauteur du champ" @@ -2703,6 +2737,12 @@ msgstr "Vrai / Faux" msgid "Yes" msgstr "Oui" +#: includes/fields/class-acf-field-true_false.php:80 +#: includes/fields/class-acf-field-true_false.php:169 includes/input.php:268 +#: pro/admin/views/html-settings-updates.php:99 +msgid "No" +msgstr "Non" + #: includes/fields/class-acf-field-true_false.php:127 msgid "Displays text alongside the checkbox" msgstr "Affiche le texte aux côtés de la case à cocher" @@ -2727,7 +2767,7 @@ msgstr "Texte affiché lorsqu’il est désactivé" msgid "Url" msgstr "URL" -#: includes/fields/class-acf-field-url.php:147 +#: includes/fields/class-acf-field-url.php:151 msgid "Value must be a valid URL" msgstr "La valeur doit être une URL valide" @@ -2748,52 +2788,52 @@ msgstr "Tous les rôles utilisateurs" msgid "Wysiwyg Editor" msgstr "Éditeur WYSIWYG" -#: includes/fields/class-acf-field-wysiwyg.php:370 +#: includes/fields/class-acf-field-wysiwyg.php:359 msgid "Visual" msgstr "Visuel" # @ acf -#: includes/fields/class-acf-field-wysiwyg.php:371 +#: includes/fields/class-acf-field-wysiwyg.php:360 msgctxt "Name for the Text editor tab (formerly HTML)" msgid "Text" msgstr "Texte" -#: includes/fields/class-acf-field-wysiwyg.php:377 +#: includes/fields/class-acf-field-wysiwyg.php:366 msgid "Click to initialize TinyMCE" msgstr "Cliquez pour initialiser TinyMCE" -#: includes/fields/class-acf-field-wysiwyg.php:430 +#: includes/fields/class-acf-field-wysiwyg.php:419 msgid "Tabs" msgstr "Onglets" -#: includes/fields/class-acf-field-wysiwyg.php:435 +#: includes/fields/class-acf-field-wysiwyg.php:424 msgid "Visual & Text" msgstr "Visuel & Texte brut" -#: includes/fields/class-acf-field-wysiwyg.php:436 +#: includes/fields/class-acf-field-wysiwyg.php:425 msgid "Visual Only" msgstr "Éditeur visuel seulement" # @ acf -#: includes/fields/class-acf-field-wysiwyg.php:437 +#: includes/fields/class-acf-field-wysiwyg.php:426 msgid "Text Only" msgstr "Texte brut seulement" # @ acf -#: includes/fields/class-acf-field-wysiwyg.php:444 +#: includes/fields/class-acf-field-wysiwyg.php:433 msgid "Toolbar" msgstr "Barre d‘outils" # @ acf -#: includes/fields/class-acf-field-wysiwyg.php:454 +#: includes/fields/class-acf-field-wysiwyg.php:443 msgid "Show Media Upload Buttons?" msgstr "Afficher les boutons d‘ajout de médias ?" -#: includes/fields/class-acf-field-wysiwyg.php:464 +#: includes/fields/class-acf-field-wysiwyg.php:453 msgid "Delay initialization?" msgstr "Retarder l’initialisation ?" -#: includes/fields/class-acf-field-wysiwyg.php:465 +#: includes/fields/class-acf-field-wysiwyg.php:454 msgid "TinyMCE will not be initalized until field is clicked" msgstr "" "TinyMCE ne sera pas automatiquement initialisé si cette option est activée" @@ -2819,7 +2859,7 @@ msgstr "Mise à jour" msgid "Post updated" msgstr "Article mis à jour" -#: includes/forms/form-front.php:229 +#: includes/forms/form-front.php:230 msgid "Spam Detected" msgstr "Spam repéré" @@ -3139,56 +3179,56 @@ msgctxt "noun" msgid "Clone" msgstr "Clone" -#: pro/fields/class-acf-field-clone.php:807 +#: pro/fields/class-acf-field-clone.php:812 msgid "Select one or more fields you wish to clone" msgstr "Sélectionnez un ou plusieurs champs à cloner" # @ acf -#: pro/fields/class-acf-field-clone.php:824 +#: pro/fields/class-acf-field-clone.php:829 msgid "Display" msgstr "Format d'affichage" -#: pro/fields/class-acf-field-clone.php:825 +#: pro/fields/class-acf-field-clone.php:830 msgid "Specify the style used to render the clone field" msgstr "Définit le style utilisé pour générer le champ dupliqué" -#: pro/fields/class-acf-field-clone.php:830 +#: pro/fields/class-acf-field-clone.php:835 msgid "Group (displays selected fields in a group within this field)" msgstr "" "Groupe (affiche les champs sélectionnés dans un groupe à l’intérieur de ce " -"champ) " +"champ)" -#: pro/fields/class-acf-field-clone.php:831 +#: pro/fields/class-acf-field-clone.php:836 msgid "Seamless (replaces this field with selected fields)" msgstr "Remplace ce champ par les champs sélectionnés" -#: pro/fields/class-acf-field-clone.php:852 +#: pro/fields/class-acf-field-clone.php:857 #, php-format msgid "Labels will be displayed as %s" msgstr "Les libellés seront affichés en tant que %s" -#: pro/fields/class-acf-field-clone.php:855 +#: pro/fields/class-acf-field-clone.php:860 msgid "Prefix Field Labels" msgstr "Préfixer les libellés de champs" -#: pro/fields/class-acf-field-clone.php:866 +#: pro/fields/class-acf-field-clone.php:871 #, php-format msgid "Values will be saved as %s" msgstr "Les valeurs seront enregistrées en tant que %s" -#: pro/fields/class-acf-field-clone.php:869 +#: pro/fields/class-acf-field-clone.php:874 msgid "Prefix Field Names" msgstr "Préfixer les noms de champs" -#: pro/fields/class-acf-field-clone.php:987 +#: pro/fields/class-acf-field-clone.php:992 msgid "Unknown field" msgstr "Champ inconnu" -#: pro/fields/class-acf-field-clone.php:1026 +#: pro/fields/class-acf-field-clone.php:1031 msgid "Unknown field group" msgstr "Groupe de champ inconnu" -#: pro/fields/class-acf-field-clone.php:1030 +#: pro/fields/class-acf-field-clone.php:1035 #, php-format msgid "All fields from %s field group" msgstr "Tous les champs du groupe %s" @@ -3203,12 +3243,12 @@ msgstr "Ajouter un élément" # @ acf #: pro/fields/class-acf-field-flexible-content.php:34 msgid "layout" -msgstr "Disposition" +msgstr "disposition" # @ acf #: pro/fields/class-acf-field-flexible-content.php:35 msgid "layouts" -msgstr "Dispositions" +msgstr "dispositions" #: pro/fields/class-acf-field-flexible-content.php:36 msgid "remove {layout}?" @@ -3265,48 +3305,48 @@ msgid "Click to toggle" msgstr "Cliquer pour intervertir" # @ acf -#: pro/fields/class-acf-field-flexible-content.php:554 +#: pro/fields/class-acf-field-flexible-content.php:556 msgid "Reorder Layout" msgstr "Réorganiser la disposition" -#: pro/fields/class-acf-field-flexible-content.php:554 +#: pro/fields/class-acf-field-flexible-content.php:556 msgid "Reorder" msgstr "Réorganiser" # @ acf -#: pro/fields/class-acf-field-flexible-content.php:555 +#: pro/fields/class-acf-field-flexible-content.php:557 msgid "Delete Layout" msgstr "Supprimer la disposition" -#: pro/fields/class-acf-field-flexible-content.php:556 +#: pro/fields/class-acf-field-flexible-content.php:558 msgid "Duplicate Layout" msgstr "Dupliquer la disposition" # @ acf -#: pro/fields/class-acf-field-flexible-content.php:557 +#: pro/fields/class-acf-field-flexible-content.php:559 msgid "Add New Layout" msgstr "Ajouter une disposition" -#: pro/fields/class-acf-field-flexible-content.php:628 +#: pro/fields/class-acf-field-flexible-content.php:630 msgid "Min" msgstr "Min" -#: pro/fields/class-acf-field-flexible-content.php:641 +#: pro/fields/class-acf-field-flexible-content.php:643 msgid "Max" msgstr "Max" -#: pro/fields/class-acf-field-flexible-content.php:668 +#: pro/fields/class-acf-field-flexible-content.php:670 #: pro/fields/class-acf-field-repeater.php:466 msgid "Button Label" msgstr "Intitulé du bouton" # @ acf -#: pro/fields/class-acf-field-flexible-content.php:677 +#: pro/fields/class-acf-field-flexible-content.php:679 msgid "Minimum Layouts" msgstr "Nombre minimum de dispositions" # @ acf -#: pro/fields/class-acf-field-flexible-content.php:686 +#: pro/fields/class-acf-field-flexible-content.php:688 msgid "Maximum Layouts" msgstr "Nombre maximum de dispositions" @@ -3461,6 +3501,48 @@ msgstr "Elliot Condon" msgid "http://www.elliotcondon.com/" msgstr "http://www.elliotcondon.com/" +# @ acf +#~ msgid "Export Field Groups to PHP" +#~ msgstr "Exportez des groupes de champs en PHP" + +#~ msgid "Download export file" +#~ msgstr "Télécharger le fichier d'export" + +#~ msgid "Generate export code" +#~ msgstr "Générer le code d'export" + +#~ msgid "Import" +#~ msgstr "Importer" + +#~ msgid "" +#~ "The tab field will display incorrectly when added to a Table style " +#~ "repeater field or flexible content field layout" +#~ msgstr "" +#~ "Le champ onglet ne s'affichera pas correctement quand il est ajouté à un " +#~ "champ répéteur en disposition table ou dans un champ à disposition " +#~ "flexible" + +#~ msgid "" +#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields " +#~ "together." +#~ msgstr "" +#~ "Utilisez les \"Onglets\" pour mieux organiser votre écran d'édition de " +#~ "contenu en groupant ensemble les champs." + +#~ msgid "" +#~ "All fields following this \"tab field\" (or until another \"tab field\" " +#~ "is defined) will be grouped together using this field's label as the tab " +#~ "heading." +#~ msgstr "" +#~ "Tous les champs listés sous cet \"onglet\" (ou jusqu'au prochain \"onglet" +#~ "\") apparaitront regroupés sur la page d'édition." + +#~ msgid "End-point" +#~ msgstr "Fin de série" + +#~ msgid "Use this field as an end-point and start a new group of tabs" +#~ msgstr "Le prochain onglet sera disposé à la ligne" + #~ msgid "Getting Started" #~ msgstr "Guide de démarrage" diff --git a/lang/acf-he_IL.mo b/lang/acf-he_IL.mo index aac33ee..d3d4f6e 100644 Binary files a/lang/acf-he_IL.mo and b/lang/acf-he_IL.mo differ diff --git a/lang/acf-he_IL.po b/lang/acf-he_IL.po index bfb4c52..334f3c4 100644 --- a/lang/acf-he_IL.po +++ b/lang/acf-he_IL.po @@ -10,7 +10,7 @@ msgstr "" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.8.11\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -660,7 +660,7 @@ msgstr "מיושר למעלה" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "מיושר לשמאל" #: includes/admin/views/field-group-options.php:70 @@ -1282,7 +1282,8 @@ msgstr "יחסי" msgid "jQuery" msgstr "jQuery" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -2588,8 +2589,8 @@ msgstr "" msgid "Validate Email" msgstr "" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "עדכון" diff --git a/lang/acf-hu_HU.mo b/lang/acf-hu_HU.mo index 5c5b494..52f1e67 100644 Binary files a/lang/acf-hu_HU.mo and b/lang/acf-hu_HU.mo differ diff --git a/lang/acf-hu_HU.po b/lang/acf-hu_HU.po index 2680c02..12f55f7 100644 --- a/lang/acf-hu_HU.po +++ b/lang/acf-hu_HU.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2015-08-11 23:26+0200\n" -"PO-Revision-Date: 2016-11-03 17:11+1000\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Elliot Condon \n" "Language: hu_HU\n" @@ -13,9 +13,8 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" -"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" -"esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" -"_nx_noop:3c,1,2;__ngettext_noop:1,2\n" +"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;esc_attr_e;esc_attr_x:1,2c;" +"esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;_nx_noop:3c,1,2;__ngettext_noop:1,2\n" "X-Poedit-Basepath: ..\n" "X-Poedit-WPHeader: acf.php\n" "X-Textdomain-Support: yes\n" @@ -34,8 +33,7 @@ msgstr "" msgid "Field Group" msgstr "Mezőcsoport" -#: acf.php:207 acf.php:239 admin/admin.php:62 -#: pro/fields/flexible-content.php:517 +#: acf.php:207 acf.php:239 admin/admin.php:62 pro/fields/flexible-content.php:517 msgid "Add New" msgstr "Új hozzáadása" @@ -67,8 +65,7 @@ msgstr "Nincsenek mezőcsoportok" msgid "No Field Groups found in Trash" msgstr "Nem található mezőcsoport a lomtárban." -#: acf.php:237 admin/field-group.php:182 admin/field-group.php:213 -#: admin/field-groups.php:519 +#: acf.php:237 admin/field-group.php:182 admin/field-group.php:213 admin/field-groups.php:519 msgid "Fields" msgstr "Mezők" @@ -84,8 +81,7 @@ msgstr "Mező hozzáadása" msgid "Edit Field" msgstr "Mező szerkesztése" -#: acf.php:242 admin/views/field-group-fields.php:18 -#: admin/views/settings-info.php:111 +#: acf.php:242 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111 msgid "New Field" msgstr "Új mező" @@ -169,10 +165,8 @@ msgstr "A mezőcsoport címét kötelező megadni" msgid "copy" msgstr "másolat" -#: admin/field-group.php:181 -#: admin/views/field-group-field-conditional-logic.php:67 -#: admin/views/field-group-field-conditional-logic.php:162 -#: admin/views/field-group-locations.php:23 +#: admin/field-group.php:181 admin/views/field-group-field-conditional-logic.php:67 +#: admin/views/field-group-field-conditional-logic.php:162 admin/views/field-group-locations.php:23 #: admin/views/field-group-locations.php:131 api/api-helpers.php:3262 msgid "or" msgstr "vagy" @@ -261,9 +255,8 @@ msgstr "" msgid "Super Admin" msgstr "Szuper admin" -#: admin/field-group.php:818 admin/field-group.php:826 -#: admin/field-group.php:840 admin/field-group.php:847 -#: admin/field-group.php:862 admin/field-group.php:872 fields/file.php:235 +#: admin/field-group.php:818 admin/field-group.php:826 admin/field-group.php:840 +#: admin/field-group.php:847 admin/field-group.php:862 admin/field-group.php:872 fields/file.php:235 #: fields/image.php:226 pro/fields/gallery.php:653 msgid "All" msgstr "Összes" @@ -337,8 +330,8 @@ msgstr "" msgid "Title" msgstr "Cím" -#: admin/field-groups.php:517 admin/views/field-group-options.php:98 -#: admin/views/update-network.php:20 admin/views/update-network.php:28 +#: admin/field-groups.php:517 admin/views/field-group-options.php:98 admin/views/update-network.php:20 +#: admin/views/update-network.php:28 msgid "Description" msgstr "" @@ -346,8 +339,7 @@ msgstr "" msgid "Status" msgstr "" -#: admin/field-groups.php:616 admin/settings-info.php:76 -#: pro/admin/views/settings-updates.php:111 +#: admin/field-groups.php:616 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111 msgid "Changelog" msgstr "Változások (changelog)" @@ -367,8 +359,7 @@ msgstr "Források" msgid "Getting Started" msgstr "Kezdjük el" -#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 -#: pro/admin/views/settings-updates.php:17 +#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 pro/admin/views/settings-updates.php:17 msgid "Updates" msgstr "Frissítések" @@ -404,8 +395,8 @@ msgstr "Szerző" msgid "Duplicate this item" msgstr "" -#: admin/field-groups.php:673 admin/field-groups.php:685 -#: admin/views/field-group-field.php:58 pro/fields/flexible-content.php:516 +#: admin/field-groups.php:673 admin/field-groups.php:685 admin/views/field-group-field.php:58 +#: pro/fields/flexible-content.php:516 msgid "Duplicate" msgstr "Duplikálás" @@ -438,8 +429,7 @@ msgstr "Információ" msgid "What's New" msgstr "Újdonságok" -#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 -#: admin/views/settings-tools.php:31 +#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 admin/views/settings-tools.php:31 msgid "Tools" msgstr "" @@ -470,12 +460,10 @@ msgstr "Sikeres. Az importáló eszköz %s mezőcsoportot adott hozzá: % #: admin/settings-tools.php:332 #, php-format -msgid "" -"Warning. Import tool detected %s field groups already exist and have " -"been ignored: %s" +msgid "Warning. Import tool detected %s field groups already exist and have been ignored: %s" msgstr "" -"Figyelmeztetés. Az importáló eszköz észlelte, hogy %s mezőcsoport már " -"létezik, így ezeket figyelmen kívül hagyta: %s" +"Figyelmeztetés. Az importáló eszköz észlelte, hogy %s mezőcsoport már létezik, így ezeket " +"figyelmen kívül hagyta: %s" #: admin/update.php:113 msgid "Upgrade ACF" @@ -497,25 +485,20 @@ msgstr "" msgid "Conditional Logic" msgstr "Logikai feltételek" -#: admin/views/field-group-field-conditional-logic.php:40 -#: admin/views/field-group-field.php:137 fields/checkbox.php:246 -#: fields/message.php:117 fields/page_link.php:568 fields/page_link.php:582 -#: fields/post_object.php:434 fields/post_object.php:448 fields/select.php:411 -#: fields/select.php:425 fields/select.php:439 fields/select.php:453 -#: fields/tab.php:172 fields/taxonomy.php:770 fields/taxonomy.php:784 -#: fields/taxonomy.php:798 fields/taxonomy.php:812 fields/user.php:457 -#: fields/user.php:471 fields/wysiwyg.php:384 -#: pro/admin/views/settings-updates.php:93 +#: admin/views/field-group-field-conditional-logic.php:40 admin/views/field-group-field.php:137 +#: fields/checkbox.php:246 fields/message.php:117 fields/page_link.php:568 fields/page_link.php:582 +#: fields/post_object.php:434 fields/post_object.php:448 fields/select.php:411 fields/select.php:425 +#: fields/select.php:439 fields/select.php:453 fields/tab.php:172 fields/taxonomy.php:770 +#: fields/taxonomy.php:784 fields/taxonomy.php:798 fields/taxonomy.php:812 fields/user.php:457 +#: fields/user.php:471 fields/wysiwyg.php:384 pro/admin/views/settings-updates.php:93 msgid "Yes" msgstr "Igen" -#: admin/views/field-group-field-conditional-logic.php:41 -#: admin/views/field-group-field.php:138 fields/checkbox.php:247 -#: fields/message.php:118 fields/page_link.php:569 fields/page_link.php:583 -#: fields/post_object.php:435 fields/post_object.php:449 fields/select.php:412 -#: fields/select.php:426 fields/select.php:440 fields/select.php:454 -#: fields/tab.php:173 fields/taxonomy.php:685 fields/taxonomy.php:771 -#: fields/taxonomy.php:785 fields/taxonomy.php:799 fields/taxonomy.php:813 +#: admin/views/field-group-field-conditional-logic.php:41 admin/views/field-group-field.php:138 +#: fields/checkbox.php:247 fields/message.php:118 fields/page_link.php:569 fields/page_link.php:583 +#: fields/post_object.php:435 fields/post_object.php:449 fields/select.php:412 fields/select.php:426 +#: fields/select.php:440 fields/select.php:454 fields/tab.php:173 fields/taxonomy.php:685 +#: fields/taxonomy.php:771 fields/taxonomy.php:785 fields/taxonomy.php:799 fields/taxonomy.php:813 #: fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:385 #: pro/admin/views/settings-updates.php:103 msgid "No" @@ -525,23 +508,19 @@ msgstr "Nem" msgid "Show this field if" msgstr "Mező megjelenítése, ha" -#: admin/views/field-group-field-conditional-logic.php:111 -#: admin/views/field-group-locations.php:88 +#: admin/views/field-group-field-conditional-logic.php:111 admin/views/field-group-locations.php:88 msgid "is equal to" msgstr "egyenlő" -#: admin/views/field-group-field-conditional-logic.php:112 -#: admin/views/field-group-locations.php:89 +#: admin/views/field-group-field-conditional-logic.php:112 admin/views/field-group-locations.php:89 msgid "is not equal to" msgstr "nem egyenlő" -#: admin/views/field-group-field-conditional-logic.php:149 -#: admin/views/field-group-locations.php:118 +#: admin/views/field-group-field-conditional-logic.php:149 admin/views/field-group-locations.php:118 msgid "and" msgstr "és" -#: admin/views/field-group-field-conditional-logic.php:164 -#: admin/views/field-group-locations.php:133 +#: admin/views/field-group-field-conditional-logic.php:164 admin/views/field-group-locations.php:133 msgid "Add rule group" msgstr "Szabálycsoport hozzáadása" @@ -573,8 +552,7 @@ msgstr "Mező törlése" msgid "Delete" msgstr "Törlés" -#: admin/views/field-group-field.php:68 fields/oembed.php:212 -#: fields/taxonomy.php:886 +#: admin/views/field-group-field.php:68 fields/oembed.php:212 fields/taxonomy.php:886 msgid "Error" msgstr "Hiba" @@ -600,9 +578,7 @@ msgstr "Mezőnév" #: admin/views/field-group-field.php:94 msgid "Single word, no spaces. Underscores and dashes allowed" -msgstr "" -"Egyetlen szó, szóközök és ékezetek nélkül, alulvonás és kötőjel használata " -"megengedett" +msgstr "Egyetlen szó, szóközök és ékezetek nélkül, alulvonás és kötőjel használata megengedett" #: admin/views/field-group-field.php:105 msgid "Field Type" @@ -657,12 +633,9 @@ msgid "Type" msgstr "Típus" #: admin/views/field-group-fields.php:44 -msgid "" -"No fields. Click the + Add Field button to create your " -"first field." +msgid "No fields. Click the + Add Field button to create your first field." msgstr "" -"Nincsenek mezők. Kattintsunk a +Mező hozzáadása gombra az " -"első mező létrehozásához." +"Nincsenek mezők. Kattintsunk a +Mező hozzáadása gombra az első mező létrehozásához." #: admin/views/field-group-fields.php:51 msgid "Drag and drop to reorder" @@ -677,19 +650,14 @@ msgid "Rules" msgstr "Szabályok" #: admin/views/field-group-locations.php:6 -msgid "" -"Create a set of rules to determine which edit screens will use these " -"advanced custom fields" -msgstr "" -"Hozzunk létre szabályokat, hogy melyik szerkesztőképernyők használják a " -"mezőcsoportot" +msgid "Create a set of rules to determine which edit screens will use these advanced custom fields" +msgstr "Hozzunk létre szabályokat, hogy melyik szerkesztőképernyők használják a mezőcsoportot" #: admin/views/field-group-locations.php:21 msgid "Show this field group if" msgstr "Mezőcsoport megjelenítése, ha" -#: admin/views/field-group-locations.php:41 -#: admin/views/field-group-locations.php:47 +#: admin/views/field-group-locations.php:41 admin/views/field-group-locations.php:47 msgid "Post" msgstr "Bejegyzés" @@ -713,8 +681,7 @@ msgstr "Bejegyzés-kategória" msgid "Post Taxonomy" msgstr "Bejegyzés-osztályozás (taxonómia)" -#: admin/views/field-group-locations.php:49 -#: admin/views/field-group-locations.php:53 +#: admin/views/field-group-locations.php:49 admin/views/field-group-locations.php:53 msgid "Page" msgstr "Oldal" @@ -807,7 +774,7 @@ msgid "Top aligned" msgstr "Fent" #: admin/views/field-group-options.php:65 fields/tab.php:160 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Balra" #: admin/views/field-group-options.php:72 @@ -844,8 +811,8 @@ msgstr "" #: admin/views/field-group-options.php:110 msgid "" -"If multiple field groups appear on an edit screen, the first field group's " -"options will be used (the one with the lowest order number)" +"If multiple field groups appear on an edit screen, the first field group's options will be used (the " +"one with the lowest order number)" msgstr "" #: admin/views/field-group-options.php:117 @@ -918,12 +885,8 @@ msgstr "Üdvözlet! Itt az Advanced Custom Fields" #: admin/views/settings-info.php:10 #, php-format -msgid "" -"Thank you for updating! ACF %s is bigger and better than ever before. We " -"hope you like it." -msgstr "" -"Köszönjük a frissítést! Az ACF %s nagyobb és jobb, mint valaha. Reméljük, " -"tetszeni fog!" +msgid "Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it." +msgstr "Köszönjük a frissítést! Az ACF %s nagyobb és jobb, mint valaha. Reméljük, tetszeni fog!" #: admin/views/settings-info.php:23 msgid "A smoother custom field experience" @@ -935,13 +898,11 @@ msgstr "Továbbfejlesztett használhatóság" #: admin/views/settings-info.php:29 msgid "" -"Including the popular Select2 library has improved both usability and speed " -"across a number of field types including post object, page link, taxonomy " -"and select." +"Including the popular Select2 library has improved both usability and speed across a number of field " +"types including post object, page link, taxonomy and select." msgstr "" -"A népszerű Select2 könyvtár bevonása számos mezőtípusnál (például bejegyzés " -"objektumok, oldalhivatkozások, osztályozások és kiválasztás) javítja a " -"használhatóságot és a sebességet." +"A népszerű Select2 könyvtár bevonása számos mezőtípusnál (például bejegyzés objektumok, " +"oldalhivatkozások, osztályozások és kiválasztás) javítja a használhatóságot és a sebességet." #: admin/views/settings-info.php:33 msgid "Improved Design" @@ -949,13 +910,11 @@ msgstr "Továbbfejlesztett megjelenés" #: admin/views/settings-info.php:34 msgid "" -"Many fields have undergone a visual refresh to make ACF look better than " -"ever! Noticeable changes are seen on the gallery, relationship and oEmbed " -"(new) fields!" +"Many fields have undergone a visual refresh to make ACF look better than ever! Noticeable changes are " +"seen on the gallery, relationship and oEmbed (new) fields!" msgstr "" -"Számos mező vizuálisan megújult, hogy az ACF jobban nézzen ki, mint valaha. " -"Észrevehető változások történtek a galéria, kapcsolat és oEmbed (új) mezők " -"esetében." +"Számos mező vizuálisan megújult, hogy az ACF jobban nézzen ki, mint valaha. Észrevehető változások " +"történtek a galéria, kapcsolat és oEmbed (új) mezők esetében." #: admin/views/settings-info.php:38 msgid "Improved Data" @@ -963,13 +922,11 @@ msgstr "Továbbfejlesztett adatszerkezet" #: admin/views/settings-info.php:39 msgid "" -"Redesigning the data architecture has allowed sub fields to live " -"independently from their parents. This allows you to drag and drop fields in " -"and out of parent fields!" +"Redesigning the data architecture has allowed sub fields to live independently from their parents. This " +"allows you to drag and drop fields in and out of parent fields!" msgstr "" -"Az adatszerkezet újratervezésének köszönhetően az almezők függetlenek lettek " -"a szülőmezőktől. Mindez lehetővé teszi, hogy a mezőket fogd-és-vidd módon " -"más mezőkbe, vagy azokon kívülre helyezzük át." +"Az adatszerkezet újratervezésének köszönhetően az almezők függetlenek lettek a szülőmezőktől. Mindez " +"lehetővé teszi, hogy a mezőket fogd-és-vidd módon más mezőkbe, vagy azokon kívülre helyezzük át." #: admin/views/settings-info.php:45 msgid "Goodbye Add-ons. Hello PRO" @@ -980,20 +937,19 @@ msgid "Introducing ACF PRO" msgstr "Az ACF PRO bemutatása" #: admin/views/settings-info.php:51 -msgid "" -"We're changing the way premium functionality is delivered in an exciting way!" +msgid "We're changing the way premium functionality is delivered in an exciting way!" msgstr "" #: admin/views/settings-info.php:52 #, php-format msgid "" -"All 4 premium add-ons have been combined into a new Pro " -"version of ACF. With both personal and developer licenses available, " -"premium functionality is more affordable and accessible than ever before!" +"All 4 premium add-ons have been combined into a new Pro version of ACF. With both " +"personal and developer licenses available, premium functionality is more affordable and accessible than " +"ever before!" msgstr "" -"Az új ACF PRO változat tartalmazza mind a négy korábbi " -"prémium kiegészítőt. A személyes és fejlesztői licenceknek köszönhetően a " -"prémium funkcionalitás így sokkal megfizethetőbb, mint korábban." +"Az új ACF PRO változat tartalmazza mind a négy korábbi prémium kiegészítőt. A " +"személyes és fejlesztői licenceknek köszönhetően a prémium funkcionalitás így sokkal megfizethetőbb, " +"mint korábban." #: admin/views/settings-info.php:56 msgid "Powerful Features" @@ -1001,13 +957,11 @@ msgstr "Hatékony szolgáltatások" #: admin/views/settings-info.php:57 msgid "" -"ACF PRO contains powerful features such as repeatable data, flexible content " -"layouts, a beautiful gallery field and the ability to create extra admin " -"options pages!" +"ACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful " +"gallery field and the ability to create extra admin options pages!" msgstr "" -"Az ACF PRO változat olyan fantasztikus szolgáltatásokat kínál, mint " -"ismételhető adatok, rugalmas tartalomelrendezések, gyönyörű galériamező, és " -"segítségével egyéni beállítás-oldalak is létrehozhatók!" +"Az ACF PRO változat olyan fantasztikus szolgáltatásokat kínál, mint ismételhető adatok, rugalmas " +"tartalomelrendezések, gyönyörű galériamező, és segítségével egyéni beállítás-oldalak is létrehozhatók!" #: admin/views/settings-info.php:58 #, php-format @@ -1021,22 +975,21 @@ msgstr "Egyszerű frissítés" #: admin/views/settings-info.php:63 #, php-format msgid "" -"To help make upgrading easy, login to your store account " -"and claim a free copy of ACF PRO!" +"To help make upgrading easy, login to your store account and claim a free copy of " +"ACF PRO!" msgstr "" -"A még könnyebb frissítés érdekében csak jelenkezzünk be a " -"felhasználói fiókunkba és igényeljünk egy ingyenes ACF PRO változatot!" +"A még könnyebb frissítés érdekében csak jelenkezzünk be a felhasználói fiókunkba és " +"igényeljünk egy ingyenes ACF PRO változatot!" #: admin/views/settings-info.php:64 #, php-format msgid "" -"We also wrote an upgrade guide to answer any questions, " -"but if you do have one, please contact our support team via the help desk" +"We also wrote an upgrade guide to answer any questions, but if you do have one, " +"please contact our support team via the help desk" msgstr "" -"A felmerülő kérdések megválaszolására egy frissítési " -"útmutató is rendelkezésre áll. Amennyiben az útmutató nem ad választ a " -"kérdésre, vegyük fel a kapcsolatot a támogató csapattal." +"A felmerülő kérdések megválaszolására egy frissítési útmutató is rendelkezésre áll. " +"Amennyiben az útmutató nem ad választ a kérdésre, vegyük fel a kapcsolatot a támogató " +"csapattal." #: admin/views/settings-info.php:72 msgid "Under the Hood" @@ -1056,9 +1009,7 @@ msgstr "Több AJAX" #: admin/views/settings-info.php:83 msgid "More fields use AJAX powered search to speed up page loading" -msgstr "" -"Több mező használ AJAX-alapú keresést az oldal gyorsabb betöltésének " -"érdekében." +msgstr "Több mező használ AJAX-alapú keresést az oldal gyorsabb betöltésének érdekében." #: admin/views/settings-info.php:87 msgid "Local JSON" @@ -1073,12 +1024,8 @@ msgid "Better version control" msgstr "Jobb verziókezelés" #: admin/views/settings-info.php:95 -msgid "" -"New auto export to JSON feature allows field settings to be version " -"controlled" -msgstr "" -"Az új JSON autoexport szolgáltatás lehetővé teszi a mezőbeállítások " -"verziókezelését." +msgid "New auto export to JSON feature allows field settings to be version controlled" +msgstr "Az új JSON autoexport szolgáltatás lehetővé teszi a mezőbeállítások verziókezelését." #: admin/views/settings-info.php:99 msgid "Swapped XML for JSON" @@ -1086,9 +1033,7 @@ msgstr "XML helyett JSON" #: admin/views/settings-info.php:100 msgid "Import / Export now uses JSON in favour of XML" -msgstr "" -"Az importálás és exportálás JSON formátumban történik a korábbi XML megoldás " -"helyett." +msgstr "Az importálás és exportálás JSON formátumban történik a korábbi XML megoldás helyett." #: admin/views/settings-info.php:104 msgid "New Forms" @@ -1096,9 +1041,7 @@ msgstr "Új űrlapok" #: admin/views/settings-info.php:105 msgid "Fields can now be mapped to comments, widgets and all user forms!" -msgstr "" -"A mezők már hozzászólásokhoz, widgetekhez és felhasználói adatlapokhoz is " -"hozzárendelhetők." +msgstr "A mezők már hozzászólásokhoz, widgetekhez és felhasználói adatlapokhoz is hozzárendelhetők." #: admin/views/settings-info.php:112 msgid "A new field for embedding content has been added" @@ -1117,12 +1060,8 @@ msgid "New Settings" msgstr "Új beállítások" #: admin/views/settings-info.php:122 -msgid "" -"Field group settings have been added for label placement and instruction " -"placement" -msgstr "" -"A mezőcsoport beállításai kiegészültek a mezőfeliratok és útmutatók " -"elhelyezési lehetőségeivel." +msgid "Field group settings have been added for label placement and instruction placement" +msgstr "A mezőcsoport beállításai kiegészültek a mezőfeliratok és útmutatók elhelyezési lehetőségeivel." #: admin/views/settings-info.php:128 msgid "Better Front End Forms" @@ -1131,8 +1070,7 @@ msgstr "Jobb felhasználó oldali űrlapok" #: admin/views/settings-info.php:129 msgid "acf_form() can now create a new post on submission" msgstr "" -"Az acf_form() már képes új bejegyzést létrehozni egy felhasználó oldali " -"(front end) űrlap elküldésekor." +"Az acf_form() már képes új bejegyzést létrehozni egy felhasználó oldali (front end) űrlap elküldésekor." #: admin/views/settings-info.php:133 msgid "Better Validation" @@ -1140,32 +1078,24 @@ msgstr "Jobb ellenőrzés és érvényesítés" #: admin/views/settings-info.php:134 msgid "Form validation is now done via PHP + AJAX in favour of only JS" -msgstr "" -"Az űrlapok érvényesítése már nem kizárólag JS által, hanem PHP + AJAX " -"megoldással történik." +msgstr "Az űrlapok érvényesítése már nem kizárólag JS által, hanem PHP + AJAX megoldással történik." #: admin/views/settings-info.php:138 msgid "Relationship Field" msgstr "Kapcsolat mezőtípus" #: admin/views/settings-info.php:139 -msgid "" -"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" -msgstr "" -"Új mezőbeállítás szűrők számára (keresés, bejegyzéstípus, osztályozás) a " -"kapcsolat mezőtípusnál." +msgid "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" +msgstr "Új mezőbeállítás szűrők számára (keresés, bejegyzéstípus, osztályozás) a kapcsolat mezőtípusnál." #: admin/views/settings-info.php:145 msgid "Moving Fields" msgstr "Mezők áthelyezése" #: admin/views/settings-info.php:146 -msgid "" -"New field group functionality allows you to move a field between groups & " -"parents" +msgid "New field group functionality allows you to move a field between groups & parents" msgstr "" -"A mezőcsoportok új szolgáltatásaival az egyes mezők csoportok és szülőmezők " -"között is mozgathatók." +"A mezőcsoportok új szolgáltatásaival az egyes mezők csoportok és szülőmezők között is mozgathatók." #: admin/views/settings-info.php:150 fields/page_link.php:36 msgid "Page Link" @@ -1173,21 +1103,16 @@ msgstr "Oldalhivatkozás" #: admin/views/settings-info.php:151 msgid "New archives group in page_link field selection" -msgstr "" -"Új 'Archívumok' csoport az oldalhivatkozás mezőtípus választási " -"lehetőségeinél." +msgstr "Új 'Archívumok' csoport az oldalhivatkozás mezőtípus választási lehetőségeinél." #: admin/views/settings-info.php:155 msgid "Better Options Pages" msgstr "Jobb beállítás oldalak" #: admin/views/settings-info.php:156 -msgid "" -"New functions for options page allow creation of both parent and child menu " -"pages" +msgid "New functions for options page allow creation of both parent and child menu pages" msgstr "" -"A beállítás oldalakhoz kapcsolódó új funkciók segítségével szülő- és " -"gyermekoldalak is létrehozhatók." +"A beállítás oldalakhoz kapcsolódó új funkciók segítségével szülő- és gyermekoldalak is létrehozhatók." #: admin/views/settings-info.php:165 #, php-format @@ -1201,17 +1126,15 @@ msgstr "Mezőcsoport exportálása PHP kódba" #: admin/views/settings-tools-export.php:17 #, fuzzy msgid "" -"The following code can be used to register a local version of the selected " -"field group(s). A local field group can provide many benefits such as faster " -"load times, version control & dynamic fields/settings. Simply copy and paste " -"the following code to your theme's functions.php file or include it within " -"an external file." +"The following code can be used to register a local version of the selected field group(s). A local " +"field group can provide many benefits such as faster load times, version control & dynamic fields/" +"settings. Simply copy and paste the following code to your theme's functions.php file or include it " +"within an external file." msgstr "" -"A következő kód segítségével regisztrálható a kiválasztott mezőcsoportok " -"helyi változata. A helyi mezőcsoportok számos előnnyel rendelkeznek: " -"rövidebb betöltési idő, verziókezelés és dinamikus mezők/beállítások " -"lehetősége. Alkalmazásához egyszerűen másoljuk be a kódot a sablonhoz " -"tartozó functions.php fájlba." +"A következő kód segítségével regisztrálható a kiválasztott mezőcsoportok helyi változata. A helyi " +"mezőcsoportok számos előnnyel rendelkeznek: rövidebb betöltési idő, verziókezelés és dinamikus mezők/" +"beállítások lehetősége. Alkalmazásához egyszerűen másoljuk be a kódot a sablonhoz tartozó functions.php " +"fájlba." #: admin/views/settings-tools.php:5 msgid "Select Field Groups" @@ -1223,15 +1146,13 @@ msgstr "Mezőcsoportok exportálása" #: admin/views/settings-tools.php:38 msgid "" -"Select the field groups you would like to export and then select your export " -"method. Use the download button to export to a .json file which you can then " -"import to another ACF installation. Use the generate button to export to PHP " -"code which you can place in your theme." +"Select the field groups you would like to export and then select your export method. Use the download " +"button to export to a .json file which you can then import to another ACF installation. Use the " +"generate button to export to PHP code which you can place in your theme." msgstr "" -"Válasszuk ki az exportálni kívánt mezőcsoportokat, majd az exportálás " -"módszerét. A letöltés gombbal egy JSON fájl készíthető, amelyet egy másik " -"ACF telepítésbe importálhatunk. A kódgenerálás gombbal PHP kód hozható " -"létre, amelyet beilleszthetünk a sablonunkba." +"Válasszuk ki az exportálni kívánt mezőcsoportokat, majd az exportálás módszerét. A letöltés gombbal egy " +"JSON fájl készíthető, amelyet egy másik ACF telepítésbe importálhatunk. A kódgenerálás gombbal PHP kód " +"hozható létre, amelyet beilleszthetünk a sablonunkba." #: admin/views/settings-tools.php:50 msgid "Download export file" @@ -1247,12 +1168,11 @@ msgstr "Mezőcsoportok importálása" #: admin/views/settings-tools.php:67 msgid "" -"Select the Advanced Custom Fields JSON file you would like to import. When " -"you click the import button below, ACF will import the field groups." +"Select the Advanced Custom Fields JSON file you would like to import. When you click the import button " +"below, ACF will import the field groups." msgstr "" -"Válasszuk ki az importálni kívánt Advanced Custom Fields JSON fájlt. A " -"gombra kattintva az ACF bővítmény importálja a fájlban definiált " -"mezőcsoportokat." +"Válasszuk ki az importálni kívánt Advanced Custom Fields JSON fájlt. A gombra kattintva az ACF " +"bővítmény importálja a fájlban definiált mezőcsoportokat." #: admin/views/settings-tools.php:77 fields/file.php:46 msgid "Select File" @@ -1268,8 +1188,8 @@ msgstr "" #: admin/views/update-network.php:10 msgid "" -"The following sites require a DB upgrade. Check the ones you want to update " -"and then click “Upgrade Database”." +"The following sites require a DB upgrade. Check the ones you want to update and then click “Upgrade " +"Database”." msgstr "" #: admin/views/update-network.php:19 admin/views/update-network.php:27 @@ -1291,11 +1211,11 @@ msgstr "" #: admin/views/update-network.php:101 admin/views/update-notice.php:35 msgid "" -"It is strongly recommended that you backup your database before proceeding. " -"Are you sure you wish to run the updater now?" +"It is strongly recommended that you backup your database before proceeding. Are you sure you wish to " +"run the updater now?" msgstr "" -"A folytatás előtt ajánlatos biztonsági mentést készíteni az adatbázisról. " -"Biztosan futtatni akarjuk a frissítést?" +"A folytatás előtt ajánlatos biztonsági mentést készíteni az adatbázisról. Biztosan futtatni akarjuk a " +"frissítést?" #: admin/views/update-network.php:157 msgid "Upgrade complete" @@ -1317,11 +1237,10 @@ msgstr "Köszönjük a frissítést az %s %s verzióra!" #: admin/views/update-notice.php:25 msgid "" -"Before you start using the new awesome features, please update your database " -"to the newest version." +"Before you start using the new awesome features, please update your database to the newest version." msgstr "" -"Mielőtt használni kezdenénk az elképesztő új szolgáltatásokat, frissítsük az " -"adatbázist a legújabb verzióra." +"Mielőtt használni kezdenénk az elképesztő új szolgáltatásokat, frissítsük az adatbázist a legújabb " +"verzióra." #: admin/views/update.php:12 msgid "Reading upgrade tasks..." @@ -1425,8 +1344,8 @@ msgstr "Relációs" msgid "jQuery" msgstr "jQuery" -#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 -#: pro/fields/flexible-content.php:512 pro/fields/repeater.php:392 +#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 pro/fields/flexible-content.php:512 +#: pro/fields/repeater.php:392 msgid "Layout" msgstr "Tartalom elrendezés" @@ -1482,18 +1401,15 @@ msgstr "Minden választási lehetőséget új sorba kell írni" #: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389 msgid "For more control, you may specify both a value and label like this:" -msgstr "" -"A testreszabhatóság érdekében az érték és a felirat is meghatározható a " -"következő módon:" +msgstr "A testreszabhatóság érdekében az érték és a felirat is meghatározható a következő módon:" #: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389 msgid "red : Red" msgstr "voros : Vörös" -#: fields/checkbox.php:217 fields/color_picker.php:158 fields/email.php:124 -#: fields/number.php:150 fields/radio.php:222 fields/select.php:397 -#: fields/text.php:148 fields/textarea.php:145 fields/true_false.php:115 -#: fields/url.php:117 fields/wysiwyg.php:345 +#: fields/checkbox.php:217 fields/color_picker.php:158 fields/email.php:124 fields/number.php:150 +#: fields/radio.php:222 fields/select.php:397 fields/text.php:148 fields/textarea.php:145 +#: fields/true_false.php:115 fields/url.php:117 fields/wysiwyg.php:345 msgid "Default Value" msgstr "Alapértelmezett érték" @@ -1573,39 +1489,34 @@ msgstr "Hét kezdőnapja" msgid "Email" msgstr "Email (email)" -#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 -#: fields/text.php:149 fields/textarea.php:146 fields/url.php:118 -#: fields/wysiwyg.php:346 +#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 fields/text.php:149 +#: fields/textarea.php:146 fields/url.php:118 fields/wysiwyg.php:346 msgid "Appears when creating a new post" msgstr "Új bejegyzés létrehozásánál" -#: fields/email.php:133 fields/number.php:159 fields/password.php:137 -#: fields/text.php:157 fields/textarea.php:154 fields/url.php:126 +#: fields/email.php:133 fields/number.php:159 fields/password.php:137 fields/text.php:157 +#: fields/textarea.php:154 fields/url.php:126 msgid "Placeholder Text" msgstr "Helyőrző szöveg" -#: fields/email.php:134 fields/number.php:160 fields/password.php:138 -#: fields/text.php:158 fields/textarea.php:155 fields/url.php:127 +#: fields/email.php:134 fields/number.php:160 fields/password.php:138 fields/text.php:158 +#: fields/textarea.php:155 fields/url.php:127 msgid "Appears within the input" msgstr "Beviteli mezőben jelenik meg" -#: fields/email.php:142 fields/number.php:168 fields/password.php:146 -#: fields/text.php:166 +#: fields/email.php:142 fields/number.php:168 fields/password.php:146 fields/text.php:166 msgid "Prepend" msgstr "Előtag" -#: fields/email.php:143 fields/number.php:169 fields/password.php:147 -#: fields/text.php:167 +#: fields/email.php:143 fields/number.php:169 fields/password.php:147 fields/text.php:167 msgid "Appears before the input" msgstr "Beviteli mező előtt jelenik meg" -#: fields/email.php:151 fields/number.php:177 fields/password.php:155 -#: fields/text.php:175 +#: fields/email.php:151 fields/number.php:177 fields/password.php:155 fields/text.php:175 msgid "Append" msgstr "Utótag" -#: fields/email.php:152 fields/number.php:178 fields/password.php:156 -#: fields/text.php:176 +#: fields/email.php:152 fields/number.php:178 fields/password.php:156 fields/text.php:176 msgid "Appears after the input" msgstr "Beviteli mező után jelenik meg" @@ -1647,8 +1558,7 @@ msgstr "Visszaadott érték" #: fields/file.php:215 fields/image.php:196 msgid "Specify the returned value on front end" -msgstr "" -"Határozzuk meg a mező felhasználói oldalon (front end) megjelenő értékét" +msgstr "Határozzuk meg a mező felhasználói oldalon (front end) megjelenő értékét" #: fields/file.php:220 msgid "File Array" @@ -1682,8 +1592,8 @@ msgstr "" msgid "Restrict which files can be uploaded" msgstr "" -#: fields/file.php:247 fields/file.php:258 fields/image.php:257 -#: fields/image.php:290 pro/fields/gallery.php:684 pro/fields/gallery.php:717 +#: fields/file.php:247 fields/file.php:258 fields/image.php:257 fields/image.php:290 +#: pro/fields/gallery.php:684 pro/fields/gallery.php:717 msgid "File size" msgstr "" @@ -1739,8 +1649,8 @@ msgstr "Nagyítás" msgid "Set the initial zoom level" msgstr "Kezdeti nagyítási szint" -#: fields/google-map.php:208 fields/image.php:246 fields/image.php:279 -#: fields/oembed.php:262 pro/fields/gallery.php:673 pro/fields/gallery.php:706 +#: fields/google-map.php:208 fields/image.php:246 fields/image.php:279 fields/oembed.php:262 +#: pro/fields/gallery.php:673 pro/fields/gallery.php:706 msgid "Height" msgstr "Magasság" @@ -1800,13 +1710,12 @@ msgstr "Előnézeti méret" msgid "Shown when entering data" msgstr "Adatok bevitelénél jelenik meg" -#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:662 -#: pro/fields/gallery.php:695 +#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:662 pro/fields/gallery.php:695 msgid "Restrict which images can be uploaded" msgstr "" -#: fields/image.php:238 fields/image.php:271 fields/oembed.php:251 -#: pro/fields/gallery.php:665 pro/fields/gallery.php:698 +#: fields/image.php:238 fields/image.php:271 fields/oembed.php:251 pro/fields/gallery.php:665 +#: pro/fields/gallery.php:698 msgid "Width" msgstr "" @@ -1876,33 +1785,28 @@ msgstr "Beágyazási méret" msgid "Archives" msgstr "Archívumok" -#: fields/page_link.php:535 fields/post_object.php:401 -#: fields/relationship.php:690 +#: fields/page_link.php:535 fields/post_object.php:401 fields/relationship.php:690 msgid "Filter by Post Type" msgstr "Szűrés bejegyzéstípusra" -#: fields/page_link.php:543 fields/post_object.php:409 -#: fields/relationship.php:698 +#: fields/page_link.php:543 fields/post_object.php:409 fields/relationship.php:698 msgid "All post types" msgstr "Minden bejegyzéstípus" -#: fields/page_link.php:549 fields/post_object.php:415 -#: fields/relationship.php:704 +#: fields/page_link.php:549 fields/post_object.php:415 fields/relationship.php:704 msgid "Filter by Taxonomy" msgstr "Szűrés osztályozásra" -#: fields/page_link.php:557 fields/post_object.php:423 -#: fields/relationship.php:712 +#: fields/page_link.php:557 fields/post_object.php:423 fields/relationship.php:712 msgid "All taxonomies" msgstr "" -#: fields/page_link.php:563 fields/post_object.php:429 fields/select.php:406 -#: fields/taxonomy.php:765 fields/user.php:452 +#: fields/page_link.php:563 fields/post_object.php:429 fields/select.php:406 fields/taxonomy.php:765 +#: fields/user.php:452 msgid "Allow Null?" msgstr "Üres mező engedélyezése" -#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 -#: fields/user.php:466 +#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 fields/user.php:466 msgid "Select multiple values?" msgstr "Többszörös választás" @@ -1910,8 +1814,7 @@ msgstr "Többszörös választás" msgid "Password" msgstr "Jelszó (password)" -#: fields/post_object.php:36 fields/post_object.php:462 -#: fields/relationship.php:769 +#: fields/post_object.php:36 fields/post_object.php:462 fields/relationship.php:769 msgid "Post Object" msgstr "Bejegyzés objektum (post object)" @@ -2021,28 +1924,23 @@ msgstr "Figyelmeztetés" #: fields/tab.php:133 msgid "" -"The tab field will display incorrectly when added to a Table style repeater " -"field or flexible content field layout" +"The tab field will display incorrectly when added to a Table style repeater field or flexible content " +"field layout" msgstr "" -"Táblázat stílusú ismétlő csoportmezőhöz vagy rugalmas tartalomhoz rendelve a " -"lapok helytelenül jelennek meg." +"Táblázat stílusú ismétlő csoportmezőhöz vagy rugalmas tartalomhoz rendelve a lapok helytelenül jelennek " +"meg." #: fields/tab.php:146 -msgid "" -"Use \"Tab Fields\" to better organize your edit screen by grouping fields " -"together." -msgstr "" -"Használjunk lapokat a szerkesztőképernyők tartalmának rendezéséhez és a " -"mezők csoportosításához." +msgid "Use \"Tab Fields\" to better organize your edit screen by grouping fields together." +msgstr "Használjunk lapokat a szerkesztőképernyők tartalmának rendezéséhez és a mezők csoportosításához." #: fields/tab.php:148 msgid "" -"All fields following this \"tab field\" (or until another \"tab field\" is " -"defined) will be grouped together using this field's label as the tab " -"heading." +"All fields following this \"tab field\" (or until another \"tab field\" is defined) will be grouped " +"together using this field's label as the tab heading." msgstr "" -"A lap típusú mezőt követő összes mező egy csoportba kerül (egy újabb lap " -"beillesztéséig), a lap címsora pedig a mező felirata lesz." +"A lap típusú mezőt követő összes mező egy csoportba kerül (egy újabb lap beillesztéséig), a lap címsora " +"pedig a mező felirata lesz." #: fields/tab.php:155 msgid "Placement" @@ -2312,11 +2210,10 @@ msgstr "Licenc" #: pro/admin/views/settings-updates.php:24 msgid "" -"To unlock updates, please enter your license key below. If you don't have a " -"licence key, please see" +"To unlock updates, please enter your license key below. If you don't have a licence key, please see" msgstr "" -"A frissítések engedélyezéséhez adjuk meg a licenckulcsot az alábbi beviteli " -"mezőben. Ha még nem rendelkezünk licenckulccsal, tájékozódáshoz:" +"A frissítések engedélyezéséhez adjuk meg a licenckulcsot az alábbi beviteli mezőben. Ha még nem " +"rendelkezünk licenckulccsal, tájékozódáshoz:" #: pro/admin/views/settings-updates.php:24 msgid "details & pricing" @@ -2365,13 +2262,11 @@ msgstr "Beállítások" #: pro/core/updates.php:186 #, php-format msgid "" -"To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing" +"To enable updates, please enter your license key on the Updates page. If you don't " +"have a licence key, please see details & pricing" msgstr "" -"A frissítések engedélyezéséhez adjuk meg a licenckulcsot a Frissítések oldalon. Ha még nem rendelkezünk licenckulcsal, tekintsük " -"át a licencek részleteit és árait." +"A frissítések engedélyezéséhez adjuk meg a licenckulcsot a Frissítések oldalon. Ha " +"még nem rendelkezünk licenckulcsal, tekintsük át a licencek részleteit és árait." #: pro/fields/flexible-content.php:36 msgid "Flexible Content" @@ -2409,8 +2304,7 @@ msgstr "Ennél a mezőnél legfeljebb {max} {identifier} adható hozzá." # Revision suggested #: pro/fields/flexible-content.php:50 msgid "This field requires at least {min} {label} {identifier}" -msgstr "" -"Ennél a mezőnél legalább {min} {label} {identifier} hozzáadása szükséges" +msgstr "Ennél a mezőnél legalább {min} {label} {identifier} hozzáadása szükséges" # Revision suggested #: pro/fields/flexible-content.php:51 @@ -2567,8 +2461,7 @@ msgstr "Ismétlő csoportmező (repeater)" #: pro/fields/repeater.php:46 msgid "Minimum rows reached ({min} rows)" -msgstr "" -"Nem érjük el a sorok minimális számát (legalább {min} sort hozzá kell adni)" +msgstr "Nem érjük el a sorok minimális számát (legalább {min} sort hozzá kell adni)" #: pro/fields/repeater.php:47 msgid "Maximum rows reached ({max} rows)" @@ -2668,43 +2561,33 @@ msgstr "" #~ msgstr "Bejelentkezett felhasználó szerepköre" #~ msgid "Field groups are created in order
                from lowest to highest" -#~ msgstr "" -#~ "Az egyes mezőcsoportok az alacsonyabbtól a magasabb érték felé haladva " -#~ "jönnek létre" +#~ msgstr "Az egyes mezőcsoportok az alacsonyabbtól a magasabb érték felé haladva jönnek létre" #~ msgid "Select items to hide them from the edit screen" -#~ msgstr "" -#~ "Válasszuk ki a szerkesztőképernyőn elrejteni kívánt elemeket" +#~ msgstr "Válasszuk ki a szerkesztőképernyőn elrejteni kívánt elemeket" #~ msgid "" -#~ "If multiple field groups appear on an edit screen, the first field " -#~ "group's options will be used. (the one with the lowest order number)" +#~ "If multiple field groups appear on an edit screen, the first field group's options will be used. " +#~ "(the one with the lowest order number)" #~ msgstr "" -#~ "Ha a szerkesztőképernyőn több mezőcsoport is megjelenik, úgy a legelső " -#~ "csoport (legalacsonyabb sorszám) beállításai érvényesülnek." +#~ "Ha a szerkesztőképernyőn több mezőcsoport is megjelenik, úgy a legelső csoport (legalacsonyabb " +#~ "sorszám) beállításai érvényesülnek." -#~ msgid "" -#~ "We're changing the way premium functionality is delivered in an exiting " -#~ "way!" +#~ msgid "We're changing the way premium functionality is delivered in an exiting way!" #~ msgstr "A prémium szolgáltatások immár egy izgalmas, új módon érhetők el! " #~ msgid "ACF PRO Required" #~ msgstr "ACF PRO változat szükséges" #~ msgid "" -#~ "We have detected an issue which requires your attention: This website " -#~ "makes use of premium add-ons (%s) which are no longer compatible with ACF." +#~ "We have detected an issue which requires your attention: This website makes use of premium add-ons " +#~ "(%s) which are no longer compatible with ACF." #~ msgstr "" -#~ "Egy figyelmet igénylő problémát észleltünk: A honlap olyan prémium " -#~ "kiegészítőket használ (%s), amelyek már nem kompatibilisek az új ACF " -#~ "verzióval." +#~ "Egy figyelmet igénylő problémát észleltünk: A honlap olyan prémium kiegészítőket használ (%s), " +#~ "amelyek már nem kompatibilisek az új ACF verzióval." -#~ msgid "" -#~ "Don't panic, you can simply roll back the plugin and continue using ACF " -#~ "as you know it!" -#~ msgstr "" -#~ "Aggodalomra nincs ok, könnyedén visszatérhetünk a bővítmény korábbi, már " -#~ "ismert verziójához!" +#~ msgid "Don't panic, you can simply roll back the plugin and continue using ACF as you know it!" +#~ msgstr "Aggodalomra nincs ok, könnyedén visszatérhetünk a bővítmény korábbi, már ismert verziójához!" #~ msgid "Roll back to ACF v%s" #~ msgstr "Visszatérés az ACF %s verzióhoz" @@ -2735,11 +2618,9 @@ msgstr "" #~ msgid "Load & Save Terms to Post" #~ msgstr "Kifejezések a bejegyzéshez kapcsolva (betöltés és mentés)" -#~ msgid "" -#~ "Load value based on the post's terms and update the post's terms on save" +#~ msgid "Load value based on the post's terms and update the post's terms on save" #~ msgstr "" -#~ "Az érték betöltése a bejegyzéshez rendelt kifejezések alapján és a " -#~ "kifejezések frissítése mentéskor" +#~ "Az érték betöltése a bejegyzéshez rendelt kifejezések alapján és a kifejezések frissítése mentéskor" #~ msgid "Column Width" #~ msgstr "Oszlopszélesség" @@ -2807,8 +2688,7 @@ msgstr "" #, fuzzy #~ msgid "Effects value on front end" -#~ msgstr "" -#~ "Határozzuk meg a mező felhasználói oldalon (front end) megjelenő értékét" +#~ msgstr "Határozzuk meg a mező felhasználói oldalon (front end) megjelenő értékét" #, fuzzy #~ msgid "No images selected" @@ -2823,16 +2703,13 @@ msgstr "" #~ msgstr "Kép nincs kiválasztva" #~ msgid "" -#~ "Fully customise WordPress edit screens with powerful fields. Boasting a " -#~ "professional interface and a powerful API, it’s a must have for any web " -#~ "developer working with WordPress. Field types include: Wysiwyg, text, " -#~ "textarea, image, file, select, checkbox, page link, post object, date " -#~ "picker, color picker, repeater, flexible content, gallery and more!" +#~ "Fully customise WordPress edit screens with powerful fields. Boasting a professional interface and a " +#~ "powerful API, it’s a must have for any web developer working with WordPress. Field types include: " +#~ "Wysiwyg, text, textarea, image, file, select, checkbox, page link, post object, date picker, color " +#~ "picker, repeater, flexible content, gallery and more!" #~ msgstr "" -#~ "A WordPress teljes körű testreszabása egyéni mezők segítségével. A " -#~ "professzionális kezelőfelületet és hatékony API-t kínáló bővítmény minden " -#~ "WordPress-fejlesztő számára nélkülözhetetlen eszköz. Elérhető " -#~ "mezőtípusok: Wysiwyg, szöveg, szövegterület, kép, fájl, választó, " -#~ "jelölődoboz, oldalhivatkozás, bejegyzés objektum, dátumválasztó, " -#~ "színválasztó, ismétlő csoportmező, rugalmas tartalom, galéria és még több " -#~ "más." +#~ "A WordPress teljes körű testreszabása egyéni mezők segítségével. A professzionális kezelőfelületet " +#~ "és hatékony API-t kínáló bővítmény minden WordPress-fejlesztő számára nélkülözhetetlen eszköz. " +#~ "Elérhető mezőtípusok: Wysiwyg, szöveg, szövegterület, kép, fájl, választó, jelölődoboz, " +#~ "oldalhivatkozás, bejegyzés objektum, dátumválasztó, színválasztó, ismétlő csoportmező, rugalmas " +#~ "tartalom, galéria és még több más." diff --git a/lang/acf-id_ID.mo b/lang/acf-id_ID.mo index d051397..51b45e7 100644 Binary files a/lang/acf-id_ID.mo and b/lang/acf-id_ID.mo differ diff --git a/lang/acf-id_ID.po b/lang/acf-id_ID.po index af7322d..3fc4417 100644 --- a/lang/acf-id_ID.po +++ b/lang/acf-id_ID.po @@ -3,15 +3,14 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2016-01-25 09:18-0800\n" -"PO-Revision-Date: 2016-11-03 17:12+1000\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Language-Team: Elliot Condon \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Generator: Poedit 1.8.1\n" -"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" -"esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" -"_nx_noop:3c,1,2;__ngettext_noop:1,2\n" +"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;esc_attr_e;esc_attr_x:1,2c;esc_html__;" +"esc_html_e;esc_html_x:1,2c;_n_noop:1,2;_nx_noop:3c,1,2;__ngettext_noop:1,2\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-Basepath: ..\n" "X-Poedit-WPHeader: acf.php\n" @@ -33,8 +32,7 @@ msgstr "Grup Bidang" msgid "Field Group" msgstr "Grup Bidang" -#: acf.php:268 acf.php:300 admin/admin.php:62 -#: pro/fields/flexible-content.php:505 +#: acf.php:268 acf.php:300 admin/admin.php:62 pro/fields/flexible-content.php:505 msgid "Add New" msgstr "Tambah Baru" @@ -66,8 +64,7 @@ msgstr "Tidak Ada Grup Bidang Ditemukan" msgid "No Field Groups found in Trash" msgstr "Tidak Ditemukan Grup Bidang di Tong Sampah" -#: acf.php:298 admin/field-group.php:182 admin/field-group.php:213 -#: admin/field-groups.php:528 +#: acf.php:298 admin/field-group.php:182 admin/field-group.php:213 admin/field-groups.php:528 msgid "Fields" msgstr "Bidang" @@ -83,8 +80,7 @@ msgstr "Tambah bidang baru" msgid "Edit Field" msgstr "Edit Bidang" -#: acf.php:303 admin/views/field-group-fields.php:18 -#: admin/views/settings-info.php:111 +#: acf.php:303 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111 msgid "New Field" msgstr "Bidang Baru" @@ -104,8 +100,7 @@ msgstr "Tidak ada bidang yang ditemukan" msgid "No Fields found in Trash" msgstr "Tidak ada bidang yang ditemukan di tempat sampah" -#: acf.php:346 admin/field-group.php:283 admin/field-groups.php:586 -#: admin/views/field-group-options.php:13 +#: acf.php:346 admin/field-group.php:283 admin/field-groups.php:586 admin/views/field-group-options.php:13 msgid "Disabled" msgstr "Dimatikan" @@ -167,10 +162,8 @@ msgstr "Judul grup bidang diperlukan" msgid "copy" msgstr "salin" -#: admin/field-group.php:181 -#: admin/views/field-group-field-conditional-logic.php:62 -#: admin/views/field-group-field-conditional-logic.php:162 -#: admin/views/field-group-locations.php:59 +#: admin/field-group.php:181 admin/views/field-group-field-conditional-logic.php:62 +#: admin/views/field-group-field-conditional-logic.php:162 admin/views/field-group-locations.php:59 #: admin/views/field-group-locations.php:135 api/api-helpers.php:3401 msgid "or" msgstr "atau" @@ -197,9 +190,7 @@ msgstr "Nol" #: admin/field-group.php:188 core/input.php:128 msgid "The changes you made will be lost if you navigate away from this page" -msgstr "" -"Perubahan yang Anda buat akan hilang jika Anda menavigasi keluar dari laman " -"ini" +msgstr "Perubahan yang Anda buat akan hilang jika Anda menavigasi keluar dari laman ini" #: admin/field-group.php:189 msgid "The string \"field_\" may not be used at the start of a field name" @@ -261,10 +252,9 @@ msgstr "Melihat back end" msgid "Super Admin" msgstr "Super Admin" -#: admin/field-group.php:826 admin/field-group.php:834 -#: admin/field-group.php:848 admin/field-group.php:855 -#: admin/field-group.php:870 admin/field-group.php:880 fields/file.php:235 -#: fields/image.php:226 pro/fields/gallery.php:661 +#: admin/field-group.php:826 admin/field-group.php:834 admin/field-group.php:848 admin/field-group.php:855 +#: admin/field-group.php:870 admin/field-group.php:880 fields/file.php:235 fields/image.php:226 +#: pro/fields/gallery.php:661 msgid "All" msgstr "Semua" @@ -333,8 +323,8 @@ msgstr "Sinkronisasi tersedia" msgid "Title" msgstr "Judul" -#: admin/field-groups.php:526 admin/views/field-group-options.php:93 -#: admin/views/update-network.php:20 admin/views/update-network.php:28 +#: admin/field-groups.php:526 admin/views/field-group-options.php:93 admin/views/update-network.php:20 +#: admin/views/update-network.php:28 msgid "Description" msgstr "Deskripsi" @@ -342,8 +332,7 @@ msgstr "Deskripsi" msgid "Status" msgstr "Status" -#: admin/field-groups.php:624 admin/settings-info.php:76 -#: pro/admin/views/settings-updates.php:111 +#: admin/field-groups.php:624 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111 msgid "Changelog" msgstr "Changelog" @@ -363,8 +352,7 @@ msgstr "Sumber" msgid "Getting Started" msgstr "Perkenalan" -#: admin/field-groups.php:630 pro/admin/settings-updates.php:73 -#: pro/admin/views/settings-updates.php:17 +#: admin/field-groups.php:630 pro/admin/settings-updates.php:73 pro/admin/views/settings-updates.php:17 msgid "Updates" msgstr "Mutakhir" @@ -400,8 +388,8 @@ msgstr "Dibuat oleh" msgid "Duplicate this item" msgstr "Duplikat item ini" -#: admin/field-groups.php:684 admin/field-groups.php:700 -#: admin/views/field-group-field.php:59 pro/fields/flexible-content.php:504 +#: admin/field-groups.php:684 admin/field-groups.php:700 admin/views/field-group-field.php:59 +#: pro/fields/flexible-content.php:504 msgid "Duplicate" msgstr "Duplikat" @@ -434,8 +422,7 @@ msgstr "Info" msgid "What's New" msgstr "Apa yang Baru" -#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:23 -#: admin/views/settings-tools.php:31 +#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:23 admin/views/settings-tools.php:31 msgid "Tools" msgstr "Perkakas" @@ -466,12 +453,8 @@ msgstr "Sukses. Impor alat ditambahkan %s grup bidang: %s" #: admin/settings-tools.php:332 #, php-format -msgid "" -"Warning. Import tool detected %s field groups already exist and have " -"been ignored: %s" -msgstr "" -"Peringatan. Impor alat terdeteksi grup bidang %s sudah ada dan telah " -"diabaikan: %s" +msgid "Warning. Import tool detected %s field groups already exist and have been ignored: %s" +msgstr "Peringatan. Impor alat terdeteksi grup bidang %s sudah ada dan telah diabaikan: %s" #: admin/update.php:113 msgid "Upgrade ACF" @@ -493,27 +476,21 @@ msgstr "Tingkatkan Database" msgid "Conditional Logic" msgstr "Logika Kondisional" -#: admin/views/field-group-field-conditional-logic.php:40 -#: admin/views/field-group-field.php:141 fields/checkbox.php:246 -#: fields/message.php:144 fields/page_link.php:553 fields/page_link.php:567 -#: fields/post_object.php:419 fields/post_object.php:433 fields/select.php:385 -#: fields/select.php:399 fields/select.php:413 fields/select.php:427 -#: fields/tab.php:161 fields/taxonomy.php:796 fields/taxonomy.php:810 -#: fields/taxonomy.php:824 fields/taxonomy.php:838 fields/user.php:457 -#: fields/user.php:471 fields/wysiwyg.php:407 +#: admin/views/field-group-field-conditional-logic.php:40 admin/views/field-group-field.php:141 +#: fields/checkbox.php:246 fields/message.php:144 fields/page_link.php:553 fields/page_link.php:567 +#: fields/post_object.php:419 fields/post_object.php:433 fields/select.php:385 fields/select.php:399 +#: fields/select.php:413 fields/select.php:427 fields/tab.php:161 fields/taxonomy.php:796 fields/taxonomy.php:810 +#: fields/taxonomy.php:824 fields/taxonomy.php:838 fields/user.php:457 fields/user.php:471 fields/wysiwyg.php:407 #: pro/admin/views/settings-updates.php:93 msgid "Yes" msgstr "Ya" -#: admin/views/field-group-field-conditional-logic.php:41 -#: admin/views/field-group-field.php:142 fields/checkbox.php:247 -#: fields/message.php:145 fields/page_link.php:554 fields/page_link.php:568 -#: fields/post_object.php:420 fields/post_object.php:434 fields/select.php:386 -#: fields/select.php:400 fields/select.php:414 fields/select.php:428 -#: fields/tab.php:162 fields/taxonomy.php:711 fields/taxonomy.php:797 -#: fields/taxonomy.php:811 fields/taxonomy.php:825 fields/taxonomy.php:839 -#: fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:408 -#: pro/admin/views/settings-updates.php:103 +#: admin/views/field-group-field-conditional-logic.php:41 admin/views/field-group-field.php:142 +#: fields/checkbox.php:247 fields/message.php:145 fields/page_link.php:554 fields/page_link.php:568 +#: fields/post_object.php:420 fields/post_object.php:434 fields/select.php:386 fields/select.php:400 +#: fields/select.php:414 fields/select.php:428 fields/tab.php:162 fields/taxonomy.php:711 fields/taxonomy.php:797 +#: fields/taxonomy.php:811 fields/taxonomy.php:825 fields/taxonomy.php:839 fields/user.php:458 fields/user.php:472 +#: fields/wysiwyg.php:408 pro/admin/views/settings-updates.php:103 msgid "No" msgstr "Tidak" @@ -521,23 +498,19 @@ msgstr "Tidak" msgid "Show this field if" msgstr "Tampilkan bidang ini jika" -#: admin/views/field-group-field-conditional-logic.php:111 -#: admin/views/field-group-locations.php:34 +#: admin/views/field-group-field-conditional-logic.php:111 admin/views/field-group-locations.php:34 msgid "is equal to" msgstr "sama dengan" -#: admin/views/field-group-field-conditional-logic.php:112 -#: admin/views/field-group-locations.php:35 +#: admin/views/field-group-field-conditional-logic.php:112 admin/views/field-group-locations.php:35 msgid "is not equal to" msgstr "tidak sama dengan" -#: admin/views/field-group-field-conditional-logic.php:149 -#: admin/views/field-group-locations.php:122 +#: admin/views/field-group-field-conditional-logic.php:149 admin/views/field-group-locations.php:122 msgid "and" msgstr "dan" -#: admin/views/field-group-field-conditional-logic.php:164 -#: admin/views/field-group-locations.php:137 +#: admin/views/field-group-field-conditional-logic.php:164 admin/views/field-group-locations.php:137 msgid "Add rule group" msgstr "Tambahkan peraturan grup" @@ -569,8 +542,7 @@ msgstr "Hapus bidang" msgid "Delete" msgstr "Hapus" -#: admin/views/field-group-field.php:69 fields/oembed.php:225 -#: fields/taxonomy.php:912 +#: admin/views/field-group-field.php:69 fields/oembed.php:225 fields/taxonomy.php:912 msgid "Error" msgstr "Error" @@ -651,12 +623,8 @@ msgid "Type" msgstr "Tipe" #: admin/views/field-group-fields.php:44 -msgid "" -"No fields. Click the + Add Field button to create your " -"first field." -msgstr "" -"Tidak ada bidang. Klik tombol + Tambah Bidang untuk membuat " -"bidang pertama Anda." +msgid "No fields. Click the + Add Field button to create your first field." +msgstr "Tidak ada bidang. Klik tombol + Tambah Bidang untuk membuat bidang pertama Anda." #: admin/views/field-group-fields.php:51 msgid "Drag and drop to reorder" @@ -666,8 +634,7 @@ msgstr "Seret dan jatuhkan untuk mengatur ulang" msgid "+ Add Field" msgstr "+ Tambah Bidang" -#: admin/views/field-group-locations.php:5 -#: admin/views/field-group-locations.php:11 +#: admin/views/field-group-locations.php:5 admin/views/field-group-locations.php:11 msgid "Post" msgstr "post" @@ -691,8 +658,7 @@ msgstr "Kategori Post" msgid "Post Taxonomy" msgstr "Post Taksonomi" -#: admin/views/field-group-locations.php:13 -#: admin/views/field-group-locations.php:17 +#: admin/views/field-group-locations.php:13 admin/views/field-group-locations.php:17 msgid "Page" msgstr "Laman" @@ -753,12 +719,8 @@ msgid "Rules" msgstr "Peraturan" #: admin/views/field-group-locations.php:42 -msgid "" -"Create a set of rules to determine which edit screens will use these " -"advanced custom fields" -msgstr "" -"Buat pengaturan peraturan untuk menentukan layar edit yang akan menggunakan " -"advanced custom fields ini" +msgid "Create a set of rules to determine which edit screens will use these advanced custom fields" +msgstr "Buat pengaturan peraturan untuk menentukan layar edit yang akan menggunakan advanced custom fields ini" #: admin/views/field-group-locations.php:59 msgid "Show this field group if" @@ -801,7 +763,7 @@ msgid "Top aligned" msgstr "Selaras atas" #: admin/views/field-group-options.php:60 fields/tab.php:149 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Selaras kiri" #: admin/views/field-group-options.php:67 @@ -822,8 +784,7 @@ msgstr "No. Urutan" #: admin/views/field-group-options.php:83 msgid "Field groups with a lower order will appear first" -msgstr "" -"Bidang kelompok dengan urutan yang lebih rendah akan muncul pertama kali" +msgstr "Bidang kelompok dengan urutan yang lebih rendah akan muncul pertama kali" #: admin/views/field-group-options.php:94 msgid "Shown in field group list" @@ -839,11 +800,11 @@ msgstr "Pilih item untuk menyembunyikan mereka dari layar edit." #: admin/views/field-group-options.php:105 msgid "" -"If multiple field groups appear on an edit screen, the first field group's " -"options will be used (the one with the lowest order number)" +"If multiple field groups appear on an edit screen, the first field group's options will be used (the one with the " +"lowest order number)" msgstr "" -"Jika beberapa kelompok bidang ditampilkan pada layar edit, pilihan bidang " -"kelompok yang pertama akan digunakan (pertama nomor urutan terendah)" +"Jika beberapa kelompok bidang ditampilkan pada layar edit, pilihan bidang kelompok yang pertama akan digunakan " +"(pertama nomor urutan terendah)" #: admin/views/field-group-options.php:112 msgid "Permalink" @@ -915,12 +876,9 @@ msgstr "Selamat datang di Advanced Custom Fields" #: admin/views/settings-info.php:10 #, php-format -msgid "" -"Thank you for updating! ACF %s is bigger and better than ever before. We " -"hope you like it." +msgid "Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it." msgstr "" -"Terima kasih sudah memperbario! ACF %s lebih besar dan lebih baik daripada " -"sebelumnya. Kami harap Anda menyukainya." +"Terima kasih sudah memperbario! ACF %s lebih besar dan lebih baik daripada sebelumnya. Kami harap Anda menyukainya." #: admin/views/settings-info.php:23 msgid "A smoother custom field experience" @@ -932,13 +890,11 @@ msgstr "Peningkatan kegunaan" #: admin/views/settings-info.php:29 msgid "" -"Including the popular Select2 library has improved both usability and speed " -"across a number of field types including post object, page link, taxonomy " -"and select." +"Including the popular Select2 library has improved both usability and speed across a number of field types " +"including post object, page link, taxonomy and select." msgstr "" -"Termasuk Perpustakaan Select2 populer telah meningkatkan kegunaan dan " -"kecepatan di sejumlah bidang jenis termasuk posting objek, link halaman, " -"taksonomi, dan pilih." +"Termasuk Perpustakaan Select2 populer telah meningkatkan kegunaan dan kecepatan di sejumlah bidang jenis termasuk " +"posting objek, link halaman, taksonomi, dan pilih." #: admin/views/settings-info.php:33 msgid "Improved Design" @@ -946,13 +902,11 @@ msgstr "Peningkatan Desain" #: admin/views/settings-info.php:34 msgid "" -"Many fields have undergone a visual refresh to make ACF look better than " -"ever! Noticeable changes are seen on the gallery, relationship and oEmbed " -"(new) fields!" +"Many fields have undergone a visual refresh to make ACF look better than ever! Noticeable changes are seen on the " +"gallery, relationship and oEmbed (new) fields!" msgstr "" -"Berbagai bidang telah mengalami refresh visual untuk membuat ACF terlihat " -"lebih baik daripada sebelumnya! Perubahan nyata terlihat pada galeri, " -"hubungan dan oEmbed bidang (baru)!" +"Berbagai bidang telah mengalami refresh visual untuk membuat ACF terlihat lebih baik daripada sebelumnya! " +"Perubahan nyata terlihat pada galeri, hubungan dan oEmbed bidang (baru)!" #: admin/views/settings-info.php:38 msgid "Improved Data" @@ -960,13 +914,11 @@ msgstr "Peningkatan Data" #: admin/views/settings-info.php:39 msgid "" -"Redesigning the data architecture has allowed sub fields to live " -"independently from their parents. This allows you to drag and drop fields in " -"and out of parent fields!" +"Redesigning the data architecture has allowed sub fields to live independently from their parents. This allows you " +"to drag and drop fields in and out of parent fields!" msgstr "" -"Mendesain ulang arsitektur data telah memungkinkan sub bidang untuk yang " -"mandiri dari parentnya. Hal ini memungkinkan Anda untuk seret dan jatuhkan " -"bidang masuk dan keluar dari bidang parent!" +"Mendesain ulang arsitektur data telah memungkinkan sub bidang untuk yang mandiri dari parentnya. Hal ini " +"memungkinkan Anda untuk seret dan jatuhkan bidang masuk dan keluar dari bidang parent!" #: admin/views/settings-info.php:45 msgid "Goodbye Add-ons. Hello PRO" @@ -977,20 +929,17 @@ msgid "Introducing ACF PRO" msgstr "Memperkenalkan ACF PRO" #: admin/views/settings-info.php:51 -msgid "" -"We're changing the way premium functionality is delivered in an exciting way!" +msgid "We're changing the way premium functionality is delivered in an exciting way!" msgstr "Kami mengubah cara fungsi premium yang disampaikan dalam cara menarik!" #: admin/views/settings-info.php:52 #, php-format msgid "" -"All 4 premium add-ons have been combined into a new Pro " -"version of ACF. With both personal and developer licenses available, " -"premium functionality is more affordable and accessible than ever before!" +"All 4 premium add-ons have been combined into a new Pro version of ACF. With both personal and " +"developer licenses available, premium functionality is more affordable and accessible than ever before!" msgstr "" -"Semua 4 add-on premium sudah dikombinasikan kedalam versi " -"Pro ACF. Dengan ketersediaan lisensi personal dan pengembang, fungsi " -"premuim lebih terjangkan dan dapat diakses keseluruhan daripada sebelumnya!" +"Semua 4 add-on premium sudah dikombinasikan kedalam versi Pro ACF. Dengan ketersediaan lisensi " +"personal dan pengembang, fungsi premuim lebih terjangkan dan dapat diakses keseluruhan daripada sebelumnya!" #: admin/views/settings-info.php:56 msgid "Powerful Features" @@ -998,13 +947,11 @@ msgstr "Fitur kuat" #: admin/views/settings-info.php:57 msgid "" -"ACF PRO contains powerful features such as repeatable data, flexible content " -"layouts, a beautiful gallery field and the ability to create extra admin " -"options pages!" +"ACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field " +"and the ability to create extra admin options pages!" msgstr "" -"ACF PRO memiliki fitur canggih seperti data yang berulang, layout konten " -"yang fleksibel, bidang galeri yang cantik dan kemampuan membuat laman opsi " -"ekstra admin!" +"ACF PRO memiliki fitur canggih seperti data yang berulang, layout konten yang fleksibel, bidang galeri yang cantik " +"dan kemampuan membuat laman opsi ekstra admin!" #: admin/views/settings-info.php:58 #, php-format @@ -1017,23 +964,18 @@ msgstr "Upgrade Mudah" #: admin/views/settings-info.php:63 #, php-format -msgid "" -"To help make upgrading easy, login to your store account " -"and claim a free copy of ACF PRO!" +msgid "To help make upgrading easy, login to your store account and claim a free copy of ACF PRO!" msgstr "" -"Untuk membuat peningkatan yang mudah, masuk ke akun toko " -"dan klaim salinan gratis ACF PRO!" +"Untuk membuat peningkatan yang mudah, masuk ke akun toko dan klaim salinan gratis ACF PRO!" #: admin/views/settings-info.php:64 #, php-format msgid "" -"We also wrote an upgrade guide to answer any questions, " -"but if you do have one, please contact our support team via the help desk" +"We also wrote an upgrade guide to answer any questions, but if you do have one, please contact " +"our support team via the help desk" msgstr "" -"Kami juga menulis panduan upgrade untuk menjawab " -"pertanyaan apapun, jika Anda sudah punya, silahkan hubungi tim support kami " -"via help desk" +"Kami juga menulis panduan upgrade untuk menjawab pertanyaan apapun, jika Anda sudah punya, " +"silahkan hubungi tim support kami via help desk" #: admin/views/settings-info.php:72 msgid "Under the Hood" @@ -1053,8 +995,7 @@ msgstr "Lebih banyak AJAX" #: admin/views/settings-info.php:83 msgid "More fields use AJAX powered search to speed up page loading" -msgstr "" -"Banyak bidang yang menggunakan pencarian AJAX untuk mempercepat loading laman" +msgstr "Banyak bidang yang menggunakan pencarian AJAX untuk mempercepat loading laman" #: admin/views/settings-info.php:87 msgid "Local JSON" @@ -1069,12 +1010,8 @@ msgid "Better version control" msgstr "Kontolr versi terbaik" #: admin/views/settings-info.php:95 -msgid "" -"New auto export to JSON feature allows field settings to be version " -"controlled" -msgstr "" -"Ekspor otomatis ke fitur JSON memungkinkan pengaturan bidang menjadi versi " -"yang terkontrol" +msgid "New auto export to JSON feature allows field settings to be version controlled" +msgstr "Ekspor otomatis ke fitur JSON memungkinkan pengaturan bidang menjadi versi yang terkontrol" #: admin/views/settings-info.php:99 msgid "Swapped XML for JSON" @@ -1090,9 +1027,7 @@ msgstr "Form Baru" #: admin/views/settings-info.php:105 msgid "Fields can now be mapped to comments, widgets and all user forms!" -msgstr "" -"Bidang sekarang dapat dipetakan ke komentar, widget dan semua bentuk " -"pengguna!" +msgstr "Bidang sekarang dapat dipetakan ke komentar, widget dan semua bentuk pengguna!" #: admin/views/settings-info.php:112 msgid "A new field for embedding content has been added" @@ -1111,12 +1046,8 @@ msgid "New Settings" msgstr "Pengaturan baru" #: admin/views/settings-info.php:122 -msgid "" -"Field group settings have been added for label placement and instruction " -"placement" -msgstr "" -"Pengaturan grup bidang telah ditambahkan untuk penempatan label dan " -"penempatan instruksi" +msgid "Field group settings have been added for label placement and instruction placement" +msgstr "Pengaturan grup bidang telah ditambahkan untuk penempatan label dan penempatan instruksi" #: admin/views/settings-info.php:128 msgid "Better Front End Forms" @@ -1132,30 +1063,23 @@ msgstr "Validasi lebih baik" #: admin/views/settings-info.php:134 msgid "Form validation is now done via PHP + AJAX in favour of only JS" -msgstr "" -"Validasi form sekarang dilakukan melalui PHP + AJAX dalam hanya mendukung JS" +msgstr "Validasi form sekarang dilakukan melalui PHP + AJAX dalam hanya mendukung JS" #: admin/views/settings-info.php:138 msgid "Relationship Field" msgstr "Bidang hubungan" #: admin/views/settings-info.php:139 -msgid "" -"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" -msgstr "" -"Pengaturan bidang hubungan untuk 'Saringan' (Pencarian, Tipe Post, Taksonomi)" +msgid "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" +msgstr "Pengaturan bidang hubungan untuk 'Saringan' (Pencarian, Tipe Post, Taksonomi)" #: admin/views/settings-info.php:145 msgid "Moving Fields" msgstr "Memindahkan Bidang" #: admin/views/settings-info.php:146 -msgid "" -"New field group functionality allows you to move a field between groups & " -"parents" -msgstr "" -"Fungsionalitas grup bidang memungkinkan Anda memindahkan bidang antara grup " -"& parent" +msgid "New field group functionality allows you to move a field between groups & parents" +msgstr "Fungsionalitas grup bidang memungkinkan Anda memindahkan bidang antara grup & parent" #: admin/views/settings-info.php:150 fields/page_link.php:36 msgid "Page Link" @@ -1170,12 +1094,8 @@ msgid "Better Options Pages" msgstr "Opsi Laman Lebih Baik" #: admin/views/settings-info.php:156 -msgid "" -"New functions for options page allow creation of both parent and child menu " -"pages" -msgstr "" -"Fungsi baru untuk opsi laman memungkinkan pembuatan laman menu parent dan " -"child" +msgid "New functions for options page allow creation of both parent and child menu pages" +msgstr "Fungsi baru untuk opsi laman memungkinkan pembuatan laman menu parent dan child" #: admin/views/settings-info.php:165 #, php-format @@ -1188,17 +1108,13 @@ msgstr "Ekspor grup bidang ke PHP" #: admin/views/settings-tools-export.php:31 msgid "" -"The following code can be used to register a local version of the selected " -"field group(s). A local field group can provide many benefits such as faster " -"load times, version control & dynamic fields/settings. Simply copy and paste " -"the following code to your theme's functions.php file or include it within " -"an external file." +"The following code can be used to register a local version of the selected field group(s). A local field group can " +"provide many benefits such as faster load times, version control & dynamic fields/settings. Simply copy and paste " +"the following code to your theme's functions.php file or include it within an external file." msgstr "" -"Kode berikutini dapat digunakan untuk mendaftar versi lokal dari bidang yang " -"dipilih. Grup bidang lokal dapat memberikan banyak manfaat sepmacam waktu " -"loading yang cepat, kontrol versi & pengaturan bidang dinamis. Salin dan " -"tempel kode berikut ke tema Anda file function.php atau masukkan kedalam " -"file eksternal." +"Kode berikutini dapat digunakan untuk mendaftar versi lokal dari bidang yang dipilih. Grup bidang lokal dapat " +"memberikan banyak manfaat sepmacam waktu loading yang cepat, kontrol versi & pengaturan bidang dinamis. Salin dan " +"tempel kode berikut ke tema Anda file function.php atau masukkan kedalam file eksternal." #: admin/views/settings-tools.php:5 msgid "Select Field Groups" @@ -1210,15 +1126,13 @@ msgstr "Ekspor Grup Bidang" #: admin/views/settings-tools.php:38 msgid "" -"Select the field groups you would like to export and then select your export " -"method. Use the download button to export to a .json file which you can then " -"import to another ACF installation. Use the generate button to export to PHP " -"code which you can place in your theme." +"Select the field groups you would like to export and then select your export method. Use the download button to " +"export to a .json file which you can then import to another ACF installation. Use the generate button to export to " +"PHP code which you can place in your theme." msgstr "" -"Pilih grup bidang yang Anda ingin ekspor dan pilih metode ekspor. Gunakan " -"tombol unduh untuk ekspor ke file .json yang nantinya bisa Anda impor ke " -"instalasi ACF yang lain. Gunakan tombol hasilkan untuk ekspor ke kode PHP " -"yang bisa Anda simpan di tema Anda." +"Pilih grup bidang yang Anda ingin ekspor dan pilih metode ekspor. Gunakan tombol unduh untuk ekspor ke file .json " +"yang nantinya bisa Anda impor ke instalasi ACF yang lain. Gunakan tombol hasilkan untuk ekspor ke kode PHP yang " +"bisa Anda simpan di tema Anda." #: admin/views/settings-tools.php:50 msgid "Download export file" @@ -1234,11 +1148,11 @@ msgstr "Impor grup bidang" #: admin/views/settings-tools.php:67 msgid "" -"Select the Advanced Custom Fields JSON file you would like to import. When " -"you click the import button below, ACF will import the field groups." +"Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF " +"will import the field groups." msgstr "" -"Pilih file JSON Advanced Custom Fields yang ingin Anda impor. Ketika Anda " -"mengklik tombol impor, ACF akan impor grup bidang." +"Pilih file JSON Advanced Custom Fields yang ingin Anda impor. Ketika Anda mengklik tombol impor, ACF akan impor " +"grup bidang." #: admin/views/settings-tools.php:77 fields/file.php:46 msgid "Select File" @@ -1254,11 +1168,9 @@ msgstr "Peningkatan Database Advanced Custom Fields" #: admin/views/update-network.php:10 msgid "" -"The following sites require a DB upgrade. Check the ones you want to update " -"and then click “Upgrade Database”." +"The following sites require a DB upgrade. Check the ones you want to update and then click “Upgrade Database”." msgstr "" -"Situs berikut memerlukan peningkatan DB. Pilih salah satu yang ingin Anda " -"update dan klik \"Tingkatkan Database\"." +"Situs berikut memerlukan peningkatan DB. Pilih salah satu yang ingin Anda update dan klik \"Tingkatkan Database\"." #: admin/views/update-network.php:19 admin/views/update-network.php:27 msgid "Site" @@ -1279,11 +1191,11 @@ msgstr "Upgrade database selesai. Kembali ke dasbor jaringan" #: admin/views/update-network.php:101 admin/views/update-notice.php:35 msgid "" -"It is strongly recommended that you backup your database before proceeding. " -"Are you sure you wish to run the updater now?" +"It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the " +"updater now?" msgstr "" -"Ini sangan direkomendasikan Anda mencadangkan database Anda sebelum " -"memproses. Apakah Anda yakin menjalankan peningkatan sekarang?" +"Ini sangan direkomendasikan Anda mencadangkan database Anda sebelum memproses. Apakah Anda yakin menjalankan " +"peningkatan sekarang?" #: admin/views/update-network.php:157 msgid "Upgrade complete" @@ -1303,12 +1215,8 @@ msgid "Thank you for updating to %s v%s!" msgstr "Terimakasih sudah meningkatkan ke %s v%s!" #: admin/views/update-notice.php:25 -msgid "" -"Before you start using the new awesome features, please update your database " -"to the newest version." -msgstr "" -"Sebelum Anda mula menggunakan fitur keren, silahkan tingkatkan database Anda " -"ke versi terbaru." +msgid "Before you start using the new awesome features, please update your database to the newest version." +msgstr "Sebelum Anda mula menggunakan fitur keren, silahkan tingkatkan database Anda ke versi terbaru." #: admin/views/update.php:12 msgid "Reading upgrade tasks..." @@ -1410,9 +1318,8 @@ msgstr "Relasional" msgid "jQuery" msgstr "jQuery" -#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 -#: pro/fields/flexible-content.php:500 pro/fields/flexible-content.php:549 -#: pro/fields/repeater.php:467 +#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 pro/fields/flexible-content.php:500 +#: pro/fields/flexible-content.php:549 pro/fields/repeater.php:467 msgid "Layout" msgstr "Layout" @@ -1468,17 +1375,14 @@ msgstr "Masukkan setiap pilihan pada baris baru." #: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:363 msgid "For more control, you may specify both a value and label like this:" -msgstr "" -"Untuk kontrol lebih, Anda dapat menentukan keduanya antara nilai dan bidang " -"seperti ini:" +msgstr "Untuk kontrol lebih, Anda dapat menentukan keduanya antara nilai dan bidang seperti ini:" #: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:363 msgid "red : Red" msgstr "merah : Merah" -#: fields/checkbox.php:217 fields/color_picker.php:149 fields/email.php:124 -#: fields/number.php:150 fields/radio.php:222 fields/select.php:371 -#: fields/text.php:148 fields/textarea.php:145 fields/true_false.php:115 +#: fields/checkbox.php:217 fields/color_picker.php:149 fields/email.php:124 fields/number.php:150 +#: fields/radio.php:222 fields/select.php:371 fields/text.php:148 fields/textarea.php:145 fields/true_false.php:115 #: fields/url.php:117 fields/wysiwyg.php:368 msgid "Default Value" msgstr "Nilai Default" @@ -1559,39 +1463,34 @@ msgstr "Minggu Dimulai Pada" msgid "Email" msgstr "Email" -#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 -#: fields/text.php:149 fields/textarea.php:146 fields/url.php:118 -#: fields/wysiwyg.php:369 +#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 fields/text.php:149 fields/textarea.php:146 +#: fields/url.php:118 fields/wysiwyg.php:369 msgid "Appears when creating a new post" msgstr "Muncul ketika membuat sebuah post baru" -#: fields/email.php:133 fields/number.php:159 fields/password.php:137 -#: fields/text.php:157 fields/textarea.php:154 fields/url.php:126 +#: fields/email.php:133 fields/number.php:159 fields/password.php:137 fields/text.php:157 fields/textarea.php:154 +#: fields/url.php:126 msgid "Placeholder Text" msgstr "Teks Placeholder" -#: fields/email.php:134 fields/number.php:160 fields/password.php:138 -#: fields/text.php:158 fields/textarea.php:155 fields/url.php:127 +#: fields/email.php:134 fields/number.php:160 fields/password.php:138 fields/text.php:158 fields/textarea.php:155 +#: fields/url.php:127 msgid "Appears within the input" msgstr "Muncul didalam input" -#: fields/email.php:142 fields/number.php:168 fields/password.php:146 -#: fields/text.php:166 +#: fields/email.php:142 fields/number.php:168 fields/password.php:146 fields/text.php:166 msgid "Prepend" msgstr "Tambahkan" -#: fields/email.php:143 fields/number.php:169 fields/password.php:147 -#: fields/text.php:167 +#: fields/email.php:143 fields/number.php:169 fields/password.php:147 fields/text.php:167 msgid "Appears before the input" msgstr "Muncul sebelum input" -#: fields/email.php:151 fields/number.php:177 fields/password.php:155 -#: fields/text.php:175 +#: fields/email.php:151 fields/number.php:177 fields/password.php:155 fields/text.php:175 msgid "Append" msgstr "Menambahkan" -#: fields/email.php:152 fields/number.php:178 fields/password.php:156 -#: fields/text.php:176 +#: fields/email.php:152 fields/number.php:178 fields/password.php:156 fields/text.php:176 msgid "Appears after the input" msgstr "Muncul setelah input" @@ -1667,8 +1566,8 @@ msgstr "Minimum" msgid "Restrict which files can be uploaded" msgstr "Batasi file mana yang dapat diunggah" -#: fields/file.php:247 fields/file.php:258 fields/image.php:257 -#: fields/image.php:290 pro/fields/gallery.php:692 pro/fields/gallery.php:725 +#: fields/file.php:247 fields/file.php:258 fields/image.php:257 fields/image.php:290 pro/fields/gallery.php:692 +#: pro/fields/gallery.php:725 msgid "File size" msgstr "Ukuran File" @@ -1728,8 +1627,8 @@ msgstr "Zoom" msgid "Set the initial zoom level" msgstr "Mengatur tingkat awal zoom" -#: fields/google-map.php:203 fields/image.php:246 fields/image.php:279 -#: fields/oembed.php:275 pro/fields/gallery.php:681 pro/fields/gallery.php:714 +#: fields/google-map.php:203 fields/image.php:246 fields/image.php:279 fields/oembed.php:275 +#: pro/fields/gallery.php:681 pro/fields/gallery.php:714 msgid "Height" msgstr "Tinggi" @@ -1789,13 +1688,12 @@ msgstr "Ukuran Tinjauan" msgid "Shown when entering data" msgstr "Tampilkan ketika memasukkan data" -#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:670 -#: pro/fields/gallery.php:703 +#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:670 pro/fields/gallery.php:703 msgid "Restrict which images can be uploaded" msgstr "Batasi gambar mana yang dapat diunggah" -#: fields/image.php:238 fields/image.php:271 fields/oembed.php:264 -#: pro/fields/gallery.php:673 pro/fields/gallery.php:706 +#: fields/image.php:238 fields/image.php:271 fields/oembed.php:264 pro/fields/gallery.php:673 +#: pro/fields/gallery.php:706 msgid "Width" msgstr "Lebar" @@ -1829,8 +1727,7 @@ msgstr "Keluar HTML" #: fields/message.php:140 msgid "Allow HTML markup to display as visible text instead of rendering" -msgstr "" -"Memungkinkan HTML markup untuk menampilkan teks terlihat sebagai render" +msgstr "Memungkinkan HTML markup untuk menampilkan teks terlihat sebagai render" #: fields/number.php:36 msgid "Number" @@ -1882,33 +1779,28 @@ msgstr "Ukuran Embed (Semat)" msgid "Archives" msgstr "Arsip" -#: fields/page_link.php:520 fields/post_object.php:386 -#: fields/relationship.php:689 +#: fields/page_link.php:520 fields/post_object.php:386 fields/relationship.php:689 msgid "Filter by Post Type" msgstr "Saring dengan jenis post" -#: fields/page_link.php:528 fields/post_object.php:394 -#: fields/relationship.php:697 +#: fields/page_link.php:528 fields/post_object.php:394 fields/relationship.php:697 msgid "All post types" msgstr "Semua Tipe Post" -#: fields/page_link.php:534 fields/post_object.php:400 -#: fields/relationship.php:703 +#: fields/page_link.php:534 fields/post_object.php:400 fields/relationship.php:703 msgid "Filter by Taxonomy" msgstr "Filter dengan Taksonomi" -#: fields/page_link.php:542 fields/post_object.php:408 -#: fields/relationship.php:711 +#: fields/page_link.php:542 fields/post_object.php:408 fields/relationship.php:711 msgid "All taxonomies" msgstr "Semua Taksonomi" -#: fields/page_link.php:548 fields/post_object.php:414 fields/select.php:380 -#: fields/taxonomy.php:791 fields/user.php:452 +#: fields/page_link.php:548 fields/post_object.php:414 fields/select.php:380 fields/taxonomy.php:791 +#: fields/user.php:452 msgid "Allow Null?" msgstr "Izinkan Nol?" -#: fields/page_link.php:562 fields/post_object.php:428 fields/select.php:394 -#: fields/user.php:466 +#: fields/page_link.php:562 fields/post_object.php:428 fields/select.php:394 fields/user.php:466 msgid "Select multiple values?" msgstr "Pilih beberapa nilai?" @@ -1916,8 +1808,7 @@ msgstr "Pilih beberapa nilai?" msgid "Password" msgstr "Kata Sandi" -#: fields/post_object.php:36 fields/post_object.php:447 -#: fields/relationship.php:768 +#: fields/post_object.php:36 fields/post_object.php:447 fields/relationship.php:768 msgid "Post Object" msgstr "Objek Post" @@ -2025,29 +1916,22 @@ msgstr "Tab" #: fields/tab.php:128 msgid "" -"The tab field will display incorrectly when added to a Table style repeater " -"field or flexible content field layout" +"The tab field will display incorrectly when added to a Table style repeater field or flexible content field layout" msgstr "" -"Bidang tab tidak akan tampil dengan baik ketika ditambahkan ke Gaya Tabel " -"repeater atau layout bidang konten yang fleksibel" +"Bidang tab tidak akan tampil dengan baik ketika ditambahkan ke Gaya Tabel repeater atau layout bidang konten yang " +"fleksibel" #: fields/tab.php:129 -msgid "" -"Use \"Tab Fields\" to better organize your edit screen by grouping fields " -"together." -msgstr "" -"Gunakan \"Bidang Tab\" untuk mengatur layar edit Anda dengan menggabungkan " -"bidang bersamaan." +msgid "Use \"Tab Fields\" to better organize your edit screen by grouping fields together." +msgstr "Gunakan \"Bidang Tab\" untuk mengatur layar edit Anda dengan menggabungkan bidang bersamaan." #: fields/tab.php:130 msgid "" -"All fields following this \"tab field\" (or until another \"tab field\" is " -"defined) will be grouped together using this field's label as the tab " -"heading." +"All fields following this \"tab field\" (or until another \"tab field\" is defined) will be grouped together using " +"this field's label as the tab heading." msgstr "" -"Semua bidang mengikuti \"bidang tab\" (atau sampai \"bidang tab\" lainnya " -"ditemukan) akan dikelompokkan bersama-sama menggunakan label bidang ini " -"sebagai judul tab." +"Semua bidang mengikuti \"bidang tab\" (atau sampai \"bidang tab\" lainnya ditemukan) akan dikelompokkan bersama-" +"sama menggunakan label bidang ini sebagai judul tab." #: fields/tab.php:144 msgid "Placement" @@ -2286,12 +2170,10 @@ msgid "License" msgstr "Lisensi" #: pro/admin/views/settings-updates.php:24 -msgid "" -"To unlock updates, please enter your license key below. If you don't have a " -"licence key, please see" +msgid "To unlock updates, please enter your license key below. If you don't have a licence key, please see" msgstr "" -"Untuk membuka update, masukkan kunci lisensi Anda di bawah ini. Jika Anda " -"tidak memiliki kunci lisensi, silakan lihat" +"Untuk membuka update, masukkan kunci lisensi Anda di bawah ini. Jika Anda tidak memiliki kunci lisensi, silakan " +"lihat" #: pro/admin/views/settings-updates.php:24 msgid "details & pricing" @@ -2340,13 +2222,11 @@ msgstr "Pengaturan" #: pro/core/updates.php:198 #, php-format msgid "" -"To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing" +"To enable updates, please enter your license key on the Updates page. If you don't have a " +"licence key, please see details & pricing" msgstr "" -"Untuk mengaktifkan update, masukkan kunci lisensi Anda pada Laman pembaruan. Jika Anda tidak memiliki kunci lisensi, silakan " -"lihat rincian & harga" +"Untuk mengaktifkan update, masukkan kunci lisensi Anda pada Laman pembaruan. Jika Anda tidak " +"memiliki kunci lisensi, silakan lihat rincian & harga" #: pro/fields/flexible-content.php:36 msgid "Flexible Content" diff --git a/lang/acf-it_IT.mo b/lang/acf-it_IT.mo index e84140d..145cf75 100644 Binary files a/lang/acf-it_IT.mo and b/lang/acf-it_IT.mo differ diff --git a/lang/acf-it_IT.po b/lang/acf-it_IT.po index 98def52..9a4d2ac 100644 --- a/lang/acf-it_IT.po +++ b/lang/acf-it_IT.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-11-22 09:29+0100\n" -"PO-Revision-Date: 2017-11-22 09:31+0100\n" +"PO-Revision-Date: 2018-02-06 10:07+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Elliot Condon \n" "Language: it_IT\n" @@ -11,7 +11,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: Poedit 2.0.2\n" +"X-Generator: Poedit 1.8.1\n" "X-Loco-Target-Locale: it_IT\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" @@ -816,7 +816,7 @@ msgstr "Allineamento in alto" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Allineamento a sinistra" #: includes/admin/views/field-group-options.php:70 @@ -1433,7 +1433,8 @@ msgstr "Relazionale" msgid "jQuery" msgstr "jQuery" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -2750,8 +2751,8 @@ msgstr "Modifica Field Group" msgid "Validate Email" msgstr "Valida Email" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Aggiorna" diff --git a/lang/acf-ja.mo b/lang/acf-ja.mo index 040fbe4..72cbab1 100644 Binary files a/lang/acf-ja.mo and b/lang/acf-ja.mo differ diff --git a/lang/acf-ja.po b/lang/acf-ja.po index 9f49a78..f58eb02 100644 --- a/lang/acf-ja.po +++ b/lang/acf-ja.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2015-08-11 23:33+0200\n" -"PO-Revision-Date: 2016-11-03 17:12+1000\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: shogo kato \n" "Language: ja_JP\n" @@ -13,9 +13,8 @@ msgstr "" "X-Generator: Poedit 1.8.1\n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Poedit-SourceCharset: UTF-8\n" -"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" -"esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" -"_nx_noop:3c,1,2;__ngettext_noop:1,2\n" +"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;esc_attr_e;esc_attr_x:1,2c;" +"esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;_nx_noop:3c,1,2;__ngettext_noop:1,2\n" "X-Poedit-Basepath: ..\n" "X-Poedit-WPHeader: acf.php\n" "X-Textdomain-Support: yes\n" @@ -34,8 +33,7 @@ msgstr "フィールドグループ" msgid "Field Group" msgstr "フィールドグループ" -#: acf.php:207 acf.php:239 admin/admin.php:62 -#: pro/fields/flexible-content.php:517 +#: acf.php:207 acf.php:239 admin/admin.php:62 pro/fields/flexible-content.php:517 msgid "Add New" msgstr "新規追加" @@ -67,8 +65,7 @@ msgstr "フィールドグループが見つかりませんでした" msgid "No Field Groups found in Trash" msgstr "ゴミ箱の中にフィールドグループは見つかりませんでした" -#: acf.php:237 admin/field-group.php:182 admin/field-group.php:213 -#: admin/field-groups.php:519 +#: acf.php:237 admin/field-group.php:182 admin/field-group.php:213 admin/field-groups.php:519 msgid "Fields" msgstr "フィールド" @@ -84,8 +81,7 @@ msgstr "新規フィールドを追加" msgid "Edit Field" msgstr "フィールドを編集" -#: acf.php:242 admin/views/field-group-fields.php:18 -#: admin/views/settings-info.php:111 +#: acf.php:242 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111 msgid "New Field" msgstr "新規フィールド" @@ -168,10 +164,8 @@ msgstr "フィールドグループのタイトルは必須です" msgid "copy" msgstr "複製" -#: admin/field-group.php:181 -#: admin/views/field-group-field-conditional-logic.php:67 -#: admin/views/field-group-field-conditional-logic.php:162 -#: admin/views/field-group-locations.php:23 +#: admin/field-group.php:181 admin/views/field-group-field-conditional-logic.php:67 +#: admin/views/field-group-field-conditional-logic.php:162 admin/views/field-group-locations.php:23 #: admin/views/field-group-locations.php:131 api/api-helpers.php:3262 msgid "or" msgstr "または" @@ -260,9 +254,8 @@ msgstr "バックエンドで表示" msgid "Super Admin" msgstr "ネットワーク管理者" -#: admin/field-group.php:818 admin/field-group.php:826 -#: admin/field-group.php:840 admin/field-group.php:847 -#: admin/field-group.php:862 admin/field-group.php:872 fields/file.php:235 +#: admin/field-group.php:818 admin/field-group.php:826 admin/field-group.php:840 +#: admin/field-group.php:847 admin/field-group.php:862 admin/field-group.php:872 fields/file.php:235 #: fields/image.php:226 pro/fields/gallery.php:653 msgid "All" msgstr "全て" @@ -332,8 +325,8 @@ msgstr "利用可能な同期" msgid "Title" msgstr "タイトル" -#: admin/field-groups.php:517 admin/views/field-group-options.php:98 -#: admin/views/update-network.php:20 admin/views/update-network.php:28 +#: admin/field-groups.php:517 admin/views/field-group-options.php:98 admin/views/update-network.php:20 +#: admin/views/update-network.php:28 msgid "Description" msgstr "" @@ -341,8 +334,7 @@ msgstr "" msgid "Status" msgstr "" -#: admin/field-groups.php:616 admin/settings-info.php:76 -#: pro/admin/views/settings-updates.php:111 +#: admin/field-groups.php:616 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111 msgid "Changelog" msgstr "更新履歴" @@ -362,8 +354,7 @@ msgstr "リソース" msgid "Getting Started" msgstr "はじめに" -#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 -#: pro/admin/views/settings-updates.php:17 +#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 pro/admin/views/settings-updates.php:17 msgid "Updates" msgstr "アップデート" @@ -399,8 +390,8 @@ msgstr "作成" msgid "Duplicate this item" msgstr "この項目を複製" -#: admin/field-groups.php:673 admin/field-groups.php:685 -#: admin/views/field-group-field.php:58 pro/fields/flexible-content.php:516 +#: admin/field-groups.php:673 admin/field-groups.php:685 admin/views/field-group-field.php:58 +#: pro/fields/flexible-content.php:516 msgid "Duplicate" msgstr "複製" @@ -433,8 +424,7 @@ msgstr "お知らせ" msgid "What's New" msgstr "新着情報" -#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 -#: admin/views/settings-tools.php:31 +#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 admin/views/settings-tools.php:31 msgid "Tools" msgstr "" @@ -461,17 +451,14 @@ msgstr "インポートファイルが空です" #: admin/settings-tools.php:323 #, php-format msgid "Success. Import tool added %s field groups: %s" -msgstr "" -"成功 インポートツールは %s個 のフィールドグループを追加しました:%s" +msgstr "成功 インポートツールは %s個 のフィールドグループを追加しました:%s" #: admin/settings-tools.php:332 #, php-format -msgid "" -"Warning. Import tool detected %s field groups already exist and have " -"been ignored: %s" +msgid "Warning. Import tool detected %s field groups already exist and have been ignored: %s" msgstr "" -"警告 インポートツールは %s個 のフィールドグループが既に存在しているの" -"を検出したため無視しました:%s" +"警告 インポートツールは %s個 のフィールドグループが既に存在しているのを検出したため無視しました:" +"%s" #: admin/update.php:113 msgid "Upgrade ACF" @@ -493,25 +480,20 @@ msgstr "" msgid "Conditional Logic" msgstr "条件判定" -#: admin/views/field-group-field-conditional-logic.php:40 -#: admin/views/field-group-field.php:137 fields/checkbox.php:246 -#: fields/message.php:117 fields/page_link.php:568 fields/page_link.php:582 -#: fields/post_object.php:434 fields/post_object.php:448 fields/select.php:411 -#: fields/select.php:425 fields/select.php:439 fields/select.php:453 -#: fields/tab.php:172 fields/taxonomy.php:770 fields/taxonomy.php:784 -#: fields/taxonomy.php:798 fields/taxonomy.php:812 fields/user.php:457 -#: fields/user.php:471 fields/wysiwyg.php:384 -#: pro/admin/views/settings-updates.php:93 +#: admin/views/field-group-field-conditional-logic.php:40 admin/views/field-group-field.php:137 +#: fields/checkbox.php:246 fields/message.php:117 fields/page_link.php:568 fields/page_link.php:582 +#: fields/post_object.php:434 fields/post_object.php:448 fields/select.php:411 fields/select.php:425 +#: fields/select.php:439 fields/select.php:453 fields/tab.php:172 fields/taxonomy.php:770 +#: fields/taxonomy.php:784 fields/taxonomy.php:798 fields/taxonomy.php:812 fields/user.php:457 +#: fields/user.php:471 fields/wysiwyg.php:384 pro/admin/views/settings-updates.php:93 msgid "Yes" msgstr "はい" -#: admin/views/field-group-field-conditional-logic.php:41 -#: admin/views/field-group-field.php:138 fields/checkbox.php:247 -#: fields/message.php:118 fields/page_link.php:569 fields/page_link.php:583 -#: fields/post_object.php:435 fields/post_object.php:449 fields/select.php:412 -#: fields/select.php:426 fields/select.php:440 fields/select.php:454 -#: fields/tab.php:173 fields/taxonomy.php:685 fields/taxonomy.php:771 -#: fields/taxonomy.php:785 fields/taxonomy.php:799 fields/taxonomy.php:813 +#: admin/views/field-group-field-conditional-logic.php:41 admin/views/field-group-field.php:138 +#: fields/checkbox.php:247 fields/message.php:118 fields/page_link.php:569 fields/page_link.php:583 +#: fields/post_object.php:435 fields/post_object.php:449 fields/select.php:412 fields/select.php:426 +#: fields/select.php:440 fields/select.php:454 fields/tab.php:173 fields/taxonomy.php:685 +#: fields/taxonomy.php:771 fields/taxonomy.php:785 fields/taxonomy.php:799 fields/taxonomy.php:813 #: fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:385 #: pro/admin/views/settings-updates.php:103 msgid "No" @@ -521,23 +503,19 @@ msgstr "いいえ" msgid "Show this field if" msgstr "このフィールドグループの表示条件" -#: admin/views/field-group-field-conditional-logic.php:111 -#: admin/views/field-group-locations.php:88 +#: admin/views/field-group-field-conditional-logic.php:111 admin/views/field-group-locations.php:88 msgid "is equal to" msgstr "等しい" -#: admin/views/field-group-field-conditional-logic.php:112 -#: admin/views/field-group-locations.php:89 +#: admin/views/field-group-field-conditional-logic.php:112 admin/views/field-group-locations.php:89 msgid "is not equal to" msgstr "等しくない" -#: admin/views/field-group-field-conditional-logic.php:149 -#: admin/views/field-group-locations.php:118 +#: admin/views/field-group-field-conditional-logic.php:149 admin/views/field-group-locations.php:118 msgid "and" msgstr "and" -#: admin/views/field-group-field-conditional-logic.php:164 -#: admin/views/field-group-locations.php:133 +#: admin/views/field-group-field-conditional-logic.php:164 admin/views/field-group-locations.php:133 msgid "Add rule group" msgstr "ルールを追加" @@ -569,8 +547,7 @@ msgstr "フィールドを削除" msgid "Delete" msgstr "削除" -#: admin/views/field-group-field.php:68 fields/oembed.php:212 -#: fields/taxonomy.php:886 +#: admin/views/field-group-field.php:68 fields/oembed.php:212 fields/taxonomy.php:886 msgid "Error" msgstr "エラー" @@ -651,12 +628,10 @@ msgid "Type" msgstr "タイプ" #: admin/views/field-group-fields.php:44 -msgid "" -"No fields. Click the + Add Field button to create your " -"first field." +msgid "No fields. Click the + Add Field button to create your first field." msgstr "" -"フィールドはありません。+ 新規追加ボタンをクリックして最初の" -"フィールドを作成してください" +"フィールドはありません。+ 新規追加ボタンをクリックして最初のフィールドを作成してくださ" +"い" #: admin/views/field-group-fields.php:51 msgid "Drag and drop to reorder" @@ -671,18 +646,14 @@ msgid "Rules" msgstr "ルール" #: admin/views/field-group-locations.php:6 -msgid "" -"Create a set of rules to determine which edit screens will use these " -"advanced custom fields" -msgstr "" -"どの編集画面でカスタムフィールドを表示するかを決定するルールを作成します。" +msgid "Create a set of rules to determine which edit screens will use these advanced custom fields" +msgstr "どの編集画面でカスタムフィールドを表示するかを決定するルールを作成します。" #: admin/views/field-group-locations.php:21 msgid "Show this field group if" msgstr "このフィールドグループを表示する条件" -#: admin/views/field-group-locations.php:41 -#: admin/views/field-group-locations.php:47 +#: admin/views/field-group-locations.php:41 admin/views/field-group-locations.php:47 msgid "Post" msgstr "投稿" @@ -706,8 +677,7 @@ msgstr "投稿カテゴリー" msgid "Post Taxonomy" msgstr "投稿タクソノミー" -#: admin/views/field-group-locations.php:49 -#: admin/views/field-group-locations.php:53 +#: admin/views/field-group-locations.php:49 admin/views/field-group-locations.php:53 msgid "Page" msgstr "ページ" @@ -800,7 +770,7 @@ msgid "Top aligned" msgstr "上揃え" #: admin/views/field-group-options.php:65 fields/tab.php:160 -msgid "Left Aligned" +msgid "Left aligned" msgstr "左揃え" #: admin/views/field-group-options.php:72 @@ -837,8 +807,8 @@ msgstr "編集画面で表示しないアイテムを選択" #: admin/views/field-group-options.php:110 msgid "" -"If multiple field groups appear on an edit screen, the first field group's " -"options will be used (the one with the lowest order number)" +"If multiple field groups appear on an edit screen, the first field group's options will be used (the " +"one with the lowest order number)" msgstr "" #: admin/views/field-group-options.php:117 @@ -911,12 +881,10 @@ msgstr "ようこそ Advanced Custom Fields" #: admin/views/settings-info.php:10 #, php-format -msgid "" -"Thank you for updating! ACF %s is bigger and better than ever before. We " -"hope you like it." +msgid "Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it." msgstr "" -"アップグレードありがとうございます!ACF %s は規模、質ともに向上しています。気" -"に入ってもらえたら幸いです。" +"アップグレードありがとうございます!ACF %s は規模、質ともに向上しています。気に入ってもらえたら幸いで" +"す。" #: admin/views/settings-info.php:23 msgid "A smoother custom field experience" @@ -928,13 +896,11 @@ msgstr "改良されたユーザビリティ" #: admin/views/settings-info.php:29 msgid "" -"Including the popular Select2 library has improved both usability and speed " -"across a number of field types including post object, page link, taxonomy " -"and select." +"Including the popular Select2 library has improved both usability and speed across a number of field " +"types including post object, page link, taxonomy and select." msgstr "" -"内蔵した人気のSelect2ライブラリによって、投稿オブジェクトやページリンク、タク" -"ソノミーなど多くのフィールドタイプにおける選択のユーザビリティと速度の両方を" -"改善しました。" +"内蔵した人気のSelect2ライブラリによって、投稿オブジェクトやページリンク、タクソノミーなど多くのフィール" +"ドタイプにおける選択のユーザビリティと速度の両方を改善しました。" #: admin/views/settings-info.php:33 msgid "Improved Design" @@ -942,13 +908,11 @@ msgstr "改良されたデザイン" #: admin/views/settings-info.php:34 msgid "" -"Many fields have undergone a visual refresh to make ACF look better than " -"ever! Noticeable changes are seen on the gallery, relationship and oEmbed " -"(new) fields!" +"Many fields have undergone a visual refresh to make ACF look better than ever! Noticeable changes are " +"seen on the gallery, relationship and oEmbed (new) fields!" msgstr "" -"ACFがより良くなるよう、多くのフィールドのデザインを一新しました!目立った変化" -"は、ギャラリーフィールドや関連フィールド、(新しい)oEmbedフィールドでわかる" -"でしょう!" +"ACFがより良くなるよう、多くのフィールドのデザインを一新しました!目立った変化は、ギャラリーフィールドや" +"関連フィールド、(新しい)oEmbedフィールドでわかるでしょう!" #: admin/views/settings-info.php:38 msgid "Improved Data" @@ -956,13 +920,11 @@ msgstr "改良されたデータ" #: admin/views/settings-info.php:39 msgid "" -"Redesigning the data architecture has allowed sub fields to live " -"independently from their parents. This allows you to drag and drop fields in " -"and out of parent fields!" +"Redesigning the data architecture has allowed sub fields to live independently from their parents. This " +"allows you to drag and drop fields in and out of parent fields!" msgstr "" -"データ構造を再設計したことでサブフィールドは親フィールドから独立して存在でき" -"るようになりました。これによって親フィールドの内外にフィールドをドラッグアン" -"ドドロップできるます。" +"データ構造を再設計したことでサブフィールドは親フィールドから独立して存在できるようになりました。これに" +"よって親フィールドの内外にフィールドをドラッグアンドドロップできるます。" #: admin/views/settings-info.php:45 msgid "Goodbye Add-ons. Hello PRO" @@ -973,20 +935,18 @@ msgid "Introducing ACF PRO" msgstr "ACF PRO紹介" #: admin/views/settings-info.php:51 -msgid "" -"We're changing the way premium functionality is delivered in an exciting way!" +msgid "We're changing the way premium functionality is delivered in an exciting way!" msgstr "我々はエキサイティングな方法で有料機能を提供することにしました!" #: admin/views/settings-info.php:52 #, php-format msgid "" -"All 4 premium add-ons have been combined into a new Pro " -"version of ACF. With both personal and developer licenses available, " -"premium functionality is more affordable and accessible than ever before!" +"All 4 premium add-ons have been combined into a new Pro version of ACF. With both " +"personal and developer licenses available, premium functionality is more affordable and accessible than " +"ever before!" msgstr "" -"4つのアドオンをACFのPROバージョンとして組み合わせました。" -"個人または開発者ライセンスによって、以前よりお手頃な価格で有料機能を利用でき" -"ます!" +"4つのアドオンをACFのPROバージョンとして組み合わせました。個人または開発者ライセンスに" +"よって、以前よりお手頃な価格で有料機能を利用できます!" #: admin/views/settings-info.php:56 msgid "Powerful Features" @@ -994,13 +954,11 @@ msgstr "パワフルな機能" #: admin/views/settings-info.php:57 msgid "" -"ACF PRO contains powerful features such as repeatable data, flexible content " -"layouts, a beautiful gallery field and the ability to create extra admin " -"options pages!" +"ACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful " +"gallery field and the ability to create extra admin options pages!" msgstr "" -"ACF PROには、繰り返し可能なデータ、柔軟なコンテンツレイアウト、美しいギャラ" -"リーフィールド、オプションページを作成するなど、パワフルな機能が含まれていま" -"す!" +"ACF PROには、繰り返し可能なデータ、柔軟なコンテンツレイアウト、美しいギャラリーフィールド、オプション" +"ページを作成するなど、パワフルな機能が含まれています!" #: admin/views/settings-info.php:58 #, php-format @@ -1014,22 +972,20 @@ msgstr "簡単なアップグレード" #: admin/views/settings-info.php:63 #, php-format msgid "" -"To help make upgrading easy, login to your store account " -"and claim a free copy of ACF PRO!" +"To help make upgrading easy, login to your store account and claim a free copy of " +"ACF PRO!" msgstr "" -"簡単なアップグレードのために、ストアアカウントにログインし" -"てACF PROの無料コピーを申請してください。" +"簡単なアップグレードのために、ストアアカウントにログインしてACF PROの無料コピーを申請" +"してください。" #: admin/views/settings-info.php:64 #, php-format msgid "" -"We also wrote an upgrade guide to answer any questions, " -"but if you do have one, please contact our support team via the help desk" +"We also wrote an upgrade guide to answer any questions, but if you do have one, " +"please contact our support team via the help desk" msgstr "" -"我々は多くの質問に応えるためにアップグレードガイドを用意し" -"ていますが、もし質問がある場合はヘルプデスクからサポート" -"チームに連絡をしてください。" +"我々は多くの質問に応えるためにアップグレードガイドを用意していますが、もし質問がある" +"場合はヘルプデスクからサポートチームに連絡をしてください。" #: admin/views/settings-info.php:72 msgid "Under the Hood" @@ -1041,9 +997,7 @@ msgstr "よりスマートなフィールド設定" #: admin/views/settings-info.php:78 msgid "ACF now saves its field settings as individual post objects" -msgstr "" -"ACFはそれぞれのフィールドを独立した投稿オブジェクトとして保存するようになりま" -"した。" +msgstr "ACFはそれぞれのフィールドを独立した投稿オブジェクトとして保存するようになりました。" #: admin/views/settings-info.php:82 msgid "More AJAX" @@ -1051,9 +1005,7 @@ msgstr "いっそうAJAXに" #: admin/views/settings-info.php:83 msgid "More fields use AJAX powered search to speed up page loading" -msgstr "" -"ページの読み込み速度を高速化するために、より多くのフィールドがAJAXを利用する" -"ようになりました。" +msgstr "ページの読み込み速度を高速化するために、より多くのフィールドがAJAXを利用するようになりました。" #: admin/views/settings-info.php:87 msgid "Local JSON" @@ -1068,12 +1020,8 @@ msgid "Better version control" msgstr "より良いバージョンコントロール" #: admin/views/settings-info.php:95 -msgid "" -"New auto export to JSON feature allows field settings to be version " -"controlled" -msgstr "" -"新しいJSON形式の自動エクスポート機能は、フィールド設定のバージョンコントロー" -"ルを可能にします。" +msgid "New auto export to JSON feature allows field settings to be version controlled" +msgstr "新しいJSON形式の自動エクスポート機能は、フィールド設定のバージョンコントロールを可能にします。" #: admin/views/settings-info.php:99 msgid "Swapped XML for JSON" @@ -1089,8 +1037,7 @@ msgstr "新しいフォーム" #: admin/views/settings-info.php:105 msgid "Fields can now be mapped to comments, widgets and all user forms!" -msgstr "" -"コメントとウィジェット、全てのユーザーのフォームにフィールドを追加できます。" +msgstr "コメントとウィジェット、全てのユーザーのフォームにフィールドを追加できます。" #: admin/views/settings-info.php:112 msgid "A new field for embedding content has been added" @@ -1109,11 +1056,8 @@ msgid "New Settings" msgstr "新しい設定" #: admin/views/settings-info.php:122 -msgid "" -"Field group settings have been added for label placement and instruction " -"placement" -msgstr "" -"フィールドグループの設定に「ラベルの配置」と「説明の配置」を追加しています。" +msgid "Field group settings have been added for label placement and instruction placement" +msgstr "フィールドグループの設定に「ラベルの配置」と「説明の配置」を追加しています。" #: admin/views/settings-info.php:128 msgid "Better Front End Forms" @@ -1136,22 +1080,17 @@ msgid "Relationship Field" msgstr "関連フィールド" #: admin/views/settings-info.php:139 -msgid "" -"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" -msgstr "" -"関連フィールドの新しい設定「フィルター」(検索、投稿タイプ、タクソノミー)。" +msgid "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" +msgstr "関連フィールドの新しい設定「フィルター」(検索、投稿タイプ、タクソノミー)。" #: admin/views/settings-info.php:145 msgid "Moving Fields" msgstr "フィールド移動" #: admin/views/settings-info.php:146 -msgid "" -"New field group functionality allows you to move a field between groups & " -"parents" +msgid "New field group functionality allows you to move a field between groups & parents" msgstr "" -"新しいフィールドグループでは、フィールドが親フィールドやフィールドグループ間" -"を移動することができます。" +"新しいフィールドグループでは、フィールドが親フィールドやフィールドグループ間を移動することができます。" #: admin/views/settings-info.php:150 fields/page_link.php:36 msgid "Page Link" @@ -1166,12 +1105,8 @@ msgid "Better Options Pages" msgstr "より良いオプションページ" #: admin/views/settings-info.php:156 -msgid "" -"New functions for options page allow creation of both parent and child menu " -"pages" -msgstr "" -"オプションページの新しい機能として、親と子の両方のメニューページを作ることが" -"できます。" +msgid "New functions for options page allow creation of both parent and child menu pages" +msgstr "オプションページの新しい機能として、親と子の両方のメニューページを作ることができます。" #: admin/views/settings-info.php:165 #, php-format @@ -1184,16 +1119,14 @@ msgstr "フィールドグループを PHP形式 でエクスポートする" #: admin/views/settings-tools-export.php:17 msgid "" -"The following code can be used to register a local version of the selected " -"field group(s). A local field group can provide many benefits such as faster " -"load times, version control & dynamic fields/settings. Simply copy and paste " -"the following code to your theme's functions.php file or include it within " -"an external file." +"The following code can be used to register a local version of the selected field group(s). A local " +"field group can provide many benefits such as faster load times, version control & dynamic fields/" +"settings. Simply copy and paste the following code to your theme's functions.php file or include it " +"within an external file." msgstr "" -"以下のコードは選択したフィールドグループのローカルバージョンとして登録に使え" -"ます。ローカルフィールドグループは読み込み時間の短縮やバージョンコントロー" -"ル、動的なフィールド/設定など多くの利点があります。以下のコードをテーマの" -"functions.phpや外部ファイルにコピー&ペーストしてください。" +"以下のコードは選択したフィールドグループのローカルバージョンとして登録に使えます。ローカルフィールドグ" +"ループは読み込み時間の短縮やバージョンコントロール、動的なフィールド/設定など多くの利点があります。以下" +"のコードをテーマのfunctions.phpや外部ファイルにコピー&ペーストしてください。" #: admin/views/settings-tools.php:5 msgid "Select Field Groups" @@ -1205,15 +1138,13 @@ msgstr "フィールドグループをエクスポート" #: admin/views/settings-tools.php:38 msgid "" -"Select the field groups you would like to export and then select your export " -"method. Use the download button to export to a .json file which you can then " -"import to another ACF installation. Use the generate button to export to PHP " -"code which you can place in your theme." +"Select the field groups you would like to export and then select your export method. Use the download " +"button to export to a .json file which you can then import to another ACF installation. Use the " +"generate button to export to PHP code which you can place in your theme." msgstr "" -"エクスポートしたいフィールドグループとエクスポート方法を選んでください。ダウ" -"ンロードボタンでは別のACFをインストールした環境でインポートできるJSONファイル" -"がエクスポートされます。生成ボタンではテーマ内で利用できるPHPコードが生成され" -"ます。" +"エクスポートしたいフィールドグループとエクスポート方法を選んでください。ダウンロードボタンでは別のACFを" +"インストールした環境でインポートできるJSONファイルがエクスポートされます。生成ボタンではテーマ内で利用で" +"きるPHPコードが生成されます。" #: admin/views/settings-tools.php:50 msgid "Download export file" @@ -1229,11 +1160,11 @@ msgstr "フィールドグループをインポート" #: admin/views/settings-tools.php:67 msgid "" -"Select the Advanced Custom Fields JSON file you would like to import. When " -"you click the import button below, ACF will import the field groups." +"Select the Advanced Custom Fields JSON file you would like to import. When you click the import button " +"below, ACF will import the field groups." msgstr "" -"インポートしたいACFのJSONファイルを選択してください。下のインポートボタンをク" -"リックすると、ACFはフィールドグループをインポートします。" +"インポートしたいACFのJSONファイルを選択してください。下のインポートボタンをクリックすると、ACFはフィール" +"ドグループをインポートします。" #: admin/views/settings-tools.php:77 fields/file.php:46 msgid "Select File" @@ -1249,8 +1180,8 @@ msgstr "" #: admin/views/update-network.php:10 msgid "" -"The following sites require a DB upgrade. Check the ones you want to update " -"and then click “Upgrade Database”." +"The following sites require a DB upgrade. Check the ones you want to update and then click “Upgrade " +"Database”." msgstr "" #: admin/views/update-network.php:19 admin/views/update-network.php:27 @@ -1272,11 +1203,9 @@ msgstr "" #: admin/views/update-network.php:101 admin/views/update-notice.php:35 msgid "" -"It is strongly recommended that you backup your database before proceeding. " -"Are you sure you wish to run the updater now?" -msgstr "" -"処理前にデータベースのバックアップを強く推奨します。アップデーターを実行して" -"もよろしいですか?" +"It is strongly recommended that you backup your database before proceeding. Are you sure you wish to " +"run the updater now?" +msgstr "処理前にデータベースのバックアップを強く推奨します。アップデーターを実行してもよろしいですか?" #: admin/views/update-network.php:157 msgid "Upgrade complete" @@ -1297,11 +1226,8 @@ msgstr "%s v%sへのアップグレードありがとうございます" #: admin/views/update-notice.php:25 msgid "" -"Before you start using the new awesome features, please update your database " -"to the newest version." -msgstr "" -"素晴らしい新機能を利用する前にデータベースを最新バージョンに更新してくださ" -"い。" +"Before you start using the new awesome features, please update your database to the newest version." +msgstr "素晴らしい新機能を利用する前にデータベースを最新バージョンに更新してください。" #: admin/views/update.php:12 msgid "Reading upgrade tasks..." @@ -1403,8 +1329,8 @@ msgstr "関連" msgid "jQuery" msgstr "jQuery" -#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 -#: pro/fields/flexible-content.php:512 pro/fields/repeater.php:392 +#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 pro/fields/flexible-content.php:512 +#: pro/fields/repeater.php:392 msgid "Layout" msgstr "レイアウト" @@ -1466,10 +1392,9 @@ msgstr "下記のように記述すると、値とラベルの両方を制御す msgid "red : Red" msgstr "red : 赤" -#: fields/checkbox.php:217 fields/color_picker.php:158 fields/email.php:124 -#: fields/number.php:150 fields/radio.php:222 fields/select.php:397 -#: fields/text.php:148 fields/textarea.php:145 fields/true_false.php:115 -#: fields/url.php:117 fields/wysiwyg.php:345 +#: fields/checkbox.php:217 fields/color_picker.php:158 fields/email.php:124 fields/number.php:150 +#: fields/radio.php:222 fields/select.php:397 fields/text.php:148 fields/textarea.php:145 +#: fields/true_false.php:115 fields/url.php:117 fields/wysiwyg.php:345 msgid "Default Value" msgstr "デフォルト値" @@ -1549,39 +1474,34 @@ msgstr "週の始まり" msgid "Email" msgstr "メール" -#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 -#: fields/text.php:149 fields/textarea.php:146 fields/url.php:118 -#: fields/wysiwyg.php:346 +#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 fields/text.php:149 +#: fields/textarea.php:146 fields/url.php:118 fields/wysiwyg.php:346 msgid "Appears when creating a new post" msgstr "新規投稿を作成時に表示されます" -#: fields/email.php:133 fields/number.php:159 fields/password.php:137 -#: fields/text.php:157 fields/textarea.php:154 fields/url.php:126 +#: fields/email.php:133 fields/number.php:159 fields/password.php:137 fields/text.php:157 +#: fields/textarea.php:154 fields/url.php:126 msgid "Placeholder Text" msgstr "プレースホルダーのテキスト" -#: fields/email.php:134 fields/number.php:160 fields/password.php:138 -#: fields/text.php:158 fields/textarea.php:155 fields/url.php:127 +#: fields/email.php:134 fields/number.php:160 fields/password.php:138 fields/text.php:158 +#: fields/textarea.php:155 fields/url.php:127 msgid "Appears within the input" msgstr "入力欄に表示されます" -#: fields/email.php:142 fields/number.php:168 fields/password.php:146 -#: fields/text.php:166 +#: fields/email.php:142 fields/number.php:168 fields/password.php:146 fields/text.php:166 msgid "Prepend" msgstr "先頭に追加" -#: fields/email.php:143 fields/number.php:169 fields/password.php:147 -#: fields/text.php:167 +#: fields/email.php:143 fields/number.php:169 fields/password.php:147 fields/text.php:167 msgid "Appears before the input" msgstr "入力欄の先頭に表示されます" -#: fields/email.php:151 fields/number.php:177 fields/password.php:155 -#: fields/text.php:175 +#: fields/email.php:151 fields/number.php:177 fields/password.php:155 fields/text.php:175 msgid "Append" msgstr "末尾に追加" -#: fields/email.php:152 fields/number.php:178 fields/password.php:156 -#: fields/text.php:176 +#: fields/email.php:152 fields/number.php:178 fields/password.php:156 fields/text.php:176 msgid "Appears after the input" msgstr "入力欄の末尾に表示されます" @@ -1657,8 +1577,8 @@ msgstr "最小" msgid "Restrict which files can be uploaded" msgstr "アップロード可能なファイルを制限" -#: fields/file.php:247 fields/file.php:258 fields/image.php:257 -#: fields/image.php:290 pro/fields/gallery.php:684 pro/fields/gallery.php:717 +#: fields/file.php:247 fields/file.php:258 fields/image.php:257 fields/image.php:290 +#: pro/fields/gallery.php:684 pro/fields/gallery.php:717 msgid "File size" msgstr "ファイルサイズ" @@ -1714,8 +1634,8 @@ msgstr "ズーム" msgid "Set the initial zoom level" msgstr "マップ初期状態のズームレベル" -#: fields/google-map.php:208 fields/image.php:246 fields/image.php:279 -#: fields/oembed.php:262 pro/fields/gallery.php:673 pro/fields/gallery.php:706 +#: fields/google-map.php:208 fields/image.php:246 fields/image.php:279 fields/oembed.php:262 +#: pro/fields/gallery.php:673 pro/fields/gallery.php:706 msgid "Height" msgstr "高さ" @@ -1775,13 +1695,12 @@ msgstr "プレビューサイズ" msgid "Shown when entering data" msgstr "投稿編集中に表示されます" -#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:662 -#: pro/fields/gallery.php:695 +#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:662 pro/fields/gallery.php:695 msgid "Restrict which images can be uploaded" msgstr "アップロード可能な画像を制限" -#: fields/image.php:238 fields/image.php:271 fields/oembed.php:251 -#: pro/fields/gallery.php:665 pro/fields/gallery.php:698 +#: fields/image.php:238 fields/image.php:271 fields/oembed.php:251 pro/fields/gallery.php:665 +#: pro/fields/gallery.php:698 msgid "Width" msgstr "幅" @@ -1851,33 +1770,28 @@ msgstr "埋め込みサイズ" msgid "Archives" msgstr "アーカイブ" -#: fields/page_link.php:535 fields/post_object.php:401 -#: fields/relationship.php:690 +#: fields/page_link.php:535 fields/post_object.php:401 fields/relationship.php:690 msgid "Filter by Post Type" msgstr "投稿タイプで絞り込み" -#: fields/page_link.php:543 fields/post_object.php:409 -#: fields/relationship.php:698 +#: fields/page_link.php:543 fields/post_object.php:409 fields/relationship.php:698 msgid "All post types" msgstr "全ての投稿タイプ" -#: fields/page_link.php:549 fields/post_object.php:415 -#: fields/relationship.php:704 +#: fields/page_link.php:549 fields/post_object.php:415 fields/relationship.php:704 msgid "Filter by Taxonomy" msgstr "タクソノミーで絞り込み" -#: fields/page_link.php:557 fields/post_object.php:423 -#: fields/relationship.php:712 +#: fields/page_link.php:557 fields/post_object.php:423 fields/relationship.php:712 msgid "All taxonomies" msgstr "全てのタクソノミー" -#: fields/page_link.php:563 fields/post_object.php:429 fields/select.php:406 -#: fields/taxonomy.php:765 fields/user.php:452 +#: fields/page_link.php:563 fields/post_object.php:429 fields/select.php:406 fields/taxonomy.php:765 +#: fields/user.php:452 msgid "Allow Null?" msgstr "空の値を許可するか?" -#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 -#: fields/user.php:466 +#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 fields/user.php:466 msgid "Select multiple values?" msgstr "複数の値を選択できるか?" @@ -1885,8 +1799,7 @@ msgstr "複数の値を選択できるか?" msgid "Password" msgstr "パスワード" -#: fields/post_object.php:36 fields/post_object.php:462 -#: fields/relationship.php:769 +#: fields/post_object.php:36 fields/post_object.php:462 fields/relationship.php:769 msgid "Post Object" msgstr "投稿オブジェクト" @@ -1996,27 +1909,23 @@ msgstr "注意" #: fields/tab.php:133 msgid "" -"The tab field will display incorrectly when added to a Table style repeater " -"field or flexible content field layout" +"The tab field will display incorrectly when added to a Table style repeater field or flexible content " +"field layout" msgstr "" -"このタブは、テーブルスタイルの繰り返しフィールドか柔軟コンテンツフィールドが" -"追加された場合、正しく表示されません" +"このタブは、テーブルスタイルの繰り返しフィールドか柔軟コンテンツフィールドが追加された場合、正しく表示さ" +"れません" #: fields/tab.php:146 -msgid "" -"Use \"Tab Fields\" to better organize your edit screen by grouping fields " -"together." -msgstr "" -"\"タブ\" を使うとフィールドのグループ化によって編集画面をより整理できます。" +msgid "Use \"Tab Fields\" to better organize your edit screen by grouping fields together." +msgstr "\"タブ\" を使うとフィールドのグループ化によって編集画面をより整理できます。" #: fields/tab.php:148 msgid "" -"All fields following this \"tab field\" (or until another \"tab field\" is " -"defined) will be grouped together using this field's label as the tab " -"heading." +"All fields following this \"tab field\" (or until another \"tab field\" is defined) will be grouped " +"together using this field's label as the tab heading." msgstr "" -"この\"タブ\" の後に続く(または別の \"タブ\" が定義されるまでの)全てのフィー" -"ルドは、このフィールドのラベルがタブの見出しとなりグループ化されます。" +"この\"タブ\" の後に続く(または別の \"タブ\" が定義されるまでの)全てのフィールドは、このフィールドのラ" +"ベルがタブの見出しとなりグループ化されます。" #: fields/tab.php:155 msgid "Placement" @@ -2249,7 +2158,9 @@ msgstr "オプションを更新しました" #: pro/admin/options-page.php:304 msgid "No Custom Field Groups found for this options page. Create a Custom Field Group" -msgstr "このオプションページにカスタムフィールドグループがありません. カスタムフィールドグループを作成" +msgstr "" +"このオプションページにカスタムフィールドグループがありません. カスタムフィールドグループ" +"を作成" #: pro/admin/settings-updates.php:137 msgid "Error. Could not connect to update server" @@ -2281,11 +2192,10 @@ msgstr "ライセンス" #: pro/admin/views/settings-updates.php:24 msgid "" -"To unlock updates, please enter your license key below. If you don't have a " -"licence key, please see" +"To unlock updates, please enter your license key below. If you don't have a licence key, please see" msgstr "" -"アップデートのロックを解除するには、以下にライセンスキーを入力してください。" -"ライセンスキーを持っていない場合は、こちらを参照してください。" +"アップデートのロックを解除するには、以下にライセンスキーを入力してください。ライセンスキーを持っていない" +"場合は、こちらを参照してください。" #: pro/admin/views/settings-updates.php:24 msgid "details & pricing" @@ -2334,13 +2244,11 @@ msgstr "オプション" #: pro/core/updates.php:186 #, php-format msgid "" -"To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing" +"To enable updates, please enter your license key on the Updates page. If you don't " +"have a licence key, please see details & pricing" msgstr "" -"アップデートを有効にするには、アップデートページにライセン" -"スキーを入力してください。ライセンスキーを持っていない場合は、こちらを詳細と価格参照してください。" +"アップデートを有効にするには、アップデートページにライセンスキーを入力してください。" +"ライセンスキーを持っていない場合は、こちらを詳細と価格参照してください。" #: pro/fields/flexible-content.php:36 msgid "Flexible Content" @@ -2380,14 +2288,11 @@ msgstr "{label}は最大数に達しました({max} {identifier})" #: pro/fields/flexible-content.php:52 msgid "{available} {label} {identifier} available (max {max})" -msgstr "" -"あと{available}個 {identifier}には {label} を利用できます(最大 {max}個)" +msgstr "あと{available}個 {identifier}には {label} を利用できます(最大 {max}個)" #: pro/fields/flexible-content.php:53 msgid "{required} {label} {identifier} required (min {min})" -msgstr "" -"あと{required}個 {identifier}には {label} を利用する必要があります(最小 " -"{max}個)" +msgstr "あと{required}個 {identifier}には {label} を利用する必要があります(最小 {max}個)" #: pro/fields/flexible-content.php:211 #, php-format @@ -2607,28 +2512,25 @@ msgstr "" #~ msgstr "フィールドグループは、順番が小さいほうから大きいほうへ作成されます" #~ msgid "" -#~ "If multiple field groups appear on an edit screen, the first field " -#~ "group's options will be used. (the one with the lowest order number)" +#~ "If multiple field groups appear on an edit screen, the first field group's options will be used. " +#~ "(the one with the lowest order number)" #~ msgstr "" -#~ "編集画面に複数のフィールドグループが表示される場合、最初の(=順番の最も小" -#~ "さい)フィールドグループのオプションが使用されます。" +#~ "編集画面に複数のフィールドグループが表示される場合、最初の(=順番の最も小さい)フィールドグループのオ" +#~ "プションが使用されます。" #~ msgid "ACF PRO Required" #~ msgstr "ACF PROが必要です" #~ msgid "" -#~ "We have detected an issue which requires your attention: This website " -#~ "makes use of premium add-ons (%s) which are no longer compatible with ACF." +#~ "We have detected an issue which requires your attention: This website makes use of premium add-ons " +#~ "(%s) which are no longer compatible with ACF." #~ msgstr "" -#~ "あなたに注意すべき問題があります:有料アドオン(%s)を利用したこのウェブサ" -#~ "イトにACFはもはや対応していません。" +#~ "あなたに注意すべき問題があります:有料アドオン(%s)を利用したこのウェブサイトにACFはもはや対応してい" +#~ "ません。" -#~ msgid "" -#~ "Don't panic, you can simply roll back the plugin and continue using ACF " -#~ "as you know it!" +#~ msgid "Don't panic, you can simply roll back the plugin and continue using ACF as you know it!" #~ msgstr "" -#~ "慌てないでください、プラグインをロールバックすることで今までどおりACFを使" -#~ "用し続けることができます!" +#~ "慌てないでください、プラグインをロールバックすることで今までどおりACFを使用し続けることができます!" #~ msgid "Roll back to ACF v%s" #~ msgstr "ACF v%sにロールバックする" @@ -2655,8 +2557,7 @@ msgstr "" #~ msgid "Load & Save Terms to Post" #~ msgstr "ターム情報の読込/保存" -#~ msgid "" -#~ "Load value based on the post's terms and update the post's terms on save" +#~ msgid "Load value based on the post's terms and update the post's terms on save" #~ msgstr "投稿ターム情報を読み込み、保存時に反映させる" #~ msgid "Top Level Page (parent of 0)" @@ -2686,10 +2587,8 @@ msgstr "" #~ msgid "Repeater Field" #~ msgstr "繰り返しフィールド" -#~ msgid "" -#~ "Create infinite rows of repeatable data with this versatile interface!" -#~ msgstr "" -#~ "繰り返し挿入可能なフォームを、すてきなインターフェースで作成します。" +#~ msgid "Create infinite rows of repeatable data with this versatile interface!" +#~ msgstr "繰り返し挿入可能なフォームを、すてきなインターフェースで作成します。" #~ msgid "Gallery Field" #~ msgstr "ギャラリーフィールド" @@ -2704,8 +2603,7 @@ msgstr "" #~ msgstr "柔軟コンテンツフィールド" #~ msgid "Create unique designs with a flexible content layout manager!" -#~ msgstr "" -#~ "柔軟なコンテンツレイアウト管理により、すてきなデザインを作成します。" +#~ msgstr "柔軟なコンテンツレイアウト管理により、すてきなデザインを作成します。" #~ msgid "Gravity Forms Field" #~ msgstr "Gravity Forms フィールド" @@ -2739,17 +2637,16 @@ msgstr "" #~ msgstr "Advanced Custom Fields" #~ msgid "" -#~ "The following Add-ons are available to increase the functionality of the " -#~ "Advanced Custom Fields plugin." -#~ msgstr "" -#~ "Advanced Custom Fields プラグインに機能を追加するアドオンが利用できます。" +#~ "The following Add-ons are available to increase the functionality of the Advanced Custom Fields " +#~ "plugin." +#~ msgstr "Advanced Custom Fields プラグインに機能を追加するアドオンが利用できます。" #~ msgid "" -#~ "Each Add-on can be installed as a separate plugin (receives updates) or " -#~ "included in your theme (does not receive updates)." +#~ "Each Add-on can be installed as a separate plugin (receives updates) or included in your theme (does " +#~ "not receive updates)." #~ msgstr "" -#~ "それぞれのアドオンは、個別のプラグインとしてインストールする(管理画面で更" -#~ "新できる)か、テーマに含める(管理画面で更新できない)かしてください。" +#~ "それぞれのアドオンは、個別のプラグインとしてインストールする(管理画面で更新できる)か、テーマに含める" +#~ "(管理画面で更新できない)かしてください。" #~ msgid "Purchase & Install" #~ msgstr "購入してインストールする" @@ -2763,9 +2660,7 @@ msgstr "" #, fuzzy #~ msgid "Select the field groups to be exported" -#~ msgstr "" -#~ "一覧からフィールドグループを選択し、\"XML をエクスポートする\" をクリック" -#~ "してください" +#~ msgstr "一覧からフィールドグループを選択し、\"XML をエクスポートする\" をクリックしてください" #, fuzzy #~ msgid "Export to XML" @@ -2775,25 +2670,19 @@ msgstr "" #~ msgid "Export to PHP" #~ msgstr "フィールドグループを PHP 形式でエクスポートする" -#~ msgid "" -#~ "ACF will create a .xml export file which is compatible with the native WP " -#~ "import plugin." +#~ msgid "ACF will create a .xml export file which is compatible with the native WP import plugin." #~ msgstr "" -#~ "ACF は .xml 形式のエクスポートファイルを作成します。WP のインポートプラグ" -#~ "インと互換性があります。" +#~ "ACF は .xml 形式のエクスポートファイルを作成します。WP のインポートプラグインと互換性があります。" #~ msgid "" -#~ "Imported field groups will appear in the list of editable field " -#~ "groups. This is useful for migrating fields groups between Wp websites." +#~ "Imported field groups will appear in the list of editable field groups. This is useful for " +#~ "migrating fields groups between Wp websites." #~ msgstr "" -#~ "インポートしたフィールドグループは、編集可能なフィールドグループの一覧に表" -#~ "示されます。WP ウェブサイト間でフィールドグループを移行するのに役立ちま" -#~ "す。" +#~ "インポートしたフィールドグループは、編集可能なフィールドグループの一覧に表示されます。WP ウェブサイト" +#~ "間でフィールドグループを移行するのに役立ちます。" #~ msgid "Select field group(s) from the list and click \"Export XML\"" -#~ msgstr "" -#~ "一覧からフィールドグループを選択し、\"XML をエクスポートする\" をクリック" -#~ "してください" +#~ msgstr "一覧からフィールドグループを選択し、\"XML をエクスポートする\" をクリックしてください" #~ msgid "Save the .xml file when prompted" #~ msgstr "指示に従って .xml ファイルを保存してください" @@ -2802,9 +2691,7 @@ msgstr "" #~ msgstr "ツール » インポートと進み、WordPress を選択してください" #~ msgid "Install WP import plugin if prompted" -#~ msgstr "" -#~ "(インストールを促された場合は) WP インポートプラグインをインストールしてく" -#~ "ださい" +#~ msgstr "(インストールを促された場合は) WP インポートプラグインをインストールしてください" #~ msgid "Upload and import your exported .xml file" #~ msgstr "エクスポートした .xml ファイルをアップロードし、インポートする" @@ -2819,27 +2706,23 @@ msgstr "" #~ msgstr "ACF は、テーマに含める PHP コードを作成します" #~ msgid "" -#~ "Registered field groups will not appear in the list of editable " -#~ "field groups. This is useful for including fields in themes." +#~ "Registered field groups will not appear in the list of editable field groups. This is useful " +#~ "for including fields in themes." #~ msgstr "" -#~ "登録したフィールドグループは、編集可能なフィールドグループの一覧に表示" -#~ "されません。テーマにフィールドを含めるときに役立ちます。" +#~ "登録したフィールドグループは、編集可能なフィールドグループの一覧に表示されません。テーマに" +#~ "フィールドを含めるときに役立ちます。" #~ msgid "" -#~ "Please note that if you export and register field groups within the same " -#~ "WP, you will see duplicate fields on your edit screens. To fix this, " -#~ "please move the original field group to the trash or remove the code from " -#~ "your functions.php file." +#~ "Please note that if you export and register field groups within the same WP, you will see duplicate " +#~ "fields on your edit screens. To fix this, please move the original field group to the trash or " +#~ "remove the code from your functions.php file." #~ msgstr "" -#~ "同一の WP でフィールドグループをエクスポートして登録する場合は、編集画面で" -#~ "重複フィールドになることに注意してください。これを修正するには、元のフィー" -#~ "ルドグループをゴミ箱へ移動するか、functions.php ファイルからこのコードを除" -#~ "去してください。" +#~ "同一の WP でフィールドグループをエクスポートして登録する場合は、編集画面で重複フィールドになることに" +#~ "注意してください。これを修正するには、元のフィールドグループをゴミ箱へ移動するか、functions.php ファ" +#~ "イルからこのコードを除去してください。" #~ msgid "Select field group(s) from the list and click \"Create PHP\"" -#~ msgstr "" -#~ "一覧からフィールドグループを選択し、\"PHP 形式のデータを作成する\" をク" -#~ "リックしてください。" +#~ msgstr "一覧からフィールドグループを選択し、\"PHP 形式のデータを作成する\" をクリックしてください。" #~ msgid "Copy the PHP code generated" #~ msgstr "生成された PHP コードをコピーし、" @@ -2847,10 +2730,8 @@ msgstr "" #~ msgid "Paste into your functions.php file" #~ msgstr "functions.php に貼り付けてください" -#~ msgid "" -#~ "To activate any Add-ons, edit and use the code in the first few lines." -#~ msgstr "" -#~ "アドオンを有効化するには、最初の何行かのコードを編集して使用してください" +#~ msgid "To activate any Add-ons, edit and use the code in the first few lines." +#~ msgstr "アドオンを有効化するには、最初の何行かのコードを編集して使用してください" #~ msgid "Notes" #~ msgstr "注意" @@ -2859,21 +2740,19 @@ msgstr "" #~ msgstr "テーマに含める" #~ msgid "" -#~ "The Advanced Custom Fields plugin can be included within a theme. To do " -#~ "so, move the ACF plugin inside your theme and add the following code to " -#~ "your functions.php file:" +#~ "The Advanced Custom Fields plugin can be included within a theme. To do so, move the ACF plugin " +#~ "inside your theme and add the following code to your functions.php file:" #~ msgstr "" -#~ "Advanced Custom Fields プラグインは、テーマに含めることができます。プラグ" -#~ "インをテーマ内に移動し、functions.php に下記コードを追加してください。" +#~ "Advanced Custom Fields プラグインは、テーマに含めることができます。プラグインをテーマ内に移動し、" +#~ "functions.php に下記コードを追加してください。" #~ msgid "" -#~ "To remove all visual interfaces from the ACF plugin, you can use a " -#~ "constant to enable lite mode. Add the following code to your functions." -#~ "php file before the include_once code:" +#~ "To remove all visual interfaces from the ACF plugin, you can use a constant to enable lite mode. Add " +#~ "the following code to your functions.php file before the include_once code:" #~ msgstr "" -#~ "Advanced Custom Fields プラグインのビジュアルインターフェースを取り除くに" -#~ "は、定数を利用して「ライトモード」を有効にすることができます。functions." -#~ "php の include_once よりもに下記のコードを追加してください。" +#~ "Advanced Custom Fields プラグインのビジュアルインターフェースを取り除くには、定数を利用して「ライト" +#~ "モード」を有効にすることができます。functions.php の include_once よりもに下記のコードを追加" +#~ "してください。" #, fuzzy #~ msgid "Back to export" @@ -2884,44 +2763,34 @@ msgstr "" #~ " * Install Add-ons\n" #~ " * \n" #~ " * The following code will include all 4 premium Add-Ons in your theme.\n" -#~ " * Please do not attempt to include a file which does not exist. This " -#~ "will produce an error.\n" +#~ " * Please do not attempt to include a file which does not exist. This will produce an error.\n" #~ " * \n" #~ " * All fields must be included during the 'acf/register_fields' action.\n" -#~ " * Other types of Add-ons (like the options page) can be included " -#~ "outside of this action.\n" +#~ " * Other types of Add-ons (like the options page) can be included outside of this action.\n" #~ " * \n" -#~ " * The following code assumes you have a folder 'add-ons' inside your " -#~ "theme.\n" +#~ " * The following code assumes you have a folder 'add-ons' inside your theme.\n" #~ " *\n" #~ " * IMPORTANT\n" -#~ " * Add-ons may be included in a premium theme as outlined in the terms " -#~ "and conditions.\n" +#~ " * Add-ons may be included in a premium theme as outlined in the terms and conditions.\n" #~ " * However, they are NOT to be included in a premium / free plugin.\n" -#~ " * For more information, please read http://www.advancedcustomfields.com/" -#~ "terms-conditions/\n" +#~ " * For more information, please read http://www.advancedcustomfields.com/terms-conditions/\n" #~ " */" #~ msgstr "" #~ "/**\n" #~ " * Install Add-ons\n" #~ " * \n" #~ " * The following code will include all 4 premium Add-Ons in your theme.\n" -#~ " * Please do not attempt to include a file which does not exist. This " -#~ "will produce an error.\n" +#~ " * Please do not attempt to include a file which does not exist. This will produce an error.\n" #~ " * \n" #~ " * All fields must be included during the 'acf/register_fields' action.\n" -#~ " * Other types of Add-ons (like the options page) can be included " -#~ "outside of this action.\n" +#~ " * Other types of Add-ons (like the options page) can be included outside of this action.\n" #~ " * \n" -#~ " * The following code assumes you have a folder 'add-ons' inside your " -#~ "theme.\n" +#~ " * The following code assumes you have a folder 'add-ons' inside your theme.\n" #~ " *\n" #~ " * IMPORTANT\n" -#~ " * Add-ons may be included in a premium theme as outlined in the terms " -#~ "and conditions.\n" +#~ " * Add-ons may be included in a premium theme as outlined in the terms and conditions.\n" #~ " * However, they are NOT to be included in a premium / free plugin.\n" -#~ " * For more information, please read http://www.advancedcustomfields.com/" -#~ "terms-conditions/\n" +#~ " * For more information, please read http://www.advancedcustomfields.com/terms-conditions/\n" #~ " */" #, fuzzy @@ -2929,20 +2798,19 @@ msgstr "" #~ "/**\n" #~ " * Register Field Groups\n" #~ " *\n" -#~ " * The register_field_group function accepts 1 array which holds the " -#~ "relevant data to register a field group\n" -#~ " * You may edit the array as you see fit. However, this may result in " -#~ "errors if the array is not compatible with ACF\n" +#~ " * The register_field_group function accepts 1 array which holds the relevant data to register a " +#~ "field group\n" +#~ " * You may edit the array as you see fit. However, this may result in errors if the array is not " +#~ "compatible with ACF\n" #~ " */" #~ msgstr "" #~ "/**\n" #~ " * フィールドグループを登録する\n" -#~ " * register_field_group 関数は、フィールドグループを登録するのに関係する" -#~ "データを持っている一つの配列を受け付けます。\n" -#~ " * 配列を好きなように編集することができます。しかし、配列が ACF と互換性の" -#~ "無い場合、エラーになってしまいます。\n" -#~ " * このコードは、functions.php ファイルを読み込む度に実行する必要がありま" -#~ "す。\n" +#~ " * register_field_group 関数は、フィールドグループを登録するのに関係するデータを持っている一つの配列" +#~ "を受け付けます。\n" +#~ " * 配列を好きなように編集することができます。しかし、配列が ACF と互換性の無い場合、エラーになってし" +#~ "まいます。\n" +#~ " * このコードは、functions.php ファイルを読み込む度に実行する必要があります。\n" #~ " */" #~ msgid "No field groups were selected" @@ -2961,10 +2829,8 @@ msgstr "" #~ msgid "Thank you for updating to the latest version!" #~ msgstr "最新版への更新ありがとうございます。" -#~ msgid "" -#~ "is more polished and enjoyable than ever before. We hope you like it." -#~ msgstr "" -#~ "は以前よりも洗練され、より良くなりました。気に入ってもらえると嬉しいです。" +#~ msgid "is more polished and enjoyable than ever before. We hope you like it." +#~ msgstr "は以前よりも洗練され、より良くなりました。気に入ってもらえると嬉しいです。" #~ msgid "What’s New" #~ msgstr "更新情報" @@ -2977,32 +2843,26 @@ msgstr "" #~ msgstr "アクティベーションコードから、プラグインに変更されました。" #~ msgid "" -#~ "Add-ons are now activated by downloading and installing individual " -#~ "plugins. Although these plugins will not be hosted on the wordpress.org " -#~ "repository, each Add-on will continue to receive updates in the usual way." +#~ "Add-ons are now activated by downloading and installing individual plugins. Although these plugins " +#~ "will not be hosted on the wordpress.org repository, each Add-on will continue to receive updates in " +#~ "the usual way." #~ msgstr "" -#~ "アドオンは、個別のプラグインをダウンロードしてインストールしてください。" -#~ "wordpress.org リポジトリにはありませんが、管理画面でこれらのアドオンの更新" -#~ "を行う事が出来ます。" +#~ "アドオンは、個別のプラグインをダウンロードしてインストールしてください。wordpress.org リポジトリには" +#~ "ありませんが、管理画面でこれらのアドオンの更新を行う事が出来ます。" #~ msgid "All previous Add-ons have been successfully installed" #~ msgstr "今まで使用していたアドオンがインストールされました。" #~ msgid "This website uses premium Add-ons which need to be downloaded" #~ msgstr "" -#~ "このウェブサイトではプレミアムアドオンが使用されており、アドオンをダウン" -#~ "ロードする必要があります。" +#~ "このウェブサイトではプレミアムアドオンが使用されており、アドオンをダウンロードする必要があります。" #, fuzzy #~ msgid "Download your activated Add-ons" #~ msgstr "アドオンを有効化する" -#~ msgid "" -#~ "This website does not use premium Add-ons and will not be affected by " -#~ "this change." -#~ msgstr "" -#~ "このウェブサイトではプレミアムアドオンを使用しておらず、この変更に影響され" -#~ "ません。" +#~ msgid "This website does not use premium Add-ons and will not be affected by this change." +#~ msgstr "このウェブサイトではプレミアムアドオンを使用しておらず、この変更に影響されません。" #~ msgid "Easier Development" #~ msgstr "開発を容易に" @@ -3032,11 +2892,11 @@ msgstr "" #~ msgstr "カスタムフィールド" #~ msgid "" -#~ "Creating your own field type has never been easier! Unfortunately, " -#~ "version 3 field types are not compatible with version 4." +#~ "Creating your own field type has never been easier! Unfortunately, version 3 field types are not " +#~ "compatible with version 4." #~ msgstr "" -#~ "独自のフィールドタイプが簡単に作成できます。残念ですが、バージョン 3 と" -#~ "バージョン 4 には互換性がありません。" +#~ "独自のフィールドタイプが簡単に作成できます。残念ですが、バージョン 3 とバージョン 4 には互換性があり" +#~ "ません。" #~ msgid "Migrating your field types is easy, please" #~ msgstr "フィールドタイプをマイグレーションするのは簡単です。" @@ -3051,11 +2911,8 @@ msgstr "" #~ msgstr "アクションとフィルター" #~ msgid "" -#~ "All actions & filters have received a major facelift to make customizing " -#~ "ACF even easier! Please" -#~ msgstr "" -#~ "カスタマイズを簡単にするため、すべてのアクションとフィルターを改装しまし" -#~ "た。" +#~ "All actions & filters have received a major facelift to make customizing ACF even easier! Please" +#~ msgstr "カスタマイズを簡単にするため、すべてのアクションとフィルターを改装しました。" #, fuzzy #~ msgid "read this guide" @@ -3080,23 +2937,21 @@ msgstr "" #~ msgstr "データベース更新" #~ msgid "" -#~ "Absolutely no changes have been made to the database " -#~ "between versions 3 and 4. This means you can roll back to version 3 " -#~ "without any issues." +#~ "Absolutely no changes have been made to the database between versions 3 and 4. This " +#~ "means you can roll back to version 3 without any issues." #~ msgstr "" -#~ "バージョン 3 と 4 でデータベースの更新はありません。問題が発生した場合、" -#~ "バージョン 3 へのロールバックを行うことができます。" +#~ "バージョン 3 と 4 でデータベースの更新はありません。問題が発生した場合、バージョン 3 へのロールバック" +#~ "を行うことができます。" #~ msgid "Potential Issues" #~ msgstr "潜在的な問題" #~ msgid "" -#~ "Do to the sizable changes surounding Add-ons, field types and action/" -#~ "filters, your website may not operate correctly. It is important that you " -#~ "read the full" +#~ "Do to the sizable changes surounding Add-ons, field types and action/filters, your website may not " +#~ "operate correctly. It is important that you read the full" #~ msgstr "" -#~ "アドオン、フィールドタイプ、アクション/フィルターに関する変更のため、ウェ" -#~ "ブサイトが正常に動作しない可能性があります。" +#~ "アドオン、フィールドタイプ、アクション/フィルターに関する変更のため、ウェブサイトが正常に動作しない" +#~ "可能性があります。" #~ msgid "Migrating from v3 to v4" #~ msgstr "バージョン 3 から 4 への移行をごらんください。" @@ -3108,8 +2963,7 @@ msgstr "" #~ msgstr "非常に重要" #~ msgid "" -#~ "If you updated the ACF plugin without prior knowledge of such changes, " -#~ "please roll back to the latest" +#~ "If you updated the ACF plugin without prior knowledge of such changes, please roll back to the latest" #~ msgstr "予備知識無しに更新してしまった場合は、" #~ msgid "version 3" @@ -3122,11 +2976,10 @@ msgstr "" #~ msgstr "ありがとうございます" #~ msgid "" -#~ "A BIG thank you to everyone who has helped test the " -#~ "version 4 beta and for all the support I have received." +#~ "A BIG thank you to everyone who has helped test the version 4 beta and for all the " +#~ "support I have received." #~ msgstr "" -#~ "バージョン 4 ベータのテストに協力してくださった皆さん、サポートしてくだ" -#~ "さった皆さんに感謝します。" +#~ "バージョン 4 ベータのテストに協力してくださった皆さん、サポートしてくださった皆さんに感謝します。" #~ msgid "Without you all, this release would not have been possible!" #~ msgstr "皆さんの助けが無ければ、リリースすることはできなかったでしょう。" @@ -3142,25 +2995,21 @@ msgstr "" #~ msgstr "概要" #~ msgid "" -#~ "Previously, all Add-ons were unlocked via an activation code (purchased " -#~ "from the ACF Add-ons store). New to v4, all Add-ons act as separate " -#~ "plugins which need to be individually downloaded, installed and updated." +#~ "Previously, all Add-ons were unlocked via an activation code (purchased from the ACF Add-ons store). " +#~ "New to v4, all Add-ons act as separate plugins which need to be individually downloaded, installed " +#~ "and updated." #~ msgstr "" -#~ "今までは、アドオンはアクティベーションコードでロック解除していました。バー" -#~ "ジョン 4 では、アドオンは個別のプラグインとしてダウンロードしてインストー" -#~ "ルする必要があります。" +#~ "今までは、アドオンはアクティベーションコードでロック解除していました。バージョン 4 では、アドオンは個" +#~ "別のプラグインとしてダウンロードしてインストールする必要があります。" -#~ msgid "" -#~ "This page will assist you in downloading and installing each available " -#~ "Add-on." +#~ msgid "This page will assist you in downloading and installing each available Add-on." #~ msgstr "このページは、アドオンのダウンロードやインストールを手助けします。" #, fuzzy #~ msgid "Available Add-ons" #~ msgstr "アドオンを有効化する" -#~ msgid "" -#~ "The following Add-ons have been detected as activated on this website." +#~ msgid "The following Add-ons have been detected as activated on this website." #~ msgstr "以下のアドオンがこのウェブサイトで有効になっています。" #~ msgid "Activation Code" @@ -3182,13 +3031,10 @@ msgstr "" #~ msgid "Plugins > Add New > Upload" #~ msgstr "プラグイン > 新規追加 > アップロード" -#~ msgid "" -#~ "Use the uploader to browse, select and install your Add-on (.zip file)" +#~ msgid "Use the uploader to browse, select and install your Add-on (.zip file)" #~ msgstr "アドオンのファイルを選択してインストールする" -#~ msgid "" -#~ "Once the plugin has been uploaded and installed, click the 'Activate " -#~ "Plugin' link" +#~ msgid "Once the plugin has been uploaded and installed, click the 'Activate Plugin' link" #~ msgstr "アップロードできたら、有効化をクリックする" #~ msgid "The Add-on is now installed and activated!" @@ -3214,8 +3060,7 @@ msgstr "" #~ msgstr "フィールドオプション「タクソノミー」を変更" #~ msgid "Moving user custom fields from wp_options to wp_usermeta'" -#~ msgstr "" -#~ "ユーザーのカスタムフィールドを wp_options から wp_usermeta に変更する" +#~ msgstr "ユーザーのカスタムフィールドを wp_options から wp_usermeta に変更する" #~ msgid "blue : Blue" #~ msgstr "blue : 青" @@ -3226,11 +3071,8 @@ msgstr "" #~ msgid "Save format" #~ msgstr "フォーマットを保存する" -#~ msgid "" -#~ "This format will determin the value saved to the database and returned " -#~ "via the API" -#~ msgstr "" -#~ "このフォーマットは、値をデータベースに保存し、API で返す形式を決定します" +#~ msgid "This format will determin the value saved to the database and returned via the API" +#~ msgstr "このフォーマットは、値をデータベースに保存し、API で返す形式を決定します" #~ msgid "\"yymmdd\" is the most versatile save format. Read more about" #~ msgstr "最も良く用いられるフォーマットは \"yymmdd\" です。詳細は" @@ -3241,9 +3083,7 @@ msgstr "" #~ msgid "This format will be seen by the user when entering a value" #~ msgstr "ユーザーが値を入力するときのフォーマット" -#~ msgid "" -#~ "\"dd/mm/yy\" or \"mm/dd/yy\" are the most used Display Formats. Read more " -#~ "about" +#~ msgid "\"dd/mm/yy\" or \"mm/dd/yy\" are the most used Display Formats. Read more about" #~ msgstr "よく使用されるのは、\"dd/mm/yy\" や \"mm/dd/yy\" です。詳細は" #~ msgid "Dummy" @@ -3319,8 +3159,8 @@ msgstr "" #~ msgstr "投稿タイプ" #~ msgid "" -#~ "All fields proceeding this \"tab field\" (or until another \"tab field\" " -#~ "is defined) will appear grouped on the edit screen." +#~ "All fields proceeding this \"tab field\" (or until another \"tab field\" is defined) will appear " +#~ "grouped on the edit screen." #~ msgstr "タブフィールドでフィールドを区切り、グループ化して表示します。" #~ msgid "You can use multiple tabs to break up your fields into sections." diff --git a/lang/acf-nb_NO.mo b/lang/acf-nb_NO.mo index cb7a061..ab68384 100644 Binary files a/lang/acf-nb_NO.mo and b/lang/acf-nb_NO.mo differ diff --git a/lang/acf-nb_NO.po b/lang/acf-nb_NO.po index be3c11b..bd828b5 100644 --- a/lang/acf-nb_NO.po +++ b/lang/acf-nb_NO.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-06-27 15:33+1000\n" -"PO-Revision-Date: 2017-06-27 15:33+1000\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: \n" "Language: nb_NO\n" @@ -662,7 +662,7 @@ msgstr "Toppjustert" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:117 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Venstrejustert" #: includes/admin/views/field-group-options.php:70 diff --git a/lang/acf-nl_NL.mo b/lang/acf-nl_NL.mo index d800e94..d880d19 100644 Binary files a/lang/acf-nl_NL.mo and b/lang/acf-nl_NL.mo differ diff --git a/lang/acf-nl_NL.po b/lang/acf-nl_NL.po index 02ab407..6193b58 100644 --- a/lang/acf-nl_NL.po +++ b/lang/acf-nl_NL.po @@ -3,14 +3,14 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.6.6\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-11-22 15:53+0200\n" -"PO-Revision-Date: 2017-11-22 16:56+0200\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Derk Oosterveld \n" "Language: nl_NL\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.8.5\n" +"X-Generator: Poedit 1.8.1\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" @@ -663,7 +663,7 @@ msgstr "Boven velden" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Links naast velden" #: includes/admin/views/field-group-options.php:70 @@ -1315,7 +1315,8 @@ msgstr "Relatie" msgid "jQuery" msgstr "jQuery" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -2627,8 +2628,8 @@ msgstr "Bewerk groep" msgid "Validate Email" msgstr "Valideer e-mail" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Bijwerken" diff --git a/lang/acf-pl_PL.mo b/lang/acf-pl_PL.mo index 0e29c44..b9fb1a9 100644 Binary files a/lang/acf-pl_PL.mo and b/lang/acf-pl_PL.mo differ diff --git a/lang/acf-pl_PL.po b/lang/acf-pl_PL.po index 687011d..a670bc4 100644 --- a/lang/acf-pl_PL.po +++ b/lang/acf-pl_PL.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-06-27 15:32+1000\n" -"PO-Revision-Date: 2017-06-27 15:32+1000\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Digital Factory \n" "Language: pl_PL\n" @@ -674,7 +674,7 @@ msgstr "Wyrównanie do góry" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:117 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Wyrównanie do lewej" #: includes/admin/views/field-group-options.php:70 diff --git a/lang/acf-pt_BR.mo b/lang/acf-pt_BR.mo index c35823d..8d0a745 100644 Binary files a/lang/acf-pt_BR.mo and b/lang/acf-pt_BR.mo differ diff --git a/lang/acf-pt_BR.po b/lang/acf-pt_BR.po index 6e2226e..37198da 100644 --- a/lang/acf-pt_BR.po +++ b/lang/acf-pt_BR.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields PRO 5.4\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-11-22 09:03-0200\n" -"PO-Revision-Date: 2017-11-22 09:18-0200\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Augusto Simão \n" "Language: pt_BR\n" @@ -11,7 +11,7 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -"X-Generator: Poedit 2.0.4\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -745,7 +745,7 @@ msgstr "Alinhado ao Topo" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:107 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Alinhado à Esquerda" #: includes/admin/views/field-group-options.php:70 @@ -1333,7 +1333,8 @@ msgstr "Relacional" msgid "jQuery" msgstr "jQuery" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -2663,8 +2664,8 @@ msgstr "Editar Grupo de Campos" msgid "Validate Email" msgstr "Validar Email" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Atualizar" diff --git a/lang/acf-pt_PT.mo b/lang/acf-pt_PT.mo index 45b51a5..f52e7f2 100644 Binary files a/lang/acf-pt_PT.mo and b/lang/acf-pt_PT.mo differ diff --git a/lang/acf-pt_PT.po b/lang/acf-pt_PT.po index 1486b00..ac575fd 100644 --- a/lang/acf-pt_PT.po +++ b/lang/acf-pt_PT.po @@ -4,16 +4,16 @@ msgid "" msgstr "" "Project-Id-Version: Advanced Custom Fields PRO\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" -"POT-Creation-Date: 2017-12-05 08:48+0000\n" -"PO-Revision-Date: 2017-12-05 08:48+0000\n" -"Last-Translator: Pedro Mendonça \n" +"POT-Creation-Date: 2018-02-02 12:00+0000\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" +"Last-Translator: Elliot Condon \n" "Language-Team: Pedro Mendonça \n" "Language: pt_PT\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: Poedit 2.0.4\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;__ngettext:1,2;_n:1,2;__ngettext_noop:1,2;" "_n_noop:1,2;_c,_nc:4c,1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;_nx_noop:4c,1,2;" @@ -186,7 +186,7 @@ msgstr "cópia" #: includes/admin/views/field-group-field-conditional-logic.php:154 #: includes/admin/views/field-group-locations.php:29 #: includes/admin/views/html-location-group.php:3 -#: includes/api/api-helpers.php:3959 +#: includes/api/api-helpers.php:4001 msgid "or" msgstr "ou" @@ -747,7 +747,7 @@ msgstr "Alinhado acima" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:107 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Alinhado à esquerda" #: includes/admin/views/field-group-options.php:70 @@ -1257,58 +1257,58 @@ msgstr "" msgid "We think you'll love the changes in %s." msgstr "Pensamos que vai gostar das alterações na versão %s." -#: includes/api/api-helpers.php:858 +#: includes/api/api-helpers.php:900 msgid "Thumbnail" msgstr "Miniatura" -#: includes/api/api-helpers.php:859 +#: includes/api/api-helpers.php:901 msgid "Medium" msgstr "Média" -#: includes/api/api-helpers.php:860 +#: includes/api/api-helpers.php:902 msgid "Large" msgstr "Grande" -#: includes/api/api-helpers.php:909 +#: includes/api/api-helpers.php:951 msgid "Full Size" msgstr "Tamanho original" -#: includes/api/api-helpers.php:1250 includes/api/api-helpers.php:1823 +#: includes/api/api-helpers.php:1292 includes/api/api-helpers.php:1865 #: pro/fields/class-acf-field-clone.php:992 msgid "(no title)" msgstr "(sem título)" -#: includes/api/api-helpers.php:3880 +#: includes/api/api-helpers.php:3922 #, php-format msgid "Image width must be at least %dpx." msgstr "A largura da imagem deve ser pelo menos de %dpx." -#: includes/api/api-helpers.php:3885 +#: includes/api/api-helpers.php:3927 #, php-format msgid "Image width must not exceed %dpx." msgstr "A largura da imagem não deve exceder os %dpx." -#: includes/api/api-helpers.php:3901 +#: includes/api/api-helpers.php:3943 #, php-format msgid "Image height must be at least %dpx." msgstr "A altura da imagem deve ser pelo menos de %dpx." -#: includes/api/api-helpers.php:3906 +#: includes/api/api-helpers.php:3948 #, php-format msgid "Image height must not exceed %dpx." msgstr "A altura da imagem não deve exceder os %dpx." -#: includes/api/api-helpers.php:3924 +#: includes/api/api-helpers.php:3966 #, php-format msgid "File size must be at least %s." msgstr "O tamanho do ficheiro deve ser pelo menos de %s." -#: includes/api/api-helpers.php:3929 +#: includes/api/api-helpers.php:3971 #, php-format msgid "File size must must not exceed %s." msgstr "O tamanho do ficheiro não deve exceder %s." -#: includes/api/api-helpers.php:3963 +#: includes/api/api-helpers.php:4005 #, php-format msgid "File type must be %s." msgstr "O tipo de ficheiro deve ser %s." @@ -1333,7 +1333,8 @@ msgstr "Relacional" msgid "jQuery" msgstr "jQuery" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -2659,8 +2660,8 @@ msgstr "Editar grupo de campos" msgid "Validate Email" msgstr "Validar email" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Actualizar" diff --git a/lang/acf-ro_RO.mo b/lang/acf-ro_RO.mo index 970f380..6ac7211 100644 Binary files a/lang/acf-ro_RO.mo and b/lang/acf-ro_RO.mo differ diff --git a/lang/acf-ro_RO.po b/lang/acf-ro_RO.po index 201df6f..a1156b5 100644 --- a/lang/acf-ro_RO.po +++ b/lang/acf-ro_RO.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-08-01 13:31+1000\n" -"PO-Revision-Date: 2017-08-25 20:10+0300\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Elliot Condon \n" "Language: ro_RO\n" @@ -12,7 +12,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?" "2:1));\n" -"X-Generator: Poedit 2.0.3\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -668,7 +668,7 @@ msgstr "Aliniere Sus" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Aliniere Stanga" #: includes/admin/views/field-group-options.php:70 @@ -2600,8 +2600,8 @@ msgstr "Editează Grupul de Câmpuri" msgid "Validate Email" msgstr "" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Actualizează" diff --git a/lang/acf-ru_RU.mo b/lang/acf-ru_RU.mo index b4f0cd4..2e144e3 100644 Binary files a/lang/acf-ru_RU.mo and b/lang/acf-ru_RU.mo differ diff --git a/lang/acf-ru_RU.po b/lang/acf-ru_RU.po index 28f84bd..eb3ee86 100644 --- a/lang/acf-ru_RU.po +++ b/lang/acf-ru_RU.po @@ -3,14 +3,14 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-10-24 23:11+0300\n" -"PO-Revision-Date: 2017-10-24 23:17+0300\n" -"Last-Translator: Toniyevych Andriy \n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" +"Last-Translator: Elliot Condon \n" "Language-Team: \n" "Language: ru_RU\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: Poedit 1.8.8\n" +"X-Generator: Poedit 1.8.1\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" "X-Poedit-SourceCharset: UTF-8\n" @@ -669,7 +669,7 @@ msgstr "Вверху" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Слева" #: includes/admin/views/field-group-options.php:70 @@ -1322,7 +1322,8 @@ msgstr "Отношение" msgid "jQuery" msgstr "jQuery" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -2635,8 +2636,8 @@ msgstr "Редактировать группу полей" msgid "Validate Email" msgstr "Проверка Email" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Обновить" diff --git a/lang/acf-sk_SK.mo b/lang/acf-sk_SK.mo index 92c7c03..a84d47b 100644 Binary files a/lang/acf-sk_SK.mo and b/lang/acf-sk_SK.mo differ diff --git a/lang/acf-sk_SK.po b/lang/acf-sk_SK.po index eefe9f6..e7913b6 100644 --- a/lang/acf-sk_SK.po +++ b/lang/acf-sk_SK.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2015-08-11 23:45+0200\n" -"PO-Revision-Date: 2016-11-03 17:12+1000\n" +"PO-Revision-Date: 2018-02-06 10:07+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: wp.sk \n" "Language: sk_SK\n" @@ -13,9 +13,8 @@ msgstr "" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" "X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" -"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" -"esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" -"_nx_noop:3c,1,2;__ngettext_noop:1,2\n" +"X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;esc_attr_e;esc_attr_x:1,2c;esc_html__;" +"esc_html_e;esc_html_x:1,2c;_n_noop:1,2;_nx_noop:3c,1,2;__ngettext_noop:1,2\n" "X-Poedit-Basepath: ..\n" "X-Poedit-WPHeader: acf.php\n" "X-Textdomain-Support: yes\n" @@ -34,8 +33,7 @@ msgstr "Skupiny polí" msgid "Field Group" msgstr "Skupina polí" -#: acf.php:207 acf.php:239 admin/admin.php:62 -#: pro/fields/flexible-content.php:517 +#: acf.php:207 acf.php:239 admin/admin.php:62 pro/fields/flexible-content.php:517 msgid "Add New" msgstr "Pridať novú" @@ -67,8 +65,7 @@ msgstr "Nenašla sa skupina polí " msgid "No Field Groups found in Trash" msgstr "V koši sa nenašla skupina polí " -#: acf.php:237 admin/field-group.php:182 admin/field-group.php:213 -#: admin/field-groups.php:519 +#: acf.php:237 admin/field-group.php:182 admin/field-group.php:213 admin/field-groups.php:519 msgid "Fields" msgstr "Polia " @@ -84,8 +81,7 @@ msgstr "Pridať nové pole" msgid "Edit Field" msgstr "Upraviť pole" -#: acf.php:242 admin/views/field-group-fields.php:18 -#: admin/views/settings-info.php:111 +#: acf.php:242 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111 msgid "New Field" msgstr "Nové pole " @@ -105,8 +101,7 @@ msgstr "Nenašli sa polia" msgid "No Fields found in Trash" msgstr "V koši sa nenašli polia" -#: acf.php:268 admin/field-group.php:283 admin/field-groups.php:583 -#: admin/views/field-group-options.php:18 +#: acf.php:268 admin/field-group.php:283 admin/field-groups.php:583 admin/views/field-group-options.php:18 msgid "Disabled" msgstr "" @@ -170,10 +165,8 @@ msgstr "Nadpis skupiny poľa je povinný " msgid "copy" msgstr "kopírovať " -#: admin/field-group.php:181 -#: admin/views/field-group-field-conditional-logic.php:67 -#: admin/views/field-group-field-conditional-logic.php:162 -#: admin/views/field-group-locations.php:23 +#: admin/field-group.php:181 admin/views/field-group-field-conditional-logic.php:67 +#: admin/views/field-group-field-conditional-logic.php:162 admin/views/field-group-locations.php:23 #: admin/views/field-group-locations.php:131 api/api-helpers.php:3262 msgid "or" msgstr "alebo" @@ -262,10 +255,8 @@ msgstr "Zobrazenie administrácie" msgid "Super Admin" msgstr "Super Admin " -#: admin/field-group.php:818 admin/field-group.php:826 -#: admin/field-group.php:840 admin/field-group.php:847 -#: admin/field-group.php:862 admin/field-group.php:872 fields/file.php:235 -#: fields/image.php:226 pro/fields/gallery.php:653 +#: admin/field-group.php:818 admin/field-group.php:826 admin/field-group.php:840 admin/field-group.php:847 +#: admin/field-group.php:862 admin/field-group.php:872 fields/file.php:235 fields/image.php:226 pro/fields/gallery.php:653 msgid "All" msgstr "Všetky " @@ -340,8 +331,8 @@ msgstr "Dostupná aktualizácia " msgid "Title" msgstr "Názov" -#: admin/field-groups.php:517 admin/views/field-group-options.php:98 -#: admin/views/update-network.php:20 admin/views/update-network.php:28 +#: admin/field-groups.php:517 admin/views/field-group-options.php:98 admin/views/update-network.php:20 +#: admin/views/update-network.php:28 msgid "Description" msgstr "" @@ -349,8 +340,7 @@ msgstr "" msgid "Status" msgstr "" -#: admin/field-groups.php:616 admin/settings-info.php:76 -#: pro/admin/views/settings-updates.php:111 +#: admin/field-groups.php:616 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111 msgid "Changelog" msgstr "Záznam zmien " @@ -370,8 +360,7 @@ msgstr "Zdroje " msgid "Getting Started" msgstr "Začíname " -#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 -#: pro/admin/views/settings-updates.php:17 +#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 pro/admin/views/settings-updates.php:17 msgid "Updates" msgstr "Aktualizácie" @@ -407,8 +396,8 @@ msgstr "Vytvoril " msgid "Duplicate this item" msgstr "Duplikovať toto pole " -#: admin/field-groups.php:673 admin/field-groups.php:685 -#: admin/views/field-group-field.php:58 pro/fields/flexible-content.php:516 +#: admin/field-groups.php:673 admin/field-groups.php:685 admin/views/field-group-field.php:58 +#: pro/fields/flexible-content.php:516 msgid "Duplicate" msgstr "Duplikovať " @@ -441,8 +430,7 @@ msgstr "Info" msgid "What's New" msgstr "Čo je nové " -#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 -#: admin/views/settings-tools.php:31 +#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 admin/views/settings-tools.php:31 msgid "Tools" msgstr "" @@ -473,12 +461,8 @@ msgstr "Úspech. Nástroj importu pridal %s skupiny polí: %s" #: admin/settings-tools.php:332 #, php-format -msgid "" -"Warning. Import tool detected %s field groups already exist and have " -"been ignored: %s" -msgstr "" -"Varovanie. Nástroj importu zistil, že už exsituje %s polí skupín, " -"ktoré boli ignorované: %s" +msgid "Warning. Import tool detected %s field groups already exist and have been ignored: %s" +msgstr "Varovanie. Nástroj importu zistil, že už exsituje %s polí skupín, ktoré boli ignorované: %s" #: admin/update.php:113 msgid "Upgrade ACF" @@ -500,26 +484,19 @@ msgstr "" msgid "Conditional Logic" msgstr "Podmienená logika " -#: admin/views/field-group-field-conditional-logic.php:40 -#: admin/views/field-group-field.php:137 fields/checkbox.php:246 -#: fields/message.php:117 fields/page_link.php:568 fields/page_link.php:582 -#: fields/post_object.php:434 fields/post_object.php:448 fields/select.php:411 -#: fields/select.php:425 fields/select.php:439 fields/select.php:453 -#: fields/tab.php:172 fields/taxonomy.php:770 fields/taxonomy.php:784 -#: fields/taxonomy.php:798 fields/taxonomy.php:812 fields/user.php:457 -#: fields/user.php:471 fields/wysiwyg.php:384 -#: pro/admin/views/settings-updates.php:93 +#: admin/views/field-group-field-conditional-logic.php:40 admin/views/field-group-field.php:137 fields/checkbox.php:246 +#: fields/message.php:117 fields/page_link.php:568 fields/page_link.php:582 fields/post_object.php:434 +#: fields/post_object.php:448 fields/select.php:411 fields/select.php:425 fields/select.php:439 fields/select.php:453 +#: fields/tab.php:172 fields/taxonomy.php:770 fields/taxonomy.php:784 fields/taxonomy.php:798 fields/taxonomy.php:812 +#: fields/user.php:457 fields/user.php:471 fields/wysiwyg.php:384 pro/admin/views/settings-updates.php:93 msgid "Yes" msgstr "Áno " -#: admin/views/field-group-field-conditional-logic.php:41 -#: admin/views/field-group-field.php:138 fields/checkbox.php:247 -#: fields/message.php:118 fields/page_link.php:569 fields/page_link.php:583 -#: fields/post_object.php:435 fields/post_object.php:449 fields/select.php:412 -#: fields/select.php:426 fields/select.php:440 fields/select.php:454 -#: fields/tab.php:173 fields/taxonomy.php:685 fields/taxonomy.php:771 -#: fields/taxonomy.php:785 fields/taxonomy.php:799 fields/taxonomy.php:813 -#: fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:385 +#: admin/views/field-group-field-conditional-logic.php:41 admin/views/field-group-field.php:138 fields/checkbox.php:247 +#: fields/message.php:118 fields/page_link.php:569 fields/page_link.php:583 fields/post_object.php:435 +#: fields/post_object.php:449 fields/select.php:412 fields/select.php:426 fields/select.php:440 fields/select.php:454 +#: fields/tab.php:173 fields/taxonomy.php:685 fields/taxonomy.php:771 fields/taxonomy.php:785 fields/taxonomy.php:799 +#: fields/taxonomy.php:813 fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:385 #: pro/admin/views/settings-updates.php:103 msgid "No" msgstr "Nie" @@ -528,23 +505,19 @@ msgstr "Nie" msgid "Show this field if" msgstr "Zobraziť toto pole ak" -#: admin/views/field-group-field-conditional-logic.php:111 -#: admin/views/field-group-locations.php:88 +#: admin/views/field-group-field-conditional-logic.php:111 admin/views/field-group-locations.php:88 msgid "is equal to" msgstr "sa rovná " -#: admin/views/field-group-field-conditional-logic.php:112 -#: admin/views/field-group-locations.php:89 +#: admin/views/field-group-field-conditional-logic.php:112 admin/views/field-group-locations.php:89 msgid "is not equal to" msgstr "sa nerovná" -#: admin/views/field-group-field-conditional-logic.php:149 -#: admin/views/field-group-locations.php:118 +#: admin/views/field-group-field-conditional-logic.php:149 admin/views/field-group-locations.php:118 msgid "and" msgstr "a" -#: admin/views/field-group-field-conditional-logic.php:164 -#: admin/views/field-group-locations.php:133 +#: admin/views/field-group-field-conditional-logic.php:164 admin/views/field-group-locations.php:133 msgid "Add rule group" msgstr "Pridať skupinu pravidiel " @@ -576,8 +549,7 @@ msgstr "Vymazať pole" msgid "Delete" msgstr "Vymazať" -#: admin/views/field-group-field.php:68 fields/oembed.php:212 -#: fields/taxonomy.php:886 +#: admin/views/field-group-field.php:68 fields/oembed.php:212 fields/taxonomy.php:886 msgid "Error" msgstr "Chyba " @@ -658,12 +630,8 @@ msgid "Type" msgstr "Typ" #: admin/views/field-group-fields.php:44 -msgid "" -"No fields. Click the + Add Field button to create your " -"first field." -msgstr "" -"Žiadne polia. Kliknite na tlačidlo + Pridať pole pre " -"vytvorenie prvého poľa. " +msgid "No fields. Click the + Add Field button to create your first field." +msgstr "Žiadne polia. Kliknite na tlačidlo + Pridať pole pre vytvorenie prvého poľa. " #: admin/views/field-group-fields.php:51 msgid "Drag and drop to reorder" @@ -678,19 +646,14 @@ msgid "Rules" msgstr "Pravidlá " #: admin/views/field-group-locations.php:6 -msgid "" -"Create a set of rules to determine which edit screens will use these " -"advanced custom fields" -msgstr "" -"Vytvorte súbor pravidiel určujúcich, ktoré obrazovky úprav budú používať " -"Vlastné polia" +msgid "Create a set of rules to determine which edit screens will use these advanced custom fields" +msgstr "Vytvorte súbor pravidiel určujúcich, ktoré obrazovky úprav budú používať Vlastné polia" #: admin/views/field-group-locations.php:21 msgid "Show this field group if" msgstr "Zobraziť túto skupinu poľa ak " -#: admin/views/field-group-locations.php:41 -#: admin/views/field-group-locations.php:47 +#: admin/views/field-group-locations.php:41 admin/views/field-group-locations.php:47 msgid "Post" msgstr "Príspevok " @@ -714,8 +677,7 @@ msgstr "Kategória príspevku " msgid "Post Taxonomy" msgstr "Taxonómia príspevku " -#: admin/views/field-group-locations.php:49 -#: admin/views/field-group-locations.php:53 +#: admin/views/field-group-locations.php:49 admin/views/field-group-locations.php:53 msgid "Page" msgstr "Stránka " @@ -808,7 +770,7 @@ msgid "Top aligned" msgstr "Zarovnané dohora" #: admin/views/field-group-options.php:65 fields/tab.php:160 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Zarovnané vľavo" #: admin/views/field-group-options.php:72 @@ -845,11 +807,11 @@ msgstr "Vybrať položky pre ich skrytie pred obrazovkou úprav." #: admin/views/field-group-options.php:110 msgid "" -"If multiple field groups appear on an edit screen, the first field group's " -"options will be used (the one with the lowest order number)" +"If multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest " +"order number)" msgstr "" -"Ak viaceré skupiny polí sa zobrazia na obrazovke úprav, nastavenia prvej " -"skupiny budú použité (tá s najnižším poradovým číslom)" +"Ak viaceré skupiny polí sa zobrazia na obrazovke úprav, nastavenia prvej skupiny budú použité (tá s najnižším poradovým " +"číslom)" #: admin/views/field-group-options.php:117 msgid "Permalink" @@ -921,12 +883,8 @@ msgstr "Víta vás Advanced Custom Fields " #: admin/views/settings-info.php:10 #, php-format -msgid "" -"Thank you for updating! ACF %s is bigger and better than ever before. We " -"hope you like it." -msgstr "" -"Vďaka za zakutalizáciu! ACF %s je väčšie a lepšie než kedykoľvek predtým. " -"Dúfame, že sa vám páči." +msgid "Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it." +msgstr "Vďaka za zakutalizáciu! ACF %s je väčšie a lepšie než kedykoľvek predtým. Dúfame, že sa vám páči." #: admin/views/settings-info.php:23 msgid "A smoother custom field experience" @@ -938,12 +896,11 @@ msgstr "Vylepšená použiteľnosť" #: admin/views/settings-info.php:29 msgid "" -"Including the popular Select2 library has improved both usability and speed " -"across a number of field types including post object, page link, taxonomy " -"and select." +"Including the popular Select2 library has improved both usability and speed across a number of field types including " +"post object, page link, taxonomy and select." msgstr "" -"Populárna knižnica Select2 obsahuje vylepšenú použiteľnosť a rýchlosť medzi " -"všetkými poliami vrátane objektov, odkazov taxonómie a výberov." +"Populárna knižnica Select2 obsahuje vylepšenú použiteľnosť a rýchlosť medzi všetkými poliami vrátane objektov, odkazov " +"taxonómie a výberov." #: admin/views/settings-info.php:33 msgid "Improved Design" @@ -951,12 +908,11 @@ msgstr "Vylepšený dizajn" #: admin/views/settings-info.php:34 msgid "" -"Many fields have undergone a visual refresh to make ACF look better than " -"ever! Noticeable changes are seen on the gallery, relationship and oEmbed " -"(new) fields!" +"Many fields have undergone a visual refresh to make ACF look better than ever! Noticeable changes are seen on the " +"gallery, relationship and oEmbed (new) fields!" msgstr "" -"Vela polí prebehlo grafickou úpravou. Teraz ACF vyzerá oveľa lepšie! Zmeny " -"uvidíte v galérii, vzťahoch a OEmbed (vložených) poliach!" +"Vela polí prebehlo grafickou úpravou. Teraz ACF vyzerá oveľa lepšie! Zmeny uvidíte v galérii, vzťahoch a OEmbed " +"(vložených) poliach!" #: admin/views/settings-info.php:38 msgid "Improved Data" @@ -964,12 +920,11 @@ msgstr "Vylepšené dáta" #: admin/views/settings-info.php:39 msgid "" -"Redesigning the data architecture has allowed sub fields to live " -"independently from their parents. This allows you to drag and drop fields in " -"and out of parent fields!" +"Redesigning the data architecture has allowed sub fields to live independently from their parents. This allows you to " +"drag and drop fields in and out of parent fields!" msgstr "" -"Zmena dátovej architektúry priniesla nezávislosť odvodených polí od " -"nadradených. Toto vám dovoľuje prenášat polia mimo nadradených polí!" +"Zmena dátovej architektúry priniesla nezávislosť odvodených polí od nadradených. Toto vám dovoľuje prenášat polia mimo " +"nadradených polí!" #: admin/views/settings-info.php:45 msgid "Goodbye Add-ons. Hello PRO" @@ -980,21 +935,17 @@ msgid "Introducing ACF PRO" msgstr "Pro verzia " #: admin/views/settings-info.php:51 -msgid "" -"We're changing the way premium functionality is delivered in an exciting way!" -msgstr "" -"Prémiové funkcie modulu sme sa rozhodli poskytnúť vzrušujúcejším spôsobom!" +msgid "We're changing the way premium functionality is delivered in an exciting way!" +msgstr "Prémiové funkcie modulu sme sa rozhodli poskytnúť vzrušujúcejším spôsobom!" #: admin/views/settings-info.php:52 #, php-format msgid "" -"All 4 premium add-ons have been combined into a new Pro " -"version of ACF. With both personal and developer licenses available, " -"premium functionality is more affordable and accessible than ever before!" +"All 4 premium add-ons have been combined into a new Pro version of ACF. With both personal and " +"developer licenses available, premium functionality is more affordable and accessible than ever before!" msgstr "" -"Všetky prémiové doplnky boli spojené do Pro verzie ACF. " -"Prémiové funkcie sú dostupnejšie a prístupnejšie aj pomocou personálnych a " -"firemmných licencií!" +"Všetky prémiové doplnky boli spojené do Pro verzie ACF. Prémiové funkcie sú dostupnejšie a " +"prístupnejšie aj pomocou personálnych a firemmných licencií!" #: admin/views/settings-info.php:56 msgid "Powerful Features" @@ -1002,12 +953,10 @@ msgstr "Výkonné funkcie" #: admin/views/settings-info.php:57 msgid "" -"ACF PRO contains powerful features such as repeatable data, flexible content " -"layouts, a beautiful gallery field and the ability to create extra admin " -"options pages!" +"ACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the " +"ability to create extra admin options pages!" msgstr "" -"ACF PRO obsahuje opakovanie zadaných dát, flexibilné rozloženie obsahu, " -"prekrásnu galériu a extra administračné stránky!" +"ACF PRO obsahuje opakovanie zadaných dát, flexibilné rozloženie obsahu, prekrásnu galériu a extra administračné stránky!" #: admin/views/settings-info.php:58 #, php-format @@ -1020,23 +969,17 @@ msgstr "Ľahká aktualizácia" #: admin/views/settings-info.php:63 #, php-format -msgid "" -"To help make upgrading easy, login to your store account " -"and claim a free copy of ACF PRO!" -msgstr "" -"Pre uľahčenie aktualizácie, prihláste sa do obchodu a " -"získajte zdarma ACF PRO!" +msgid "To help make upgrading easy, login to your store account and claim a free copy of ACF PRO!" +msgstr "Pre uľahčenie aktualizácie, prihláste sa do obchodu a získajte zdarma ACF PRO!" #: admin/views/settings-info.php:64 #, php-format msgid "" -"We also wrote an upgrade guide to answer any questions, " -"but if you do have one, please contact our support team via the help desk" +"We also wrote an upgrade guide to answer any questions, but if you do have one, please contact our " +"support team via the help desk" msgstr "" -"Napísali sme príručku k aktualizácii. Zodpovedali sme " -"väčšinu otázok, ak však máte nejaké ďaľšie kontaktuje našu " -"podporu" +"Napísali sme príručku k aktualizácii. Zodpovedali sme väčšinu otázok, ak však máte nejaké ďaľšie " +"kontaktuje našu podporu" #: admin/views/settings-info.php:72 msgid "Under the Hood" @@ -1071,9 +1014,7 @@ msgid "Better version control" msgstr "Lepšia správa verzií" #: admin/views/settings-info.php:95 -msgid "" -"New auto export to JSON feature allows field settings to be version " -"controlled" +msgid "New auto export to JSON feature allows field settings to be version controlled" msgstr "Nový auto export JSON obsahuje kontrolu verzií povolených polí" #: admin/views/settings-info.php:99 @@ -1109,12 +1050,8 @@ msgid "New Settings" msgstr "Nové nastavenia" #: admin/views/settings-info.php:122 -msgid "" -"Field group settings have been added for label placement and instruction " -"placement" -msgstr "" -"Boli pridané nastavenie skupiny pola pre umiestnenie oznčenia a umietsntenie " -"inštrukcií" +msgid "Field group settings have been added for label placement and instruction placement" +msgstr "Boli pridané nastavenie skupiny pola pre umiestnenie oznčenia a umietsntenie inštrukcií" #: admin/views/settings-info.php:128 msgid "Better Front End Forms" @@ -1137,22 +1074,16 @@ msgid "Relationship Field" msgstr "Vzťah polí" #: admin/views/settings-info.php:139 -msgid "" -"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" -msgstr "" -"Nový nastavenie vťahov pola 'FIltre' (vyhľadávanie, typ článku, taxonómia)" +msgid "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)" +msgstr "Nový nastavenie vťahov pola 'FIltre' (vyhľadávanie, typ článku, taxonómia)" #: admin/views/settings-info.php:145 msgid "Moving Fields" msgstr "Hýbajúce polia" #: admin/views/settings-info.php:146 -msgid "" -"New field group functionality allows you to move a field between groups & " -"parents" -msgstr "" -"Nová skupinová funkcionalita vám dovolí presúvať polia medzi skupinami a " -"nadradenými poliami" +msgid "New field group functionality allows you to move a field between groups & parents" +msgstr "Nová skupinová funkcionalita vám dovolí presúvať polia medzi skupinami a nadradenými poliami" #: admin/views/settings-info.php:150 fields/page_link.php:36 msgid "Page Link" @@ -1167,12 +1098,8 @@ msgid "Better Options Pages" msgstr "Lepšie nastavenia stránok" #: admin/views/settings-info.php:156 -msgid "" -"New functions for options page allow creation of both parent and child menu " -"pages" -msgstr "" -"Nové funkcie nastavenia stránky vám dovolí vytvorenie vytvorenie menu " -"nadradených aj odvodených stránok" +msgid "New functions for options page allow creation of both parent and child menu pages" +msgstr "Nové funkcie nastavenia stránky vám dovolí vytvorenie vytvorenie menu nadradených aj odvodených stránok" #: admin/views/settings-info.php:165 #, php-format @@ -1185,16 +1112,13 @@ msgstr "Export skupiny poľa do PHP " #: admin/views/settings-tools-export.php:17 msgid "" -"The following code can be used to register a local version of the selected " -"field group(s). A local field group can provide many benefits such as faster " -"load times, version control & dynamic fields/settings. Simply copy and paste " -"the following code to your theme's functions.php file or include it within " -"an external file." +"The following code can be used to register a local version of the selected field group(s). A local field group can " +"provide many benefits such as faster load times, version control & dynamic fields/settings. Simply copy and paste the " +"following code to your theme's functions.php file or include it within an external file." msgstr "" -"Nasledujúci kód môže byť použitý pre miestnu veru vybraných polí skupín. " -"Lokálna skupina polí poskytuje rýchlejšie načítanie, lepšiu kontrolu verzií " -"a dynamické polia a ich nastavenia. Jednoducho skopírujte nasledujúci kód do " -"súboru funkcií vašej témy functions.php alebo ich zahrňte v externom súbore." +"Nasledujúci kód môže byť použitý pre miestnu veru vybraných polí skupín. Lokálna skupina polí poskytuje rýchlejšie " +"načítanie, lepšiu kontrolu verzií a dynamické polia a ich nastavenia. Jednoducho skopírujte nasledujúci kód do súboru " +"funkcií vašej témy functions.php alebo ich zahrňte v externom súbore." #: admin/views/settings-tools.php:5 msgid "Select Field Groups" @@ -1206,15 +1130,13 @@ msgstr "Export skupín polí " #: admin/views/settings-tools.php:38 msgid "" -"Select the field groups you would like to export and then select your export " -"method. Use the download button to export to a .json file which you can then " -"import to another ACF installation. Use the generate button to export to PHP " -"code which you can place in your theme." +"Select the field groups you would like to export and then select your export method. Use the download button to export " +"to a .json file which you can then import to another ACF installation. Use the generate button to export to PHP code " +"which you can place in your theme." msgstr "" -"Vyberte skupiny polí, ktoré chcete exportovať. Vyberte vhodnú metódu " -"exportu. Tlačidlo Stiahnuť vám exportuje dáta do .json súboru. Tento súbor " -"môžete použiť v inej ACF inštalácii. Tlačidlo Generovať vám vyvtorí PHP kód, " -"ktorý použijete vo vašej téme." +"Vyberte skupiny polí, ktoré chcete exportovať. Vyberte vhodnú metódu exportu. Tlačidlo Stiahnuť vám exportuje dáta do ." +"json súboru. Tento súbor môžete použiť v inej ACF inštalácii. Tlačidlo Generovať vám vyvtorí PHP kód, ktorý použijete vo " +"vašej téme." #: admin/views/settings-tools.php:50 msgid "Download export file" @@ -1230,11 +1152,9 @@ msgstr "Importovať skupiny poľa" #: admin/views/settings-tools.php:67 msgid "" -"Select the Advanced Custom Fields JSON file you would like to import. When " -"you click the import button below, ACF will import the field groups." -msgstr "" -"Vyberte JSON súbor ACF na import. Po kliknutí na tlačidlo import sa nahrajú " -"všetky skupiny polí ACF." +"Select the Advanced Custom Fields JSON file you would like to import. When you click the import button below, ACF will " +"import the field groups." +msgstr "Vyberte JSON súbor ACF na import. Po kliknutí na tlačidlo import sa nahrajú všetky skupiny polí ACF." #: admin/views/settings-tools.php:77 fields/file.php:46 msgid "Select File" @@ -1249,9 +1169,7 @@ msgid "Advanced Custom Fields Database Upgrade" msgstr "" #: admin/views/update-network.php:10 -msgid "" -"The following sites require a DB upgrade. Check the ones you want to update " -"and then click “Upgrade Database”." +msgid "The following sites require a DB upgrade. Check the ones you want to update and then click “Upgrade Database”." msgstr "" #: admin/views/update-network.php:19 admin/views/update-network.php:27 @@ -1273,11 +1191,8 @@ msgstr "" #: admin/views/update-network.php:101 admin/views/update-notice.php:35 msgid "" -"It is strongly recommended that you backup your database before proceeding. " -"Are you sure you wish to run the updater now?" -msgstr "" -"Pred aktualizáciou odporúčame zálohovať databázu. Želáte si aktualizáciu " -"spustiť teraz?" +"It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?" +msgstr "Pred aktualizáciou odporúčame zálohovať databázu. Želáte si aktualizáciu spustiť teraz?" #: admin/views/update-network.php:157 msgid "Upgrade complete" @@ -1297,12 +1212,8 @@ msgid "Thank you for updating to %s v%s!" msgstr "Vďaka za aktualizáciu %s v%s!" #: admin/views/update-notice.php:25 -msgid "" -"Before you start using the new awesome features, please update your database " -"to the newest version." -msgstr "" -"Než začnete používať nové funkcie, prosím najprv aktualizujte vašu databázu " -"na najnovšiu verziu." +msgid "Before you start using the new awesome features, please update your database to the newest version." +msgstr "Než začnete používať nové funkcie, prosím najprv aktualizujte vašu databázu na najnovšiu verziu." #: admin/views/update.php:12 msgid "Reading upgrade tasks..." @@ -1404,8 +1315,8 @@ msgstr "Relačný " msgid "jQuery" msgstr "jQuery " -#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 -#: pro/fields/flexible-content.php:512 pro/fields/repeater.php:392 +#: core/field.php:136 fields/checkbox.php:226 fields/radio.php:231 pro/fields/flexible-content.php:512 +#: pro/fields/repeater.php:392 msgid "Layout" msgstr "Rozmiestnenie" @@ -1467,10 +1378,9 @@ msgstr "Pre lepšiu kontrolu, môžete určiť hodnotu a popis takto:" msgid "red : Red" msgstr "červená : Červená " -#: fields/checkbox.php:217 fields/color_picker.php:158 fields/email.php:124 -#: fields/number.php:150 fields/radio.php:222 fields/select.php:397 -#: fields/text.php:148 fields/textarea.php:145 fields/true_false.php:115 -#: fields/url.php:117 fields/wysiwyg.php:345 +#: fields/checkbox.php:217 fields/color_picker.php:158 fields/email.php:124 fields/number.php:150 fields/radio.php:222 +#: fields/select.php:397 fields/text.php:148 fields/textarea.php:145 fields/true_false.php:115 fields/url.php:117 +#: fields/wysiwyg.php:345 msgid "Default Value" msgstr "Základná hodnota " @@ -1550,39 +1460,34 @@ msgstr "Týždeň začína " msgid "Email" msgstr "E-Mail " -#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 -#: fields/text.php:149 fields/textarea.php:146 fields/url.php:118 -#: fields/wysiwyg.php:346 +#: fields/email.php:125 fields/number.php:151 fields/radio.php:223 fields/text.php:149 fields/textarea.php:146 +#: fields/url.php:118 fields/wysiwyg.php:346 msgid "Appears when creating a new post" msgstr "Zobrazí sa pri vytvorení nového príspevku " -#: fields/email.php:133 fields/number.php:159 fields/password.php:137 -#: fields/text.php:157 fields/textarea.php:154 fields/url.php:126 +#: fields/email.php:133 fields/number.php:159 fields/password.php:137 fields/text.php:157 fields/textarea.php:154 +#: fields/url.php:126 msgid "Placeholder Text" msgstr "Zástupný text " -#: fields/email.php:134 fields/number.php:160 fields/password.php:138 -#: fields/text.php:158 fields/textarea.php:155 fields/url.php:127 +#: fields/email.php:134 fields/number.php:160 fields/password.php:138 fields/text.php:158 fields/textarea.php:155 +#: fields/url.php:127 msgid "Appears within the input" msgstr "Zobrazí sa vo vstupe" -#: fields/email.php:142 fields/number.php:168 fields/password.php:146 -#: fields/text.php:166 +#: fields/email.php:142 fields/number.php:168 fields/password.php:146 fields/text.php:166 msgid "Prepend" msgstr "Predpona" -#: fields/email.php:143 fields/number.php:169 fields/password.php:147 -#: fields/text.php:167 +#: fields/email.php:143 fields/number.php:169 fields/password.php:147 fields/text.php:167 msgid "Appears before the input" msgstr "Zobrazí sa pred vstupom" -#: fields/email.php:151 fields/number.php:177 fields/password.php:155 -#: fields/text.php:175 +#: fields/email.php:151 fields/number.php:177 fields/password.php:155 fields/text.php:175 msgid "Append" msgstr "Prípona" -#: fields/email.php:152 fields/number.php:178 fields/password.php:156 -#: fields/text.php:176 +#: fields/email.php:152 fields/number.php:178 fields/password.php:156 fields/text.php:176 msgid "Appears after the input" msgstr "Zobrazí sa po vstupe" @@ -1658,8 +1563,8 @@ msgstr "Minimálny počet" msgid "Restrict which files can be uploaded" msgstr "Vymedzte, ktoré súbory je možné nahrať" -#: fields/file.php:247 fields/file.php:258 fields/image.php:257 -#: fields/image.php:290 pro/fields/gallery.php:684 pro/fields/gallery.php:717 +#: fields/file.php:247 fields/file.php:258 fields/image.php:257 fields/image.php:290 pro/fields/gallery.php:684 +#: pro/fields/gallery.php:717 msgid "File size" msgstr "Veľkosť súboru " @@ -1715,8 +1620,8 @@ msgstr "Zoom" msgid "Set the initial zoom level" msgstr "Nastavte základnú úroveň priblíženia" -#: fields/google-map.php:208 fields/image.php:246 fields/image.php:279 -#: fields/oembed.php:262 pro/fields/gallery.php:673 pro/fields/gallery.php:706 +#: fields/google-map.php:208 fields/image.php:246 fields/image.php:279 fields/oembed.php:262 pro/fields/gallery.php:673 +#: pro/fields/gallery.php:706 msgid "Height" msgstr "Výška " @@ -1776,13 +1681,11 @@ msgstr "Veľkosť náhľadu " msgid "Shown when entering data" msgstr "Zobrazené pri zadávaní dát " -#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:662 -#: pro/fields/gallery.php:695 +#: fields/image.php:235 fields/image.php:268 pro/fields/gallery.php:662 pro/fields/gallery.php:695 msgid "Restrict which images can be uploaded" msgstr "Určite, ktoré typy obrázkov môžu byť nahraté" -#: fields/image.php:238 fields/image.php:271 fields/oembed.php:251 -#: pro/fields/gallery.php:665 pro/fields/gallery.php:698 +#: fields/image.php:238 fields/image.php:271 fields/oembed.php:251 pro/fields/gallery.php:665 pro/fields/gallery.php:698 msgid "Width" msgstr "Šírka" @@ -1800,9 +1703,7 @@ msgstr "Eskapovať HTML (€ za €)" #: fields/message.php:113 msgid "Allow HTML markup to display as visible text instead of rendering" -msgstr "" -"Povoliť zobrazenie HTML značiek vo forme viditeľného textu namiesto ich " -"vykreslenia" +msgstr "Povoliť zobrazenie HTML značiek vo forme viditeľného textu namiesto ich vykreslenia" #: fields/number.php:36 msgid "Number" @@ -1854,33 +1755,27 @@ msgstr "Veľkosť vloženého obsahu" msgid "Archives" msgstr "Archívy " -#: fields/page_link.php:535 fields/post_object.php:401 -#: fields/relationship.php:690 +#: fields/page_link.php:535 fields/post_object.php:401 fields/relationship.php:690 msgid "Filter by Post Type" msgstr "Filtrovať podľa typu príspevku " -#: fields/page_link.php:543 fields/post_object.php:409 -#: fields/relationship.php:698 +#: fields/page_link.php:543 fields/post_object.php:409 fields/relationship.php:698 msgid "All post types" msgstr "Všetky typy príspevkov " -#: fields/page_link.php:549 fields/post_object.php:415 -#: fields/relationship.php:704 +#: fields/page_link.php:549 fields/post_object.php:415 fields/relationship.php:704 msgid "Filter by Taxonomy" msgstr "Filter z taxonómie " -#: fields/page_link.php:557 fields/post_object.php:423 -#: fields/relationship.php:712 +#: fields/page_link.php:557 fields/post_object.php:423 fields/relationship.php:712 msgid "All taxonomies" msgstr "Žiadny filter taxonómie " -#: fields/page_link.php:563 fields/post_object.php:429 fields/select.php:406 -#: fields/taxonomy.php:765 fields/user.php:452 +#: fields/page_link.php:563 fields/post_object.php:429 fields/select.php:406 fields/taxonomy.php:765 fields/user.php:452 msgid "Allow Null?" msgstr "Povoliť nulovú hodnotu? " -#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 -#: fields/user.php:466 +#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 fields/user.php:466 msgid "Select multiple values?" msgstr "Vybrať viac hodnôt? " @@ -1888,8 +1783,7 @@ msgstr "Vybrať viac hodnôt? " msgid "Password" msgstr "Heslo " -#: fields/post_object.php:36 fields/post_object.php:462 -#: fields/relationship.php:769 +#: fields/post_object.php:36 fields/post_object.php:462 fields/relationship.php:769 msgid "Post Object" msgstr "Objekt príspevku " @@ -1998,28 +1892,22 @@ msgid "Warning" msgstr "Varovanie" #: fields/tab.php:133 -msgid "" -"The tab field will display incorrectly when added to a Table style repeater " -"field or flexible content field layout" +msgid "The tab field will display incorrectly when added to a Table style repeater field or flexible content field layout" msgstr "" -"Pole záložky nebude správne zobrazené ak bude pridané do opakovacieho pola " -"štýlu tabuľky alebo flexibilného rozloženia pola." +"Pole záložky nebude správne zobrazené ak bude pridané do opakovacieho pola štýlu tabuľky alebo flexibilného rozloženia " +"pola." #: fields/tab.php:146 -msgid "" -"Use \"Tab Fields\" to better organize your edit screen by grouping fields " -"together." -msgstr "" -"Pre lepšiu organizáciu na obrazovke úpravý polí použite \"Polia záložiek\"." +msgid "Use \"Tab Fields\" to better organize your edit screen by grouping fields together." +msgstr "Pre lepšiu organizáciu na obrazovke úpravý polí použite \"Polia záložiek\"." #: fields/tab.php:148 msgid "" -"All fields following this \"tab field\" (or until another \"tab field\" is " -"defined) will be grouped together using this field's label as the tab " -"heading." +"All fields following this \"tab field\" (or until another \"tab field\" is defined) will be grouped together using this " +"field's label as the tab heading." msgstr "" -"Všetky polia nasledujúce \"pole záložky\" (pokým nebude definované nové " -"\"pole záložky\") budú zoskupené a pod jedným nadpisom a označením." +"Všetky polia nasledujúce \"pole záložky\" (pokým nebude definované nové \"pole záložky\") budú zoskupené a pod jedným " +"nadpisom a označením." #: fields/tab.php:155 msgid "Placement" @@ -2283,12 +2171,8 @@ msgid "License" msgstr "Licencia" #: pro/admin/views/settings-updates.php:24 -msgid "" -"To unlock updates, please enter your license key below. If you don't have a " -"licence key, please see" -msgstr "" -"Pre odblokovanie aktualizácii, sem zadajte váš licenčný kľúč. Ak ešte " -"licenčný kľúč nemáte, pozrite si" +msgid "To unlock updates, please enter your license key below. If you don't have a licence key, please see" +msgstr "Pre odblokovanie aktualizácii, sem zadajte váš licenčný kľúč. Ak ešte licenčný kľúč nemáte, pozrite si" #: pro/admin/views/settings-updates.php:24 msgid "details & pricing" @@ -2337,13 +2221,11 @@ msgstr "Nastavenia " #: pro/core/updates.php:186 #, php-format msgid "" -"To enable updates, please enter your license key on the Updates page. If you don't have a licence key, please see details & pricing" +"To enable updates, please enter your license key on the Updates page. If you don't have a licence " +"key, please see details & pricing" msgstr "" -"Aby ste zapli aktualizácie, musíte zadať licencčný kľúč na stránke aktualizácií. Ak nemáte licenčný kľúč, porizte si podrobnosti a ceny." +"Aby ste zapli aktualizácie, musíte zadať licencčný kľúč na stránke aktualizácií. Ak nemáte licenčný " +"kľúč, porizte si podrobnosti a ceny." #: pro/fields/flexible-content.php:36 msgid "Flexible Content" @@ -2606,24 +2488,19 @@ msgstr "" #~ msgstr "Import / Export" #~ msgid "Field groups are created in order from lowest to highest" -#~ msgstr "" -#~ "Skupiny polí sú vytvorené v poradí
                od najnižšej po najvyššiu " +#~ msgstr "Skupiny polí sú vytvorené v poradí
                od najnižšej po najvyššiu " #~ msgid "ACF PRO Required" #~ msgstr "Musíte mať Pro verziu" #~ msgid "" -#~ "We have detected an issue which requires your attention: This website " -#~ "makes use of premium add-ons (%s) which are no longer compatible with ACF." +#~ "We have detected an issue which requires your attention: This website makes use of premium add-ons (%s) which are no " +#~ "longer compatible with ACF." #~ msgstr "" -#~ "Zistili sme problém vyžadujúci vašu pozornosť. Táto stránka využíva " -#~ "doplnky (%s), ktoré už nie sú komaptibilné s ACF." +#~ "Zistili sme problém vyžadujúci vašu pozornosť. Táto stránka využíva doplnky (%s), ktoré už nie sú komaptibilné s ACF." -#~ msgid "" -#~ "Don't panic, you can simply roll back the plugin and continue using ACF " -#~ "as you know it!" -#~ msgstr "" -#~ "Nemusíte sa báť! Môžete sa vrátiť k používaniu predchádzajúcej verzii ACF!" +#~ msgid "Don't panic, you can simply roll back the plugin and continue using ACF as you know it!" +#~ msgstr "Nemusíte sa báť! Môžete sa vrátiť k používaniu predchádzajúcej verzii ACF!" #~ msgid "Roll back to ACF v%s" #~ msgstr "Vrátiť sa k ACF v%s" @@ -2652,11 +2529,8 @@ msgstr "" #~ msgid "Load & Save Terms to Post" #~ msgstr "Nahrať & uložiť podmienky k prispievaniu " -#~ msgid "" -#~ "Load value based on the post's terms and update the post's terms on save" -#~ msgstr "" -#~ "Nahrať hodnoty založené na podmienkach prispievania, aktualizovať " -#~ "akrutálne podmienky a uložiť " +#~ msgid "Load value based on the post's terms and update the post's terms on save" +#~ msgstr "Nahrať hodnoty založené na podmienkach prispievania, aktualizovať akrutálne podmienky a uložiť " #~ msgid "file" #~ msgstr "subor" diff --git a/lang/acf-sv_SE.mo b/lang/acf-sv_SE.mo index ea528a6..ab53a2c 100644 Binary files a/lang/acf-sv_SE.mo and b/lang/acf-sv_SE.mo differ diff --git a/lang/acf-sv_SE.po b/lang/acf-sv_SE.po index 08a5936..8552a88 100644 --- a/lang/acf-sv_SE.po +++ b/lang/acf-sv_SE.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-06-27 15:28+1000\n" -"PO-Revision-Date: 2017-06-27 15:29+1000\n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Swedish\n" "Language: sv_SE\n" @@ -665,7 +665,7 @@ msgstr "Toppjusterad" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:117 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Vänsterjusterad" #: includes/admin/views/field-group-options.php:70 diff --git a/lang/acf-tr_TR.mo b/lang/acf-tr_TR.mo index b87d835..2a66074 100644 Binary files a/lang/acf-tr_TR.mo and b/lang/acf-tr_TR.mo differ diff --git a/lang/acf-tr_TR.po b/lang/acf-tr_TR.po index 3d443dc..bac4c9d 100644 --- a/lang/acf-tr_TR.po +++ b/lang/acf-tr_TR.po @@ -3,15 +3,15 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.6.3\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-10-04 14:50+1000\n" -"PO-Revision-Date: 2017-10-12 15:02+0300\n" -"Last-Translator: Emre Erkan \n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" +"Last-Translator: Elliot Condon \n" "Language-Team: Emre Erkan \n" "Language: tr_TR\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -"X-Generator: Poedit 2.0.3\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -663,7 +663,7 @@ msgstr "Üste hizalı" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Sola hizalı" #: includes/admin/views/field-group-options.php:70 @@ -1311,7 +1311,8 @@ msgstr "İlişkisel" msgid "jQuery" msgstr "jQuery" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -2621,8 +2622,8 @@ msgstr "Alan grubunu düzenle" msgid "Validate Email" msgstr "E-postayı doğrula" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Güncelle" diff --git a/lang/acf-uk.mo b/lang/acf-uk.mo index c6a0faf..a0fb2cd 100644 Binary files a/lang/acf-uk.mo and b/lang/acf-uk.mo differ diff --git a/lang/acf-uk.po b/lang/acf-uk.po index f364dc8..8dbafea 100644 --- a/lang/acf-uk.po +++ b/lang/acf-uk.po @@ -3,8 +3,8 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2017-10-04 14:50+1000\n" -"PO-Revision-Date: 2017-11-05 04:07+0200\n" -"Last-Translator: Jurko Chervony \n" +"PO-Revision-Date: 2018-02-06 10:06+1000\n" +"Last-Translator: Elliot Condon \n" "Language-Team: skinik \n" "Language: uk\n" "MIME-Version: 1.0\n" @@ -12,7 +12,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n" "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -"X-Generator: Poedit 2.0.4\n" +"X-Generator: Poedit 1.8.1\n" "X-Poedit-SourceCharset: UTF-8\n" "X-Poedit-KeywordsList: __;_e;_n:1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;esc_attr__;" "esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c;_n_noop:1,2;" @@ -670,7 +670,7 @@ msgstr "Зверху" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:103 -msgid "Left Aligned" +msgid "Left aligned" msgstr "Зліва" #: includes/admin/views/field-group-options.php:70 @@ -1274,7 +1274,8 @@ msgstr "" msgid "jQuery" msgstr "" -#: includes/fields.php:149 includes/fields/class-acf-field-button-group.php:177 +#: includes/fields.php:149 +#: includes/fields/class-acf-field-button-group.php:177 #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 @@ -2609,8 +2610,8 @@ msgstr "Редагувати групу полів" msgid "Validate Email" msgstr "" -#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573 -#: pro/options-page.php:81 +#: includes/forms/form-front.php:103 +#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81 msgid "Update" msgstr "Оновити" diff --git a/lang/acf-zh_CN.mo b/lang/acf-zh_CN.mo index 506e610..1b3fba2 100644 Binary files a/lang/acf-zh_CN.mo and b/lang/acf-zh_CN.mo differ diff --git a/lang/acf-zh_CN.po b/lang/acf-zh_CN.po index d268665..eeafd00 100644 --- a/lang/acf-zh_CN.po +++ b/lang/acf-zh_CN.po @@ -3,7 +3,7 @@ msgstr "" "Project-Id-Version: Advanced Custom Fields Pro v5.2.9\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" "POT-Creation-Date: 2015-08-11 23:50+0200\n" -"PO-Revision-Date: 2017-10-13 15:27+1000\n" +"PO-Revision-Date: 2018-02-06 10:07+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Amos Lee <470266798@qq.com>\n" "Language: zh_CN\n" @@ -794,7 +794,7 @@ msgid "Top aligned" msgstr "顶部对齐" #: admin/views/field-group-options.php:65 fields/tab.php:160 -msgid "Left Aligned" +msgid "Left aligned" msgstr "左对齐" #: admin/views/field-group-options.php:72 diff --git a/lang/acf.pot b/lang/acf.pot index 9416898..4df8da8 100644 --- a/lang/acf.pot +++ b/lang/acf.pot @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Advanced Custom Fields\n" "Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n" -"POT-Creation-Date: 2017-12-10 11:15+1000\n" +"POT-Creation-Date: 2018-02-06 10:08+1000\n" "PO-Revision-Date: 2015-06-11 13:00+1000\n" "Last-Translator: Elliot Condon \n" "Language-Team: Elliot Condon \n" @@ -70,7 +70,7 @@ msgstr "" #: acf.php:401 includes/admin/admin-field-group.php:182 #: includes/admin/admin-field-group.php:275 #: includes/admin/admin-field-groups.php:510 -#: pro/fields/class-acf-field-clone.php:807 +#: pro/fields/class-acf-field-clone.php:811 msgid "Fields" msgstr "" @@ -184,7 +184,7 @@ msgstr "" #: includes/admin/views/field-group-field-conditional-logic.php:154 #: includes/admin/views/field-group-locations.php:29 #: includes/admin/views/html-location-group.php:3 -#: includes/api/api-helpers.php:3959 +#: includes/api/api-helpers.php:4048 msgid "or" msgstr "" @@ -586,55 +586,55 @@ msgstr "" msgid "Delete" msgstr "" -#: includes/admin/views/field-group-field.php:67 +#: includes/admin/views/field-group-field.php:68 msgid "Field Label" msgstr "" -#: includes/admin/views/field-group-field.php:68 +#: includes/admin/views/field-group-field.php:69 msgid "This is the name which will appear on the EDIT page" msgstr "" -#: includes/admin/views/field-group-field.php:77 +#: includes/admin/views/field-group-field.php:78 msgid "Field Name" msgstr "" -#: includes/admin/views/field-group-field.php:78 +#: includes/admin/views/field-group-field.php:79 msgid "Single word, no spaces. Underscores and dashes allowed" msgstr "" -#: includes/admin/views/field-group-field.php:87 +#: includes/admin/views/field-group-field.php:88 msgid "Field Type" msgstr "" -#: includes/admin/views/field-group-field.php:98 +#: includes/admin/views/field-group-field.php:99 msgid "Instructions" msgstr "" -#: includes/admin/views/field-group-field.php:99 +#: includes/admin/views/field-group-field.php:100 msgid "Instructions for authors. Shown when submitting data" msgstr "" -#: includes/admin/views/field-group-field.php:108 +#: includes/admin/views/field-group-field.php:109 msgid "Required?" msgstr "" -#: includes/admin/views/field-group-field.php:131 +#: includes/admin/views/field-group-field.php:132 msgid "Wrapper Attributes" msgstr "" -#: includes/admin/views/field-group-field.php:137 +#: includes/admin/views/field-group-field.php:138 msgid "width" msgstr "" -#: includes/admin/views/field-group-field.php:152 +#: includes/admin/views/field-group-field.php:153 msgid "class" msgstr "" -#: includes/admin/views/field-group-field.php:165 +#: includes/admin/views/field-group-field.php:166 msgid "id" msgstr "" -#: includes/admin/views/field-group-field.php:177 +#: includes/admin/views/field-group-field.php:178 msgid "Close Field" msgstr "" @@ -724,7 +724,7 @@ msgstr "" #: includes/admin/views/field-group-options.php:63 #: includes/fields/class-acf-field-tab.php:107 -msgid "Left Aligned" +msgid "Left aligned" msgstr "" #: includes/admin/views/field-group-options.php:70 @@ -1177,58 +1177,58 @@ msgstr "" msgid "We think you'll love the changes in %s." msgstr "" -#: includes/api/api-helpers.php:858 +#: includes/api/api-helpers.php:947 msgid "Thumbnail" msgstr "" -#: includes/api/api-helpers.php:859 +#: includes/api/api-helpers.php:948 msgid "Medium" msgstr "" -#: includes/api/api-helpers.php:860 +#: includes/api/api-helpers.php:949 msgid "Large" msgstr "" -#: includes/api/api-helpers.php:909 +#: includes/api/api-helpers.php:998 msgid "Full Size" msgstr "" -#: includes/api/api-helpers.php:1250 includes/api/api-helpers.php:1823 -#: pro/fields/class-acf-field-clone.php:992 +#: includes/api/api-helpers.php:1339 includes/api/api-helpers.php:1912 +#: pro/fields/class-acf-field-clone.php:996 msgid "(no title)" msgstr "" -#: includes/api/api-helpers.php:3880 +#: includes/api/api-helpers.php:3969 #, php-format msgid "Image width must be at least %dpx." msgstr "" -#: includes/api/api-helpers.php:3885 +#: includes/api/api-helpers.php:3974 #, php-format msgid "Image width must not exceed %dpx." msgstr "" -#: includes/api/api-helpers.php:3901 +#: includes/api/api-helpers.php:3990 #, php-format msgid "Image height must be at least %dpx." msgstr "" -#: includes/api/api-helpers.php:3906 +#: includes/api/api-helpers.php:3995 #, php-format msgid "Image height must not exceed %dpx." msgstr "" -#: includes/api/api-helpers.php:3924 +#: includes/api/api-helpers.php:4013 #, php-format msgid "File size must be at least %s." msgstr "" -#: includes/api/api-helpers.php:3929 +#: includes/api/api-helpers.php:4018 #, php-format msgid "File size must must not exceed %s." msgstr "" -#: includes/api/api-helpers.php:3963 +#: includes/api/api-helpers.php:4052 #, php-format msgid "File type must be %s." msgstr "" @@ -1258,7 +1258,7 @@ msgstr "" #: includes/fields/class-acf-field-checkbox.php:384 #: includes/fields/class-acf-field-group.php:474 #: includes/fields/class-acf-field-radio.php:285 -#: pro/fields/class-acf-field-clone.php:839 +#: pro/fields/class-acf-field-clone.php:843 #: pro/fields/class-acf-field-flexible-content.php:554 #: pro/fields/class-acf-field-flexible-content.php:603 #: pro/fields/class-acf-field-repeater.php:450 @@ -1873,26 +1873,26 @@ msgid "Sub Fields" msgstr "" #: includes/fields/class-acf-field-group.php:475 -#: pro/fields/class-acf-field-clone.php:840 +#: pro/fields/class-acf-field-clone.php:844 msgid "Specify the style used to render the selected fields" msgstr "" #: includes/fields/class-acf-field-group.php:480 -#: pro/fields/class-acf-field-clone.php:845 +#: pro/fields/class-acf-field-clone.php:849 #: pro/fields/class-acf-field-flexible-content.php:614 #: pro/fields/class-acf-field-repeater.php:458 msgid "Block" msgstr "" #: includes/fields/class-acf-field-group.php:481 -#: pro/fields/class-acf-field-clone.php:846 +#: pro/fields/class-acf-field-clone.php:850 #: pro/fields/class-acf-field-flexible-content.php:613 #: pro/fields/class-acf-field-repeater.php:457 msgid "Table" msgstr "" #: includes/fields/class-acf-field-group.php:482 -#: pro/fields/class-acf-field-clone.php:847 +#: pro/fields/class-acf-field-clone.php:851 #: pro/fields/class-acf-field-flexible-content.php:615 #: pro/fields/class-acf-field-repeater.php:459 msgid "Row" @@ -2869,53 +2869,53 @@ msgctxt "noun" msgid "Clone" msgstr "" -#: pro/fields/class-acf-field-clone.php:808 +#: pro/fields/class-acf-field-clone.php:812 msgid "Select one or more fields you wish to clone" msgstr "" -#: pro/fields/class-acf-field-clone.php:825 +#: pro/fields/class-acf-field-clone.php:829 msgid "Display" msgstr "" -#: pro/fields/class-acf-field-clone.php:826 +#: pro/fields/class-acf-field-clone.php:830 msgid "Specify the style used to render the clone field" msgstr "" -#: pro/fields/class-acf-field-clone.php:831 +#: pro/fields/class-acf-field-clone.php:835 msgid "Group (displays selected fields in a group within this field)" msgstr "" -#: pro/fields/class-acf-field-clone.php:832 +#: pro/fields/class-acf-field-clone.php:836 msgid "Seamless (replaces this field with selected fields)" msgstr "" -#: pro/fields/class-acf-field-clone.php:853 +#: pro/fields/class-acf-field-clone.php:857 #, php-format msgid "Labels will be displayed as %s" msgstr "" -#: pro/fields/class-acf-field-clone.php:856 +#: pro/fields/class-acf-field-clone.php:860 msgid "Prefix Field Labels" msgstr "" -#: pro/fields/class-acf-field-clone.php:867 +#: pro/fields/class-acf-field-clone.php:871 #, php-format msgid "Values will be saved as %s" msgstr "" -#: pro/fields/class-acf-field-clone.php:870 +#: pro/fields/class-acf-field-clone.php:874 msgid "Prefix Field Names" msgstr "" -#: pro/fields/class-acf-field-clone.php:988 +#: pro/fields/class-acf-field-clone.php:992 msgid "Unknown field" msgstr "" -#: pro/fields/class-acf-field-clone.php:1027 +#: pro/fields/class-acf-field-clone.php:1031 msgid "Unknown field group" msgstr "" -#: pro/fields/class-acf-field-clone.php:1031 +#: pro/fields/class-acf-field-clone.php:1035 #, php-format msgid "All fields from %s field group" msgstr "" diff --git a/pro/admin/admin-options-page.php b/pro/admin/admin-options-page.php index 994a0e3..0a9d608 100644 --- a/pro/admin/admin-options-page.php +++ b/pro/admin/admin-options-page.php @@ -323,7 +323,7 @@ class acf_admin_options_page { // render - acf_render_fields( $this->page['post_id'], $fields, 'div', $field_group['instruction_placement'] ); + acf_render_fields( $fields, $this->page['post_id'], 'div', $field_group['instruction_placement'] ); diff --git a/pro/admin/views/html-options-page.php b/pro/admin/views/html-options-page.php index ea3fa61..5d36600 100644 --- a/pro/admin/views/html-options-page.php +++ b/pro/admin/views/html-options-page.php @@ -7,9 +7,9 @@ $post_id, - 'nonce' => 'options', + acf_form_data(array( + 'screen' => 'options', + 'post_id' => $post_id, )); wp_nonce_field( 'meta-box-order', 'meta-box-order-nonce', false ); diff --git a/pro/fields/class-acf-field-clone.php b/pro/fields/class-acf-field-clone.php index 086fba7..ea0ca0a 100644 --- a/pro/fields/class-acf-field-clone.php +++ b/pro/fields/class-acf-field-clone.php @@ -118,6 +118,10 @@ class acf_field_clone extends acf_field { function acf_get_fields( $fields, $parent ) { + // bail early if empty + if( empty($fields) ) return $fields; + + // bail early if not enabled if( !$this->is_enabled() ) return $fields; diff --git a/readme.txt b/readme.txt index 4ddba7c..46573d1 100644 --- a/readme.txt +++ b/readme.txt @@ -2,7 +2,7 @@ Contributors: elliotcondon Tags: acf, advanced, custom, field, fields, form, repeater, content Requires at least: 3.6.0 -Tested up to: 4.9.0 +Tested up to: 4.9.9 License: GPLv2 or later License URI: http://www.gnu.org/licenses/gpl-2.0.html @@ -66,6 +66,24 @@ From your WordPress dashboard == Changelog == += 5.6.9 = +* User field: Added new 'Return Format' setting (Array, Object, ID) +* Core: Added basic compatibility with Gutenberg - values now save +* Core: Fixed bug affecting the loading of fields on new Menu Items +* Core: Removed private ('show_ui' => false) post types from the 'Post Type' location rule choices +* Core: Minor fixes and improvements +* Language: Updated French translation - thanks to Maxime Bernard-Jacquet + += 5.6.8 = +* API: Fixed bug causing have_rows() to fail with PHP 7.2 +* Core: Fixed bug causing "Add new term" form to hide after submit +* Core: Minor fixes and improvements +* Language: Updated German translation - thanks to Ralf Koller +* Language: Updated Portuguese translation - thanks to Pedro Mendonça +* Language: Updated Arabic translation - thanks to Karim Ramadan +* Language: Updated Spanish translation - thanks to Luis Rull Muñoz +* Language: Updated Persian translation - thanks to Majix + = 5.6.7 = * Fixed an assortment of bugs found in 5.6.6